diff --git a/AGENTS.md b/AGENTS.md index ba1653ad1..847f487d3 100644 --- a/AGENTS.md +++ b/AGENTS.md @@ -17,6 +17,40 @@ Build options: - `BUILD_SERVER_STANDALONE=ON`: builds only `YACReaderLibraryServer` (headless), requires only Qt 6.4+ - `BUILD_TESTS=ON` (default): enables the test suite +## Translations + +Use CMake translation targets (Qt LinguistTools integration), not ad-hoc `lupdate` calls. + +Update `.ts` files from source code (C++ + QML): + +```bash +cmake --build build --target update_translations +``` + +On multi-config generators (Visual Studio / Ninja Multi-Config), include config: + +```bash +cmake --build build --config Release --target update_translations +``` + +Build `.qm` files: + +```bash +cmake --build build --target release_translations +``` + +Multi-config variant: + +```bash +cmake --build build --config Release --target release_translations +``` + +Important: +- Do not run `lupdate` only on `qml.qrc` (or only on a subset of files), because that can mark unrelated translations as obsolete. +- In `YACReaderLibrary`, `qt_add_translations(...)` is configured to scan full target sources and include QML from `qml.qrc`. +- `update_translations` updates both locale TS files and `*_source.ts` template files for all apps. +- `*_source.ts` files are translator base templates and must not be treated as shipped locales. + ## Tests ```bash diff --git a/CHANGELOG.md b/CHANGELOG.md index 994b25641..968ce1bec 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -13,6 +13,7 @@ Version counting is based on semantic versioning (Major.Feature.Patch) * Migrate Flow implementation from OpenGL to QRhi. This is a full new implementation with better performance and compatibility with operating systems and hardware. * Add light/dark themes support that follow the system configuration. * Add a theme editor and support for custom themes. +* Add an application language setting with a system default option in YACReader and YACReaderLibrary. ## 9.16.4 diff --git a/YACReader/CMakeLists.txt b/YACReader/CMakeLists.txt index e7ba59473..02f3cca52 100644 --- a/YACReader/CMakeLists.txt +++ b/YACReader/CMakeLists.txt @@ -79,6 +79,7 @@ qt_add_translations(YACReader yacreader_zh_TW.ts yacreader_zh_HK.ts yacreader_it.ts + yacreader_source.ts yacreader_en.ts ) diff --git a/YACReader/main.cpp b/YACReader/main.cpp index 66b0d52ab..5d1e9e77b 100644 --- a/YACReader/main.cpp +++ b/YACReader/main.cpp @@ -1,6 +1,5 @@ #include #include -#include #include #include @@ -10,6 +9,7 @@ #include "appearance_configuration.h" #include "theme_manager.h" #include "theme_repository.h" +#include "app_language_utils.h" #include "yacreader_global.h" #include "QsLog.h" @@ -175,13 +175,8 @@ int main(int argc, char *argv[]) logger.addDestination(std::move(debugDestination)); logger.addDestination(std::move(fileDestination)); - QTranslator translator; -#if defined Q_OS_UNIX && !defined Q_OS_MACOS - translator.load(QLocale(), "yacreader", "_", QString(DATADIR) + "/yacreader/languages"); -#else - translator.load(QLocale(), "yacreader", "_", "languages"); -#endif - app.installTranslator(&translator); + QSettings uiSettings(YACReader::getSettingsPath() + "/YACReader.ini", QSettings::IniFormat); + YACReader::UiLanguage::applyLanguage("yacreader", uiSettings.value(UI_LANGUAGE).toString()); auto mwv = new MainWindowViewer(); // some arguments need to be parsed after MainWindowViewer creation diff --git a/YACReader/options_dialog.cpp b/YACReader/options_dialog.cpp index 497553c07..38b7e6d3f 100644 --- a/YACReader/options_dialog.cpp +++ b/YACReader/options_dialog.cpp @@ -17,6 +17,7 @@ #include "theme_manager.h" #include "theme_factory.h" #include "appearance_tab_widget.h" +#include "app_language_utils.h" #include "yacreader_spin_slider_widget.h" #include "yacreader_3d_flow_config_widget.h" @@ -40,6 +41,19 @@ OptionsDialog::OptionsDialog(QWidget *parent) path->addWidget(pathFindButton = new QPushButton("")); pathBox->setLayout(path); + auto *languageBox = new QGroupBox(tr("Language")); + auto *languageLayout = new QHBoxLayout(); + languageLayout->addWidget(new QLabel(tr("Application language"))); + languageCombo = new QComboBox(this); + languageCombo->addItem(tr("System default"), QString()); + const auto availableLanguages = YACReader::UiLanguage::availableLanguages("yacreader"); + for (const auto &language : availableLanguages) { + languageCombo->addItem( + QString("%1 (%2)").arg(language.displayName, language.code), language.code); + } + languageLayout->addWidget(languageCombo); + languageBox->setLayout(languageLayout); + QGroupBox *displayBox = new QGroupBox(tr("Display")); auto displayLayout = new QHBoxLayout(); showTimeInInformationLabel = new QCheckBox(tr("Show time in current page information label")); @@ -105,6 +119,7 @@ OptionsDialog::OptionsDialog(QWidget *parent) mouseModeBox->setLayout(mouseModeLayout); layoutGeneral->addWidget(pathBox); + layoutGeneral->addWidget(languageBox); layoutGeneral->addWidget(displayBox); layoutGeneral->addWidget(slideSizeBox); // layoutGeneral->addWidget(fitBox); @@ -178,7 +193,7 @@ OptionsDialog::OptionsDialog(QWidget *parent) auto scaleLayout = new QVBoxLayout(); scaleCheckbox = new QCheckBox(tr("Enlarge images to fit width/height")); connect(scaleCheckbox, &QCheckBox::clicked, scaleCheckbox, - [=](bool checked) { + [=, this](bool checked) { Configuration::getConfiguration().setEnlargeImages(checked); emit changedImageOptions(); }); @@ -191,7 +206,7 @@ OptionsDialog::OptionsDialog(QWidget *parent) auto doublePageBoxLayout = new QVBoxLayout(); coverSPCheckBox = new QCheckBox(tr("Show covers as single page")); connect(coverSPCheckBox, &QCheckBox::clicked, coverSPCheckBox, - [=](bool checked) { + [=, this](bool checked) { settings->setValue(COVER_IS_SP, checked); emit changedImageOptions(); }); @@ -315,6 +330,12 @@ void OptionsDialog::saveOptions() Configuration::getConfiguration().setScalingMethod(static_cast(scalingMethodCombo->currentIndex())); emit changedImageOptions(); + const auto selectedLanguage = languageCombo->currentData().toString().trimmed(); + if (selectedLanguage.isEmpty()) + settings->remove(UI_LANGUAGE); + else + settings->setValue(UI_LANGUAGE, selectedLanguage); + YACReaderOptionsDialog::saveOptions(); } @@ -326,6 +347,12 @@ void OptionsDialog::restoreOptions(QSettings *settings) pathEdit->setText(settings->value(PATH).toString()); + const auto selectedLanguage = settings->value(UI_LANGUAGE).toString().trimmed(); + int languageIndex = languageCombo->findData(selectedLanguage); + if (languageIndex < 0) + languageIndex = 0; + languageCombo->setCurrentIndex(languageIndex); + showTimeInInformationLabel->setChecked(Configuration::getConfiguration().getShowTimeInInformation()); updateColor(settings->value(BACKGROUND_COLOR, theme.viewer.defaultBackgroundColor).value()); diff --git a/YACReader/options_dialog.h b/YACReader/options_dialog.h index 656536953..874e1c9f5 100644 --- a/YACReader/options_dialog.h +++ b/YACReader/options_dialog.h @@ -29,6 +29,7 @@ class OptionsDialog : public YACReaderOptionsDialog, protected Themable // QLabel * pathLabel; QLineEdit *pathEdit; QPushButton *pathFindButton; + QComboBox *languageCombo; QCheckBox *showTimeInInformationLabel; diff --git a/YACReader/yacreader_de.ts b/YACReader/yacreader_de.ts index 5fdbbb2e1..077f25ab8 100644 --- a/YACReader/yacreader_de.ts +++ b/YACReader/yacreader_de.ts @@ -9,6 +9,196 @@ Keine + + AddLabelDialog + + + Label name: + Label-Name: + + + + Choose a color: + Wähle eine Farbe: + + + + accept + Akzeptieren + + + + cancel + Abbrechen + + + + AddLibraryDialog + + + Comics folder : + Comics-Ordner : + + + + Library name : + Bibliothek-Name : + + + + Add + Hinzufügen + + + + Cancel + Abbrechen + + + + Add an existing library + Eine vorhandene Bibliothek hinzufügen + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Bevor du dich mit Comic Vine verbindest, brauchst du deinen eigenen API-Schlüssel. Du kannst <a href="http://www.comicvine.com/api/">hier</a> einen kostenlosen bekommen. + + + + Paste here your Comic Vine API key + Füge hier deinen Comic Vine API-Schlüssel ein. + + + + Accept + Akzeptieren + + + + Cancel + Abbrechen + + + + AppearanceTabWidget + + + Color scheme + Farbschema + + + + System + Systemumgebung + + + + Light + Licht + + + + Dark + Dunkel + + + + Custom + Brauch + + + + Remove + Entfernen + + + + Remove this user-imported theme + Entfernen Sie dieses vom Benutzer importierte Design + + + + Light: + Licht: + + + + Dark: + Dunkel: + + + + Custom: + Benutzerdefiniert: + + + + Import theme... + Theme importieren... + + + + Theme + Thema + + + + Theme editor + Theme-Editor + + + + Open Theme Editor... + Theme-Editor öffnen... + + + + Theme editor error + Fehler im Theme-Editor + + + + The current theme JSON could not be loaded. + Der aktuelle Theme-JSON konnte nicht geladen werden. + + + + Import theme + Thema importieren + + + + JSON files (*.json);;All files (*) + JSON-Dateien (*.json);;Alle Dateien (*) + + + + Could not import theme from: +%1 + Theme konnte nicht importiert werden von: +%1 + + + + Could not import theme from: +%1 + +%2 + Theme konnte nicht importiert werden von: +%1 + +%2 + + + + Import failed + Der Import ist fehlgeschlagen + + BookmarksDialog @@ -33,6 +223,200 @@ Neueste Seite + + ClassicComicsView + + + Hide comic flow + Comic "Flow" verstecken + + + + ComicModel + + + yes + Ja + + + + no + Nein + + + + Title + Titel + + + + File Name + Dateiname + + + + Pages + Seiten + + + + Size + Größe + + + + Read + Lesen + + + + Current Page + Aktuelle Seite + + + + Publication Date + Veröffentlichungsdatum + + + + Rating + Bewertung + + + + Series + Serie + + + + Volume + Volumen + + + + Story Arc + Handlungsbogen + + + + ComicVineDialog + + + skip + überspringen + + + + back + zurück + + + + next + nächste + + + + search + suche + + + + close + schließen + + + + + comic %1 of %2 - %3 + Comic %1 von %2 - %3 + + + + + + Looking for volume... + Suche nach Band.... + + + + %1 comics selected + %1 Comic ausgewählt + + + + Error connecting to ComicVine + Fehler bei Verbindung zu ComicVine + + + + + Retrieving tags for : %1 + Herunterladen von Tags für : %1 + + + + Retrieving volume info... + Herunterladen von Info zu Ausgabe... + + + + Looking for comic... + Suche nach Comic... + + + + ContinuousPageWidget + + + Loading page %1 + Seite wird geladen %1 + + + + CreateLibraryDialog + + + Comics folder : + Comics-Ordner : + + + + Library Name : + Bibliothek-Name : + + + + Create + Erstellen + + + + Cancel + Abbrechen + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Es kann einige Minuten dauern, eine neue Bibliothek zu erstellen. Sie können den Prozess abbrechen und die Bibliothek später aktualisieren, um den Vorgang abzuschließen. + + + + Create new library + Erstelle eine neue Bibliothek + + + + Path not found + Pfad nicht gefunden + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben + + EditShortcutsDialog @@ -51,16 +435,134 @@ Kürzel-Einstellungen - + Shortcut in use Genutzte Kürzel - + The shortcut "%1" is already assigned to other function Das Kürzel "%1" ist bereits für eine andere Funktion in Verwendung + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Dieser Ordner enthält noch keine Comics + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Dieses Label enthält noch keine Comics + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Diese Leseliste enthält noch keine Comics + + + + EmptySpecialListWidget + + + No favorites + Keine Favoriten + + + + You are not reading anything yet, come on!! + Sie lesen noch nichts, starten Sie!! + + + + There are no recent comics! + Es gibt keine aktuellen Comics! + + + + ExportComicsInfoDialog + + + Output file : + Zieldatei : + + + + Create + Erstellen + + + + Cancel + Abbrechen + + + + Export comics info + Comicinfo exportieren + + + + Destination database name + Ziel-Datenbank Name + + + + Problem found while writing + Problem beim Schreiben + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben + + + + ExportLibraryDialog + + + Output folder : + Ziel-Ordner : + + + + Create + Erstellen + + + + Cancel + Abbrechen + + + + Create covers package + Erzeuge Titelbild-Paket + + + + Problem found while writing + Problem beim Schreiben + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben + + + + Destination directory + Ziel-Verzeichnis + + FileComic @@ -116,1266 +618,3468 @@ GoToFlowToolBar - + Page : Seite : + + GridComicsView + + + Show info + Info anzeigen + + HelpAboutDialog - + Help Hilfe - + System info - + Systeminformationen - + About Über - LogWindow + ImportComicsInfoDialog - - Log window - Änderungsprotokoll-Fenster + + Import comics info + Importiere Comic-Info - - &Pause - Pause + + Info database location : + Info-Datenbank Speicherort : - - &Save - Speichern + + Import + Importieren - - C&lear - L&öschen + + Cancel + Abbrechen - - &Copy - &Kopieren + + Comics info file (*.ydb) + Comics-Info-Datei (*.ydb) + + + ImportLibraryDialog - - Level: - Level + + Library Name : + Bibliothek-Name : - - &Auto scroll - &Automatisches Scrollen + + Package location : + Paket Ort : - - - MainWindowViewer - File - Datei + + Destination folder : + Zielordner : - Help - Hilfe + + Unpack + Entpacken - Save - Speichern + + Cancel + Abbrechen - &File - &Datei + + Extract a catalog + Einen Katalog extrahieren - &Next - &Nächstes + + Compresed library covers (*.clc) + Komprimierte Bibliothek Cover (*.clc) - + + + ImportWidget + + + stop + Stopp + + + + Some of the comics being added... + Einige der Comics werden hinzugefügt... + + + + Importing comics + Comics werden importiert + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary erstellt nun eine neue Bibliothek. </p><p>Es kann einige Minuten dauern, eine neue Bibliothek zu erstellen. Sie können den Prozess abbrechen und die Bibliothek später aktualisieren, um den Vorgang abzuschließen.</p> + + + + Updating the library + Aktualisierung der Bibliothek + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Die aktuelle Bibliothek wird gerade aktualisiert. Für eine schnellere Aktualisierung, aktualisieren Sie die Bibliothek bitte regelmäßig.</p><p>Sie können den Prozess abbrechen und mit der Aktualisierung später fortfahren.<p> + + + + Upgrading the library + Upgrade der Bibliothek + + + + <p>The current library is being upgraded, please wait.</p> + Die aktuelle Bibliothek wird gerade upgegradet, bitte warten. + + + + Scanning the library + Durchsuchen der Bibliothek + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Die aktuelle Bibliothek wird nach alten XML-Metadateninformationen durchsucht.</p><p>Dies ist nur einmal erforderlich und nur, wenn die Bibliothek mit YACReaderLibrary 9.8.2 oder früher erstellt wurde.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Bibliothek + + + + + + comic + komisch + + + + + + manga + Manga + + + + + + western manga (left to right) + Western-Manga (von links nach rechts) + + + + + + web comic + Webcomic + + + + + + 4koma (top to botom) + 4koma (von oben nach unten) + + + + + + + Set type + Typ festlegen + + + + Library + Bibliothek + + + + Folder + Ordner + + + + Comic + Komisch + + + + Upgrade failed + Update gescheitert + + + + There were errors during library upgrade in: + Beim Upgrade der Bibliothek kam es zu Fehlern in: + + + + Update needed + Update benötigt + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Diese Bibliothek wurde mit einer älteren Version von YACReader erzeugt. Sie muss geupdated werden. Jetzt updaten? + + + + Download new version + Neue Version herunterladen + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Die Bibliothek wurde mit einer neueren Version von YACReader erstellt. Die neue Version jetzt herunterladen? + + + + Library not available + Bibliothek nicht verfügbar + + + + Library '%1' is no longer available. Do you want to remove it? + Bibliothek '%1' ist nicht mehr verfügbar. Wollen Sie sie entfernen? + + + + Old library + Alte Bibliothek + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Bibliothek '%1' wurde mit einer älteren Version von YACReader erstellt. Sie muss neu erzeugt werden. Wollen Sie die Bibliothek jetzt erzeugen? + + + + + Copying comics... + Kopieren von Comics... + + + + + Moving comics... + Verschieben von Comics... + + + + Add new folder + Neuen Ordner erstellen + + + + Folder name: + Ordnername + + + + No folder selected + Kein Ordner ausgewählt + + + + Please, select a folder first + Bitte wählen Sie zuerst einen Ordner aus + + + + Error in path + Fehler im Pfad + + + + There was an error accessing the folder's path + Beim Aufrufen des Ordnerpfades kam es zu einem Fehler + + + + Delete folder + Ordner löschen + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Der ausgewählte Ordner und sein gesamter Inhalt wird von Ihrer Festplatte gelöscht. Sind Sie sicher? + + + + + Unable to delete + Löschen nicht möglich + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Beim Löschen des ausgewählten Ordners ist ein Problem aufgetreten. Bitte überprüfen Sie die Schreibrechte und stellen Sie sicher, dass keine Anwendung diese Ordner oder die darin enthaltenen Dateien verwendet. + + + + Add new reading lists + Neue Leseliste hinzufügen + + + + + List name: + Name der Liste + + + + Delete list/label + Ausgewählte/s Liste/Label löschen + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Das ausgewählte Element wird gelöscht; Ihre Comics oder Ordner werden NICHT von Ihrer Festplatte gelöscht. Sind Sie sicher? + + + + Rename list name + Listenname ändern + + + + Open folder... + Öffne Ordner... + + + + Update folder + Ordner aktualisieren + + + + Rescan library for XML info + Durchsuchen Sie die Bibliothek erneut nach XML-Informationen + + + + Set as uncompleted + Als nicht gelesen markieren + + + + Set as completed + Als gelesen markieren + + + + Set as read + Als gelesen markieren + + + + + Set as unread + Als ungelesen markieren + + + + Set custom cover + Legen Sie ein benutzerdefiniertes Cover fest + + + + Delete custom cover + Benutzerdefiniertes Cover löschen + + + + Save covers + Titelbilder speichern + + + + You are adding too many libraries. + Sie fügen zu viele Bibliotheken hinzu. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Sie fügen zu viele Bibliotheken hinzu. + Wahrscheinlich brauchen Sie nur eine Bibliothek in Ihrem obersten Comic-Ordner, Sie können alle Unterordner mit Hilfe des Ordnerbereichs in der linken Seitenleiste durchsuchen. + +YACReaderLibrary wird Sie nicht daran hindern, weitere Bibliotheken zu erstellen, aber Sie sollten die Anzahl der Bibliotheken gering halten. + + + + + YACReader not found + YACReader nicht gefunden + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader nicht gefunden. YACReader muss im gleichen Ordner installiert sein wie YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader nicht gefunden. Eventuell besteht ein Problem mit Ihrer YACReader-Installation. + + + + Error + Fehler + + + + Error opening comic with third party reader. + Beim Öffnen des Comics mit dem Drittanbieter-Reader ist ein Fehler aufgetreten. + + + + Library not found + Bibliothek nicht gefunden + + + + The selected folder doesn't contain any library. + Der ausgewählte Ordner enthält keine Bibliothek. + + + + Are you sure? + Sind Sie sicher? + + + + Do you want remove + Möchten Sie entfernen + + + + library? + Bibliothek? + + + + Remove and delete metadata + Entferne und lösche Metadaten + + + + Library info + Informationen zur Bibliothek + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Es gab ein Problem beim Löschen der ausgewählten Comics. Überprüfen Sie bitte die Schreibberechtigung für die ausgewählten Dateien oder Ordner. + + + + Assign comics numbers + Comics Nummern zuweisen + + + + Assign numbers starting in: + Nummern zuweisen, beginnend mit: + + + + Invalid image + Ungültiges Bild + + + + The selected file is not a valid image. + Die ausgewählte Datei ist kein gültiges Bild. + + + + Error saving cover + Fehler beim Speichern des Covers + + + + There was an error saving the cover image. + Beim Speichern des Titelbildes ist ein Fehler aufgetreten. + + + + Error creating the library + Fehler beim Erstellen der Bibliothek + + + + Error updating the library + Fehler beim Updaten der Bibliothek + + + + Error opening the library + Fehler beim Öffnen der Bibliothek + + + + Delete comics + Comics löschen + + + + All the selected comics will be deleted from your disk. Are you sure? + Alle ausgewählten Comics werden von Ihrer Festplatte gelöscht. Sind Sie sicher? + + + + Remove comics + Comics löschen + + + + Comics will only be deleted from the current label/list. Are you sure? + Comics werden nur vom aktuellen Label/der aktuellen Liste gelöscht. Sind Sie sicher? + + + + Library name already exists + Bibliothek-Name bereits vorhanden + + + + There is another library with the name '%1'. + Es gibt bereits eine Bibliothek mit dem Namen '%1'. + + + + LibraryWindowActions + + + Create a new library + Neue Bibliothek erstellen + + + + Open an existing library + Eine vorhandede Bibliothek öffnen + + + + + Export comics info + Comicinfo exportieren + + + + + Import comics info + Importiere Comic-Info + + + + Pack covers + Titelbild-Paket erzeugen + + + + Pack the covers of the selected library + Packe die Titelbilder der ausgewählten Bibliothek in ein Paket + + + + Unpack covers + Titelbilder entpacken + + + + Unpack a catalog + Katalog entpacken + + + + Update library + Bibliothek updaten + + + + Update current library + Aktuelle Bibliothek updaten + + + + Rename library + Bibliothek umbenennen + + + + Rename current library + Aktuelle Bibliothek umbenennen + + + + Remove library + Bibliothek entfernen + + + + Remove current library from your collection + Aktuelle Bibliothek aus der Sammlung entfernen + + + + Rescan library for XML info + Durchsuchen Sie die Bibliothek erneut nach XML-Informationen + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Versucht, in Comic-Dateien eingebettete XML-Informationen zu finden. Sie müssen dies nur tun, wenn die Bibliothek mit 9.8.2 oder früheren Versionen erstellt wurde oder wenn Sie Software von Drittanbietern verwenden, um XML-Informationen in die Dateien einzubetten. + + + + Show library info + Bibliotheksinformationen anzeigen + + + + Show information about the current library + Informationen zur aktuellen Bibliothek anzeigen + + + + Open current comic + Aktuellen Comic öffnen + + + + Open current comic on YACReader + Aktuellen Comic mit YACReader öffnen + + + + Save selected covers to... + Ausgewählte Titelbilder speichern in... + + + + Save covers of the selected comics as JPG files + Titelbilder der ausgewählten Comics als JPG-Datei speichern + + + + + Set as read + Als gelesen markieren + + + + Set comic as read + Comic als gelesen markieren + + + + + Set as unread + Als ungelesen markieren + + + + Set comic as unread + Comic als ungelesen markieren + + + + + manga + Manga + + + + Set issue as manga + Ausgabe als Manga festlegen + + + + + comic + komisch + + + + Set issue as normal + Ausgabe als normal festlegen + + + + western manga + Western-Manga + + + + Set issue as western manga + Ausgabe als Western-Manga festlegen + + + + + web comic + Webcomic + + + + Set issue as web comic + Ausgabe als Webcomic festlegen + + + + + yonkoma + Yonkoma + + + + Set issue as yonkoma + Stellen Sie das Problem als Yonkoma ein + + + + Show/Hide marks + Zeige/Verberge Markierungen + + + + Show or hide read marks + Gelesen-Markierungen anzeigen oder verbergen + + + + Show/Hide recent indicator + Aktuelle Anzeige ein-/ausblenden + + + + Show or hide recent indicator + Aktuelle Anzeige anzeigen oder ausblenden + + + + + Fullscreen mode on/off + Vollbildmodus an/aus + + + + Help, About YACReader + Hilfe, über YACReader + + + + Add new folder + Neuen Ordner erstellen + + + + Add new folder to the current library + Neuen Ordner in der aktuellen Bibliothek erstellen + + + + Delete folder + Ordner löschen + + + + Delete current folder from disk + Aktuellen Ordner von der Festplatte löschen + + + + Select root node + Ursprungsordner auswählen + + + + Expand all nodes + Alle Unterordner anzeigen + + + + Collapse all nodes + Alle Unterordner einklappen + + + + Show options dialog + Zeige den Optionen-Dialog + + + + Show comics server options dialog + Zeige Comic-Server-Optionen-Dialog + + + + + Change between comics views + Zwischen Comic-Anzeigemodi wechseln + + + + Open folder... + Öffne Ordner... + + + + Set as uncompleted + Als nicht gelesen markieren + + + + Set as completed + Als gelesen markieren + + + + Set custom cover + Legen Sie ein benutzerdefiniertes Cover fest + + + + Delete custom cover + Benutzerdefiniertes Cover löschen + + + + western manga (left to right) + Western-Manga (von links nach rechts) + + + + Open containing folder... + Öffne aktuellen Ordner... + + + + Reset comic rating + Comic-Bewertung zurücksetzen + + + + Select all comics + Alle Comics auswählen + + + + Edit + Ändern + + + + Assign current order to comics + Aktuele Sortierung auf Comics anwenden + + + + Update cover + Titelbild updaten + + + + Delete selected comics + Ausgewählte Comics löschen + + + + Delete metadata from selected comics + Metadaten aus ausgewählten Comics löschen + + + + Download tags from Comic Vine + Tags von Comic Vine herunterladen + + + + Focus search line + Suchzeile fokussieren + + + + Focus comics view + Fokus-Comic-Ansicht + + + + Edit shortcuts + Kürzel ändern + + + + &Quit + &Schließen + + + + Update folder + Ordner aktualisieren + + + + Update current folder + Aktuellen Ordner aktualisieren + + + + Scan legacy XML metadata + Scannen Sie ältere XML-Metadaten + + + + Add new reading list + Neue Leseliste hinzufügen + + + + Add a new reading list to the current library + Neue Leseliste zur aktuellen Bibliothek hinzufügen + + + + Remove reading list + Leseliste entfernen + + + + Remove current reading list from the library + Aktuelle Leseliste von der Bibliothek entfernen + + + + Add new label + Neues Label hinzufügen + + + + Add a new label to this library + Neues Label zu dieser Bibliothek hinzufügen + + + + Rename selected list + Ausgewählte Liste umbenennen + + + + Rename any selected labels or lists + Ausgewählte Labels oder Listen umbenennen + + + + Add to... + Hinzufügen zu... + + + + Favorites + Favoriten + + + + Add selected comics to favorites list + Ausgewählte Comics zu Favoriten hinzufügen + + + + LocalComicListModel + + + file name + Dateiname + + + + LogWindow + + Log window + Änderungsprotokoll-Fenster + + + &Pause + Pause + + + &Save + Speichern + + + C&lear + L&öschen + + + &Copy + &Kopieren + + + Level: + Level + + + &Auto scroll + &Automatisches Scrollen + + + + MainWindowViewer + + File + Datei + + + Help + Hilfe + + + Save + Speichern + + + &File + &Datei + + + &Next + &Nächstes + + &Open &Öffnen - Close - Schliessen + Close + Schliessen + + + Open Comic + Comic öffnen + + + Go To + Gehe zu + + + Open image folder + Bilder-Ordner öffnen + + + Set bookmark + Lesezeichen setzen + + + page_%1.jpg + Seite_%1.jpg + + + Switch to double page mode + Zum Doppelseiten-Modus wechseln + + + Save current page + Aktuelle Seite speichern + + + Double page mode + Doppelseiten-Modus + + + Switch Magnifying glass + Vergrößerungsglas wechseln + + + Open Folder + Ordner öffnen + + + Fit Height + Höhe anpassen + + + Comic files + Comic-Dateien + + + Not now + Nicht jetzt + + + Go to previous page + Zur vorherigen Seite gehen + + + Open a comic + Comic öffnen + + + Image files (*.jpg) + Bildateien (*.jpg) + + + Next Comic + Nächster Comic + + + Fit Width + Breite anpassen + + + Options + Optionen + + + Show Info + Info anzeigen + + + Open folder + Ordner öffnen + + + Go to page ... + Gehe zu Seite ... + + + Fit image to width + Bildbreite anpassen + + + &Previous + &Vorherige + + + Go to next page + Zur nächsten Seite gehen + + + Show keyboard shortcuts + Tastenkürzel anzeigen + + + There is a new version available + Neue Version verfügbar + + + Open next comic + Nächsten Comic öffnen + + + Remind me in 14 days + In 14 Tagen erneut erinnern + + + Show bookmarks + Lesezeichen anzeigen + + + Open previous comic + Vorherigen Comic öffnen + + + Rotate image to the left + Bild nach links drehen + + + Fit image to height + Bild an Höhe anpassen + + + Show the bookmarks of the current comic + Lesezeichen für diesen Comic anzeigen + + + Show Dictionary + Wörterbuch anzeigen + + + YACReader options + YACReader Optionen + + + Help, About YACReader + Hilfe, über YACReader + + + Show go to flow + "Go to Flow" anzeigen + + + Previous Comic + Voheriger Comic + + + Show full size + Vollansicht anzeigen + + + Magnifying glass + Vergößerungsglas + + + General + Allgemein + + + Set a bookmark on the current page + Lesezeichen auf dieser Seite setzen + + + Do you want to download the new version? + Möchten Sie die neue Version herunterladen? + + + Rotate image to the right + Bild nach rechts drehen + + + Always on top + Immer Oberste Ansicht + + + New instance + Neuer Fall + + + Open latest comic + Neuesten Comic öffnen + + + Open the latest comic opened in the previous reading session + Öffne den neuesten Comic deiner letzten Sitzung + + + Clear + Löschen + + + Clear open recent list + Lösche Liste zuletzt geöffneter Elemente + + + Fit to page + An Seite anpassen + + + Reset zoom + Zoom zurücksetzen + + + Show zoom slider + Zoomleiste anzeigen + + + Zoom+ + Vergr??ern+ + + + Zoom- + Verkleinern- + + + Double page manga mode + Doppelseiten-Manga-Modus + + + Reverse reading order in double page mode + Umgekehrte Lesereihenfolge im Doppelseiten-Modus + + + Edit shortcuts + Kürzel ändern + + + Open recent + Kürzlich geöffnet + + + Edit + Ändern + + + View + Anzeigen + + + Go + Los + + + Window + Fenster + + + Comics + Comichefte + + + Toggle fullscreen mode + Vollbild-Modus umschalten + + + Hide/show toolbar + Symbolleiste anzeigen/verstecken + + + Size up magnifying glass + Vergrößerungsglas vergrößern + + + Size down magnifying glass + Vergrößerungsglas verkleinern + + + Zoom in magnifying glass + Vergrößerungsglas reinzoomen + + + Zoom out magnifying glass + Vergrößerungsglas rauszoomen + + + Magnifiying glass + Vergrößerungsglas + + + Toggle between fit to width and fit to height + Zwischen Anpassung an Seite und Höhe wechseln + + + Page adjustement + Seitenanpassung + + + Autoscroll down + Automatisches Runterscrollen + + + Autoscroll up + Automatisches Raufscrollen + + + Autoscroll forward, horizontal first + Automatisches Vorwärtsscrollen, horizontal zuerst + + + Autoscroll backward, horizontal first + Automatisches Zurückscrollen, horizontal zuerst + + + Autoscroll forward, vertical first + Automatisches Vorwärtsscrollen, vertikal zuerst + + + Autoscroll backward, vertical first + Automatisches Zurückscrollen, vertikal zuerst + + + Move down + Nach unten + + + Move up + Nach oben + + + Move left + Nach links + + + Move right + Nach rechts + + + Go to the first page + Zur ersten Seite gehen + + + Go to the last page + Zur letzten Seite gehen + + + Reading + Lesend + + + + NoLibrariesWidget + + + You don't have any libraries yet + Sie haben aktuell noch keine Bibliothek + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Sie können eine Bibliothek in jedem beliebigen Ordner erstellen, YACReaderLibrary wird alle Comics und Unterordner von diesem Ordner importieren. Wenn Sie bereits eine Bibliothek erstellt haben, können Sie sie öffnen.</p><p>Vergessen Sie nicht, dass Sie YACReader als eigentsändige Anwendung nutzen können, um Comics auf Ihrem Computer zu lesen.</p> + + + + create your first library + Erstellen Sie Ihre erste Bibliothek + + + + add an existing one + Existierende hinzufügen + + + + NoSearchResultsWidget + + + No results + Keine Ergebnisse + + + + OptionsDialog + + + Gamma + Gammawert + + + + Reset + Zurücksetzen + + + + My comics path + Meine Comics-Pfad + + + + Scaling + Skalierung + + + + Scaling method + Skalierungsmethode + + + + Nearest (fast, low quality) + Am nächsten (schnell, niedrige Qualität) + + + + Bilinear + Bilinear-Filter + + + + Lanczos (better quality) + Lanczos (bessere Qualität) + + + + Image adjustment + Bildanpassung - Open Comic - Comic öffnen + + "Go to flow" size + "Go to flow" Größe - Go To - Gehe zu + + Choose + Auswählen - Open image folder - Bilder-Ordner öffnen + + Image options + Bilderoptionen - Set bookmark - Lesezeichen setzen + + Contrast + Kontrast - page_%1.jpg - Seite_%1.jpg + + + Libraries + Bibliotheken - Switch to double page mode - Zum Doppelseiten-Modus wechseln + + Comic Flow + Comic-Flow - Save current page - Aktuelle Seite speichern + + Grid view + Rasteransicht - Double page mode - Doppelseiten-Modus + + + Appearance + Aussehen - Switch Magnifying glass - Vergrößerungsglas wechseln + + + Options + Optionen - Open Folder - Ordner öffnen + + + Language + Sprache - Fit Height - Höhe anpassen + + + Application language + Anwendungssprache - Comic files - Comic-Dateien + + + System default + Systemstandard - Not now - Nicht jetzt + + Tray icon settings (experimental) + Taskleisten-Einstellungen (experimentell) + + + + Close to tray + In Taskleiste schließen + + + + Start into the system tray + In die Taskleiste starten + + + + Edit Comic Vine API key + Comic Vine API-Schlüssel ändern + + + + Comic Vine API key + Comic Vine API Schlüssel + + + + ComicInfo.xml legacy support + ComicInfo.xml-Legacy-Unterstützung + + + + Import metadata from ComicInfo.xml when adding new comics + Importieren Sie Metadaten aus ComicInfo.xml, wenn Sie neue Comics hinzufügen + + + + Consider 'recent' items added or updated since X days ago + Berücksichtigen Sie „neue“ Elemente, die seit X Tagen hinzugefügt oder aktualisiert wurden + + + + Third party reader + Drittanbieter-Reader + + + + Write {comic_file_path} where the path should go in the command + Schreiben Sie {comic_file_path}, wohin der Pfad im Befehl gehen soll + + + + + Clear + Löschen + + + + Update libraries at startup + Aktualisieren Sie die Bibliotheken beim Start + + + + Try to detect changes automatically + Versuchen Sie, Änderungen automatisch zu erkennen + + + + Update libraries periodically + Aktualisieren Sie die Bibliotheken regelmäßig + + + + Interval: + Intervall: + + + + 30 minutes + 30 Minuten + + + + 1 hour + 1 Stunde + + + + 2 hours + 2 Stunden + + + + 4 hours + 4 Stunden + + + + 8 hours + 8 Stunden + + + + 12 hours + 12 Stunden + + + + daily + täglich + + + + Update libraries at certain time + Aktualisieren Sie Bibliotheken zu einem bestimmten Zeitpunkt + + + + Time: + Zeit: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + WARNUNG! Während Bibliotheksaktualisierungen sind Schreibvorgänge in die Datenbank deaktiviert! +Planen Sie keine Updates, während Sie die App möglicherweise aktiv nutzen. +Bei automatischen Updates blockiert die App einige Aktionen, bis das Update abgeschlossen ist. +Um eine automatische Aktualisierung zu stoppen, tippen Sie auf die Ladeanzeige neben dem Titel „Bibliotheken“. + + + + Modifications detection + Erkennung von Änderungen + + + + Compare the modified date of files when updating a library (not recommended) + Vergleichen Sie das Änderungsdatum von Dateien beim Aktualisieren einer Bibliothek (nicht empfohlen) + + + + Enable background image + Hintergrundbild aktivieren + + + + Opacity level + Deckkraft-Stufe + + + + Blur level + Unschärfe-Stufe + + + + Use selected comic cover as background + Den ausgewählten Comic als Hintergrund verwenden + + + + Restore defautls + Standardwerte wiederherstellen + + + + Background + Hintergrund + + + + Display continue reading banner + Weiterlesen-Banner anzeigen + + + + Display current comic banner + Aktuelles Comic-Banner anzeigen + + + + Continue reading + Weiterlesen + + + + Comics directory + Comics-Verzeichnis + + + + Background color + Hintergrundfarbe + + + + Page Flow + Seitenfluss + + + + + General + Allgemein + + + + Brightness + Helligkeit + + + + + Restart is needed + Neustart erforderlich + + + + Quick Navigation Mode + Schnellnavigations-Modus + + + + Display + Anzeige + + + + Show time in current page information label + Zeit im Informationsetikett der aktuellen Seite anzeigen + + + + Scroll behaviour + Scrollverhalten + + + + Disable scroll animations and smooth scrolling + Scroll-Animationen und sanftes Scrollen deaktivieren + + + + Do not turn page using scroll + Blättern Sie nicht mit dem Scrollen um + + + + Use single scroll step to turn page + Verwenden Sie einen einzelnen Bildlaufschritt, um die Seite umzublättern + + + + Mouse mode + Mausmodus + + + + Only Back/Forward buttons can turn pages + Nur mit den Zurück-/Vorwärts-Tasten können Seiten umgeblättert werden + + + + Use the Left/Right buttons to turn pages. + Verwenden Sie die Links-/Rechts-Tasten, um Seiten umzublättern. + + + + Click left or right half of the screen to turn pages. + Klicken Sie auf die linke oder rechte Hälfte des Bildschirms, um die Seiten umzublättern. + + + + Disable mouse over activation + Aktivierung durch Maus deaktivieren + + + + Fit options + Anpassungsoptionen + + + + Enlarge images to fit width/height + Bilder vergrößern, um sie Breite/Höhe anzupassen + + + + Double Page options + Doppelseiten-Einstellungen + + + + Show covers as single page + Cover als eine Seite darstellen + + + + PropertiesDialog + + + General info + Allgemeine Info + + + + Plot + Inhalt + + + + Authors + Autoren + + + + Publishing + Veröffentlichung + + + + Notes + Notizen + + + + Cover page + Titelbild + + + + Load previous page as cover + Vorherige Seite als Cover laden + + + + Load next page as cover + Nächste Seite als Cover laden + + + + Reset cover to the default image + Cover auf das Standardbild zurücksetzen + + + + Load custom cover image + Laden Sie ein benutzerdefiniertes Titelbild + + + + Series: + Serie: + + + + Title: + Titel: + + + + + + of: + von + + + + Issue number: + Ausgabennummer: + + + + Volume: + Band: + + + + Arc number: + Handlungsbogen Nummer: + + + + Story arc: + Handlung: + + + + alt. number: + alt. Nummer: + + + + Alternate series: + Alternative Serie: + + + + Series Group: + Seriengruppe: + + + + Genre: + Gattung: + + + + Size: + Größe: + + + + Writer(s): + Autor(en): + + + + Penciller(s): + Künstler(Bleistift): + + + + Inker(s): + Künstler(Tinte): + + + + Colorist(s): + Künstler(Farbe): + + + + Letterer(s): + Künstler(Schrift): + + + + Cover Artist(s): + Titelbild-Künstler: + + + + Editor(s): + Herausgeber(n): + + + + Imprint: + Impressum: - Go to previous page - Zur vorherigen Seite gehen + + Day: + Tag: - Open a comic - Comic öffnen + + Month: + Monat: - Image files (*.jpg) - Bildateien (*.jpg) + + Year: + Jahr: - Next Comic - Nächster Comic + + Publisher: + Verlag: - Fit Width - Breite anpassen + + Format: + Formatangabe: - Options - Optionen + + Color/BW: + Farbe/Schwarz-Weiß: - Show Info - Info anzeigen + + Age rating: + Altersangabe: - Open folder - Ordner öffnen + + Type: + Typ: - Go to page ... - Gehe zu Seite ... + + Language (ISO): + Sprache (ISO): - Fit image to width - Bildbreite anpassen + + Synopsis: + Zusammenfassung: - &Previous - &Vorherige + + Characters: + Charaktere: - Go to next page - Zur nächsten Seite gehen + + Teams: + Mannschaften: - Show keyboard shortcuts - Tastenkürzel anzeigen + + Locations: + Standorte: - There is a new version available - Neue Version verfügbar + + Main character or team: + Hauptfigur oder Team: - Open next comic - Nächsten Comic öffnen + + Review: + Rezension: - Remind me in 14 days - In 14 Tagen erneut erinnern + + Notes: + Anmerkungen: - Show bookmarks - Lesezeichen anzeigen + + Tags: + Schlagworte: - Open previous comic - Vorherigen Comic öffnen + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine-Link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> ansehen </a> - Rotate image to the left - Bild nach links drehen + + Not found + Nicht gefunden - Fit image to height - Bild an Höhe anpassen + + Comic not found. You should update your library. + Comic nicht gefunden. Sie sollten Ihre Bibliothek updaten. - Show the bookmarks of the current comic - Lesezeichen für diesen Comic anzeigen + + Edit comic information + Comic-Informationen bearbeiten - Show Dictionary - Wörterbuch anzeigen + + Edit selected comics information + Ausgewählte Comic-Informationen bearbeiten - YACReader options - YACReader Optionen + + Invalid cover + Ungültiger Versicherungsschutz - Help, About YACReader - Hilfe, über YACReader + + The image is invalid. + Das Bild ist ungültig. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer ist die Headless-Version (keine GUI) von YACReaderLibrary. + +Diese Anwendung unterstützt dauerhafte Einstellungen. Um sie einzurichten, bearbeiten Sie diese Datei %1 +Um mehr über die verfügbaren Einstellungen zu erfahren, lesen Sie bitte die Dokumentation unter https://raw.githubusercontent.com/YACReader/yareader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + QObject - Show go to flow - "Go to Flow" anzeigen + + 7z lib not found + 7z-Verzeichnis nicht gefunden - Previous Comic - Voheriger Comic + + unable to load 7z lib from ./utils + 7z -erzeichnis kann von ./utils nicht geladen werden - Show full size - Vollansicht anzeigen + + Trace + Verfolgen - Magnifying glass - Vergößerungsglas + + Debug + Fehlersuche - General - Allgemein + + Info + Information - Set a bookmark on the current page - Lesezeichen auf dieser Seite setzen + + Warning + Warnung - Do you want to download the new version? - Möchten Sie die neue Version herunterladen? + + Error + Fehler - Rotate image to the right - Bild nach rechts drehen + + Fatal + Tödlich - Always on top - Immer Oberste Ansicht + + Select custom cover + Wählen Sie ein benutzerdefiniertes Cover - New instance - Neuer Fall + + Images (%1) + Bilder (%1) - Open latest comic - Neuesten Comic öffnen + + The file could not be read or is not valid JSON. + Die Datei konnte nicht gelesen werden oder ist kein gültiges JSON. - Open the latest comic opened in the previous reading session - Öffne den neuesten Comic deiner letzten Sitzung + + This theme is for %1, not %2. + Dieses Thema ist für %1, nicht für %2. - Clear - Löschen + + Libraries + Bibliotheken - Clear open recent list - Lösche Liste zuletzt geöffneter Elemente + + Folders + Ordner - Fit to page - An Seite anpassen + + Reading Lists + Leselisten + + + QsLogging::LogWindowModel - Reset zoom - Zoom zurücksetzen + Time + Zeit - Show zoom slider - Zoomleiste anzeigen + Level + Stufe - Zoom+ - Zoom+ + Message + NAchricht + + + QsLogging::Window - Zoom- - Zoom- + &Pause + Pause - Double page manga mode - Doppelseiten-Manga-Modus + &Resume + &Weiter - Reverse reading order in double page mode - Umgekehrte Lesereihenfolge im Doppelseiten-Modus + Save log + Protokoll speichern - Edit shortcuts - Kürzel ändern + Log file (*.log) + Protokoll-Datei (*.log) + + + RenameLibraryDialog - Open recent - Kürzlich geöffnet + + New Library Name : + Neuer Bibliotheksname : - Edit - Ändern + + Rename + Umbenennen - View - Anzeigen + + Cancel + Abbrechen - Go - Los + + Rename current library + Aktuelle Bibliothek umbenennen + + + ScraperResultsPaginator - Window - Fenster + + Number of volumes found : %1 + Anzahl der gefundenen Bände: %1 - Comics - Comics + + + page %1 of %2 + Seite %1 von %2 - Toggle fullscreen mode - Vollbild-Modus umschalten + + Number of %1 found : %2 + Anzahl von %1 gefunden : %2 + + + SearchSingleComic - Hide/show toolbar - Symbolleiste anzeigen/verstecken + + Please provide some additional information for this comic. + Bitte stellen Sie weitere Informationen zur Verfügung. - Size up magnifying glass - Vergrößerungsglas vergrößern + + Series: + Serie: - Size down magnifying glass - Vergrößerungsglas verkleinern + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Verwenden Sie die Suche nach exakten Übereinstimmungen. Deaktivieren Sie diese Option, wenn Sie Bände finden möchten, die mit einigen Wörtern im Namen übereinstimmen. + + + SearchVolume - Zoom in magnifying glass - Vergrößerungsglas reinzoomen + + Please provide some additional information. + Bitte stellen Sie weitere Informationen zur Verfügung. - Zoom out magnifying glass - Vergrößerungsglas rauszoomen + + Series: + Serie: - Magnifiying glass - Vergrößerungsglas + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Verwenden Sie die Suche nach exakten Übereinstimmungen. Deaktivieren Sie diese Option, wenn Sie Bände finden möchten, die mit einigen Wörtern im Namen übereinstimmen. + + + SelectComic - Toggle between fit to width and fit to height - Zwischen Anpassung an Seite und Höhe wechseln + + Please, select the right comic info. + Bitte wählen Sie die korrekte Comic-Information aus. - Page adjustement - Seitenanpassung + + comics + Comics - Autoscroll down - Automatisches Runterscrollen + + loading cover + Titelbild wird geladen - Autoscroll up - Automatisches Raufscrollen + + loading description + Beschreibung wird laden - Autoscroll forward, horizontal first - Automatisches Vorwärtsscrollen, horizontal zuerst + + comic description unavailable + Comic-Beschreibung nicht verfügbar + + + SelectVolume - Autoscroll backward, horizontal first - Automatisches Zurückscrollen, horizontal zuerst + + Please, select the right series for your comic. + Bitte wählen Sie die korrekte Serie für Ihre Comics aus. - Autoscroll forward, vertical first - Automatisches Vorwärtsscrollen, vertikal zuerst + + Filter: + Filteroption: - Autoscroll backward, vertical first - Automatisches Zurückscrollen, vertikal zuerst + + volumes + Bände - Move down - Nach unten + + Nothing found, clear the filter if any. + Nichts gefunden. Löschen Sie ggf. den Filter. - Move up - Nach oben + + loading cover + Titelbild wird geladen - Move left - Nach links + + loading description + Beschreibung wird laden - Move right - Nach rechts + + volume description unavailable + Bandbeschreibung nicht verfügbar + + + SeriesQuestion - Go to the first page - Zur ersten Seite gehen + + You are trying to get information for various comics at once, are they part of the same series? + Sie versuchen, Informationen zu mehreren Comics gleichzeitig zu laden, sind diese Teil einer Serie? - Go to the last page - Zur letzten Seite gehen + + yes + Ja - Reading - Lesend + + no + Nein - OptionsDialog + ServerConfigDialog - - Gamma - Gamma + + set port + Anschluss wählen - - Reset - Zurücksetzen + + Server connectivity information + Serveranschluss-Information - - My comics path - Meine Comics-Pfad + + Scan it! + Durchsuchen! - - Image adjustment - Bildanpassung + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader ist für iOS- und Android-Geräte verfügbar.<br/>Entdecken Sie es für <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> oder <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - - "Go to flow" size - "Go to flow" Größe + + Choose an IP address + IP-Adresse auswählen - - Choose - Auswählen + + Port + Anschluss - - Image options - Bilderoptionen + + enable the server + Server aktivieren + + + ShortcutsDialog - - Contrast - Kontrast + Close + Schliessen - - Options - Optionen + YACReader keyboard shortcuts + YACReader Tastaturkürzel - - Comics directory - Comics-Verzeichnis + Keyboard Shortcuts + Tastaturkürzel + + + SortVolumeComics - - Background color - Hintergrundfarbe + + Please, sort the list of comics on the left until it matches the comics' information. + Sortieren Sie bitte die Comic-Informationen links, bis die Informationen mit den Comics übereinstimmen. - - Page Flow - Page Flow + + sort comics to match comic information + Comics laut Comic-Information sortieren - - General - Allgemein + + issues + Ausgaben - - Brightness - Helligkeit + + remove selected comics + Ausgewählte Comics entfernen - - Restart is needed - Neustart erforderlich + + restore all removed comics + Alle entfernten Comics wiederherstellen + + + + ThemeEditorDialog + + + Theme Editor + Theme-Editor - - Quick Navigation Mode - Schnellnavigations-Modus + + + + + + + + + - + - + + + + i + ich - - Display - + + Expand all + Alles erweitern - - Show time in current page information label - + + Collapse all + Alles einklappen - - Scroll behaviour - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Halten Sie gedrückt, um den ausgewählten Wert in der Benutzeroberfläche zu blinken (Magenta / umgeschaltet / 0↔10). Releases stellen das Original wieder her. - - Disable scroll animations and smooth scrolling - + + Search… + Suchen… - - Do not turn page using scroll - + + Light + Licht - - Use single scroll step to turn page - + + Dark + Dunkel - - Mouse mode - + + ID: + AUSWEIS: - - Only Back/Forward buttons can turn pages - + + Display name: + Anzeigename: - - Use the Left/Right buttons to turn pages. - + + Variant: + Variante: - - Click left or right half of the screen to turn pages. - + + Theme info + Themeninfo - - Disable mouse over activation - Aktivierung durch Maus deaktivieren + + Parameter + Parameterwert - - Fit options - Anpassungsoptionen + + Value + Wert - - Enlarge images to fit width/height - Bilder vergrößern, um sie Breite/Höhe anzupassen + + Save and apply + Speichern und bewerben - - Double Page options - Doppelseiten-Einstellungen + + Export to file... + In Datei exportieren... - - Show covers as single page - Cover als eine Seite darstellen + + Load from file... + Aus Datei laden... - - - QObject - - 7z lib not found - 7z-Verzeichnis nicht gefunden + + Close + Schliessen - - unable to load 7z lib from ./utils - 7z -erzeichnis kann von ./utils nicht geladen werden + + Double-click to edit color + Doppelklicken Sie, um die Farbe zu bearbeiten - - Trace - Verfolgen + + + + + + + true + WAHR - - Debug - Fehlersuche + + + + + false + FALSCH - - Info - Information + + Double-click to toggle + Zum Umschalten doppelklicken - - Warning - Warnung + + Double-click to edit value + Doppelklicken Sie, um den Wert zu bearbeiten - - Error - Error + + + + Edit: %1 + Bearbeiten: %1 - - Fatal - Fatal + + Save theme + Thema speichern - - Select custom cover - + + + JSON files (*.json);;All files (*) + JSON-Dateien (*.json);;Alle Dateien (*) - - Images (%1) - + + Save failed + Speichern fehlgeschlagen - - - QsLogging::LogWindowModel - - Time - Zeit + + Could not open file for writing: +%1 + Die Datei konnte nicht zum Schreiben geöffnet werden: +%1 - - Level - Level + + Load theme + Theme laden - - Message - NAchricht + + + + Load failed + Das Laden ist fehlgeschlagen - - - QsLogging::Window - - &Pause - &Pause + + Could not open file: +%1 + Datei konnte nicht geöffnet werden: +%1 - - &Resume - &Weiter + + Invalid JSON: +%1 + Ungültiger JSON: +%1 - - Save log - Protokoll speichern + + Expected a JSON object. + Es wurde ein JSON-Objekt erwartet. + + + TitleHeader - - Log file (*.log) - Protokoll-Datei (*.log) + + SEARCH + Suchen - ShortcutsDialog + UpdateLibraryDialog - Close - Schliessen + + Updating.... + Aktualisierung.... - YACReader keyboard shortcuts - YACReader Tastaturkürzel + + Cancel + Abbrechen - Keyboard Shortcuts - Tastaturkürzel + + Update library + Bibliothek updaten Viewer - + Page not available! Seite nicht verfügbar! - - + + Press 'O' to open comic. 'O' drücken, um Comic zu öffnen. - + Error opening comic Fehler beim Öffnen des Comics - + Cover! Titelseite! - + CRC Error CRC Fehler - + Comic not found Comic nicht gefunden - + Not found Nicht gefunden - + Last page! Letzte Seite! - + Loading...please wait! Ladevorgang... Bitte warten! + + VolumeComicsModel + + + title + Titel + + + + VolumesModel + + + year + Jahr + + + + issues + Ausgaben + + + + publisher + Herausgeber + + + + YACReader3DFlowConfigWidget + + + Presets: + Voreinstellungen: + + + + Classic look + Klassische Ansicht + + + + Stripe look + Streifen-Ansicht + + + + Overlapped Stripe look + Überlappende Streifen-Ansicht + + + + Modern look + Moderne Ansicht + + + + Roulette look + Zufalls-Ansicht + + + + Show advanced settings + Zeige erweiterte Einstellungen + + + + Custom: + Benutzerdefiniert: + + + + View angle + Anzeige-Winkel + + + + Position + Lage + + + + Cover gap + Titelbild-Abstand + + + + Central gap + Mittiger Abstand + + + + Zoom + Vergrößern + + + + Y offset + Y-Anpassung + + + + Z offset + Z-Anpassung + + + + Cover Angle + Titelbild Ansichtswinkel + + + + Visibility + Sichtbarkeit + + + + Light + Licht + + + + Max angle + Maximaler Winkel + + + + Low Performance + Niedrige Leistung + + + + High Performance + Hohe Leistung + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Benutze VSync (verbessert die Bildqualität im Vollanzeigemodus, schlechtere Leistung) + + + + Performance: + Leistung: + + YACReader::MainWindowViewer - + &Open - &Öffnen + &Öffnen - + Open a comic - Comic öffnen + Comic öffnen - + New instance - Neuer Fall + Neuer Fall - + Open Folder - Ordner öffnen + Ordner öffnen - + Open image folder - Bilder-Ordner öffnen + Bilder-Ordner öffnen - + Open latest comic - Neuesten Comic öffnen + Neuesten Comic öffnen - + Open the latest comic opened in the previous reading session - Öffne den neuesten Comic deiner letzten Sitzung + Öffne den neuesten Comic deiner letzten Sitzung - + Clear - Löschen + Löschen - + Clear open recent list - Lösche Liste zuletzt geöffneter Elemente + Lösche Liste zuletzt geöffneter Elemente - + Save - Speichern + Speichern - + Save current page - Aktuelle Seite speichern + Aktuelle Seite speichern Previous Comic - Voheriger Comic + Voheriger Comic - - - + + + Open previous comic - Vorherigen Comic öffnen + Vorherigen Comic öffnen - + Next Comic - Nächster Comic + Nächster Comic - - - + + + Open next comic - Nächsten Comic öffnen + Nächsten Comic öffnen - + &Previous - &Vorherige + &Vorherige - - - + + + Go to previous page - Zur vorherigen Seite gehen + Zur vorherigen Seite gehen - + &Next - &Nächstes + &Nächstes - - - + + + Go to next page - Zur nächsten Seite gehen + Zur nächsten Seite gehen - + Fit Height - Höhe anpassen + Höhe anpassen - + Fit image to height - Bild an Höhe anpassen + Bild an Höhe anpassen - + Fit Width - Breite anpassen + Breite anpassen - + Fit image to width - Bildbreite anpassen + Bildbreite anpassen - + Show full size - Vollansicht anzeigen + Vollansicht anzeigen - + Fit to page - An Seite anpassen + An Seite anpassen + + + + Continuous scroll + Kontinuierliches Scrollen + + + + Switch to continuous scroll mode + Wechseln Sie in den kontinuierlichen Bildlaufmodus - + Reset zoom - Zoom zurücksetzen + Zoom zurücksetzen - + Show zoom slider - Zoomleiste anzeigen + Zoomleiste anzeigen - + Zoom+ - Zoom+ + Vergr??ern+ - + Zoom- - Zoom- + Verkleinern- - + Rotate image to the left - Bild nach links drehen + Bild nach links drehen - + Rotate image to the right - Bild nach rechts drehen + Bild nach rechts drehen - + Double page mode - Doppelseiten-Modus + Doppelseiten-Modus - + Switch to double page mode - Zum Doppelseiten-Modus wechseln + Zum Doppelseiten-Modus wechseln - + Double page manga mode - Doppelseiten-Manga-Modus + Doppelseiten-Manga-Modus - + Reverse reading order in double page mode - Umgekehrte Lesereihenfolge im Doppelseiten-Modus + Umgekehrte Lesereihenfolge im Doppelseiten-Modus - + Go To - Gehe zu + Gehe zu - + Go to page ... - Gehe zu Seite ... + Gehe zu Seite ... - + Options - Optionen + Optionen - + YACReader options - YACReader Optionen + YACReader Optionen - - + + Help - Hilfe + Hilfe - + Help, About YACReader - Hilfe, über YACReader + Hilfe, über YACReader - + Magnifying glass - Vergößerungsglas + Vergößerungsglas - + Switch Magnifying glass - Vergrößerungsglas wechseln + Vergrößerungsglas wechseln - + Set bookmark - Lesezeichen setzen + Lesezeichen setzen - + Set a bookmark on the current page - Lesezeichen auf dieser Seite setzen + Lesezeichen auf dieser Seite setzen - + Show bookmarks - Lesezeichen anzeigen + Lesezeichen anzeigen - + Show the bookmarks of the current comic - Lesezeichen für diesen Comic anzeigen + Lesezeichen für diesen Comic anzeigen - + Show keyboard shortcuts - Tastenkürzel anzeigen + Tastenkürzel anzeigen - + Show Info - Info anzeigen + Info anzeigen - + Close - + Schliessen - + Show Dictionary - Wörterbuch anzeigen + Wörterbuch anzeigen - + Show go to flow - "Go to Flow" anzeigen + "Go to Flow" anzeigen - + Edit shortcuts - + Kürzel ändern - + &File - &Datei + &Datei - - + + Open recent - Kürzlich geöffnet + Kürzlich geöffnet - + File - Datei + Datei - + Edit - Ändern + Ändern - + View - Anzeigen + Anzeigen - + Go - Los + Los - + Window - Fenster + Fenster - - - + + + Open Comic - Comic öffnen + Comic öffnen - - - + + + Comic files - Comic-Dateien + Comic-Dateien - + Open folder - Ordner öffnen + Ordner öffnen - + page_%1.jpg - Seite_%1.jpg + Seite_%1.jpg - + Image files (*.jpg) - Bildateien (*.jpg) + Bildateien (*.jpg) + Comics - Comics + Comichefte Toggle fullscreen mode - Vollbild-Modus umschalten + Vollbild-Modus umschalten Hide/show toolbar - Symbolleiste anzeigen/verstecken + Symbolleiste anzeigen/verstecken + General - Allgemein + Allgemein Size up magnifying glass - Vergrößerungsglas vergrößern + Vergrößerungsglas vergrößern Size down magnifying glass - Vergrößerungsglas verkleinern + Vergrößerungsglas verkleinern Zoom in magnifying glass - Vergrößerungsglas reinzoomen + Vergrößerungsglas reinzoomen Zoom out magnifying glass - Vergrößerungsglas rauszoomen + Vergrößerungsglas rauszoomen Reset magnifying glass - + Lupe zurücksetzen + Magnifiying glass - Vergrößerungsglas + Vergrößerungsglas Toggle between fit to width and fit to height - Zwischen Anpassung an Seite und Höhe wechseln + Zwischen Anpassung an Seite und Höhe wechseln + Page adjustement - Seitenanpassung + Seitenanpassung - + Autoscroll down - Automatisches Runterscrollen + Automatisches Runterscrollen - + Autoscroll up - Automatisches Raufscrollen + Automatisches Raufscrollen - + Autoscroll forward, horizontal first - Automatisches Vorwärtsscrollen, horizontal zuerst + Automatisches Vorwärtsscrollen, horizontal zuerst - + Autoscroll backward, horizontal first - Automatisches Zurückscrollen, horizontal zuerst + Automatisches Zurückscrollen, horizontal zuerst - + Autoscroll forward, vertical first - Automatisches Vorwärtsscrollen, vertikal zuerst + Automatisches Vorwärtsscrollen, vertikal zuerst - + Autoscroll backward, vertical first - Automatisches Zurückscrollen, vertikal zuerst + Automatisches Zurückscrollen, vertikal zuerst - + Move down - Nach unten + Nach unten - + Move up - Nach oben + Nach oben - + Move left - Nach links + Nach links - + Move right - Nach rechts + Nach rechts - + Go to the first page - Zur ersten Seite gehen + Zur ersten Seite gehen - + Go to the last page - Zur letzten Seite gehen + Zur letzten Seite gehen - + Offset double page to the left - + Doppelseite nach links versetzt - + Offset double page to the right - + Doppelseite nach rechts versetzt - + + Reading - Lesend + Lesend - + There is a new version available - Neue Version verfügbar + Neue Version verfügbar - + Do you want to download the new version? - Möchten Sie die neue Version herunterladen? + Möchten Sie die neue Version herunterladen? - + Remind me in 14 days - In 14 Tagen erneut erinnern + In 14 Tagen erneut erinnern - + Not now - Nicht jetzt + Nicht jetzt + + + + YACReader::TrayIconController + + + &Restore + &Wiederherstellen + + + + Systray + Taskleiste + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary wird im Hintergrund weiterlaufen. Um das Programm zu schließen, wählen Sie <b>Schließen</b> im Kontextmenü des Taskleisten-Symbols. YACReader::WhatsNewDialog - Close - Schließen + Schließen @@ -1411,172 +4115,152 @@ YACReaderFlowConfigWidget - CoverFlow look - Tielseiten Ansicht + Tielseiten Ansicht - How to show covers: - Titelseiten Anzeigeoptionen: + Titelseiten Anzeigeoptionen: - Stripe look - Streifen-Ansicht + Streifen-Ansicht - Overlapped Stripe look - Überlappende Streifen-Ansicht + Überlappende Streifen-Ansicht YACReaderGLFlowConfigWidget - Zoom - Vergrößern + Vergrößern - Light - Licht + Licht - Show advanced settings - Zeige erweiterte Einstellungen + Zeige erweiterte Einstellungen - Roulette look - Zufalls-Ansicht + Zufalls-Ansicht - Cover Angle - Titelbild Ansichtswinkel + Titelbild Ansichtswinkel - Stripe look - Streifen-Ansicht + Streifen-Ansicht - Position - Position + Lage - Z offset - Z-Anpassung + Z-Anpassung - Y offset - Y-Anpassung + Y-Anpassung - Central gap - Mittiger Abstand + Mittiger Abstand - Presets: - Voreinstellungen: + Voreinstellungen: - Overlapped Stripe look - Überlappende Streifen-Ansicht + Überlappende Streifen-Ansicht - Modern look - Moderne Ansicht + Moderne Ansicht - View angle - Anzeige-Winkel + Anzeige-Winkel - Max angle - Maximaler Winkel + Maximaler Winkel - Custom: - Benutzerdefiniert: + Benutzerdefiniert: - Classic look - Klassische Ansicht + Klassische Ansicht - Cover gap - Titelbild-Abstand + Titelbild-Abstand - High Performance - Hohe Leistung + Hohe Leistung - Performance: - Leistung: + Leistung: - Use VSync (improve the image quality in fullscreen mode, worse performance) - Benutze VSync (verbessert die Bildqualität im Vollanzeigemodus, schlechtere Leistung) + Benutze VSync (verbessert die Bildqualität im Vollanzeigemodus, schlechtere Leistung) - Visibility - Sichtbarkeit + Sichtbarkeit - Low Performance - Niedrige Leistung + Niedrige Leistung YACReaderOptionsDialog - + Save Speichern - Use hardware acceleration (restart needed) - Nutze Hardwarebeschleunigung (Neustart erforderlich) + Nutze Hardwarebeschleunigung (Neustart erforderlich) - + Cancel Abbrechen - + Edit shortcuts Kürzel bearbeiten - + Shortcuts Kürzel + + YACReaderSearchLineEdit + + + type to search + tippen, um zu suchen + + YACReaderSlider @@ -1588,23 +4272,23 @@ YACReaderTranslator - + clear Löschen - + Service not available Service nicht verfügbar - - + + Translation Übersetzung - + YACReader translator YACReader Übersetzer diff --git a/YACReader/yacreader_en.ts b/YACReader/yacreader_en.ts index bd065a64c..819f47c6e 100644 --- a/YACReader/yacreader_en.ts +++ b/YACReader/yacreader_en.ts @@ -6,7 +6,197 @@ None - + None + + + + AddLabelDialog + + + Label name: + Label name: + + + + Choose a color: + Choose a color: + + + + accept + accept + + + + cancel + cancel + + + + AddLibraryDialog + + + Comics folder : + Comics folder : + + + + Library name : + Library name : + + + + Add + Add + + + + Cancel + Cancel + + + + Add an existing library + Add an existing library + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + + + + Paste here your Comic Vine API key + Paste here your Comic Vine API key + + + + Accept + Accept + + + + Cancel + Cancel + + + + AppearanceTabWidget + + + Color scheme + Color scheme + + + + System + System + + + + Light + Light + + + + Dark + Dark + + + + Custom + Custom + + + + Remove + Remove + + + + Remove this user-imported theme + Remove this user-imported theme + + + + Light: + Light: + + + + Dark: + Dark: + + + + Custom: + Custom: + + + + Import theme... + Import theme... + + + + Theme + Theme + + + + Theme editor + Theme editor + + + + Open Theme Editor... + Open Theme Editor... + + + + Theme editor error + Theme editor error + + + + The current theme JSON could not be loaded. + The current theme JSON could not be loaded. + + + + Import theme + Import theme + + + + JSON files (*.json);;All files (*) + JSON files (*.json);;All files (*) + + + + Could not import theme from: +%1 + Could not import theme from: +%1 + + + + Could not import theme from: +%1 + +%2 + Could not import theme from: +%1 + +%2 + + + + Import failed + Import failed @@ -14,23 +204,217 @@ Lastest Page - + Lastest Page Close - + Close Click on any image to go to the bookmark - + Click on any image to go to the bookmark Loading... - + Loading... + + + + ClassicComicsView + + + Hide comic flow + Hide comic flow + + + + ComicModel + + + yes + yes + + + + no + no + + + + Title + Title + + + + File Name + File Name + + + + Pages + Pages + + + + Size + Size + + + + Read + Read + + + + Current Page + Current Page + + + + Publication Date + Publication Date + + + + Rating + Rating + + + + Series + Series + + + + Volume + Volume + + + + Story Arc + Story Arc + + + + ComicVineDialog + + + skip + skip + + + + back + back + + + + next + next + + + + search + search + + + + close + close + + + + + comic %1 of %2 - %3 + comic %1 of %2 - %3 + + + + + + Looking for volume... + Looking for volume... + + + + %1 comics selected + %1 comics selected + + + + Error connecting to ComicVine + Error connecting to ComicVine + + + + + Retrieving tags for : %1 + Retrieving tags for : %1 + + + + Retrieving volume info... + Retrieving volume info... + + + + Looking for comic... + Looking for comic... + + + + ContinuousPageWidget + + + Loading page %1 + Loading page %1 + + + + CreateLibraryDialog + + + Comics folder : + Comics folder : + + + + Library Name : + Library Name : + + + + Create + Create + + + + Cancel + Cancel + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + + + + Create new library + Create new library + + + + Path not found + Path not found + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder @@ -38,27 +422,145 @@ Restore defaults - + Restore defaults To change a shortcut, double click in the key combination and type the new keys. - + To change a shortcut, double click in the key combination and type the new keys. Shortcuts settings - + Shortcuts settings - + Shortcut in use - + Shortcut in use - + The shortcut "%1" is already assigned to other function - + The shortcut "%1" is already assigned to other function + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + This folder doesn't contain comics yet + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + This label doesn't contain comics yet + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + This reading list does not contain any comics yet + + + + EmptySpecialListWidget + + + No favorites + No favorites + + + + You are not reading anything yet, come on!! + You are not reading anything yet, come on!! + + + + There are no recent comics! + There are no recent comics! + + + + ExportComicsInfoDialog + + + Output file : + Output file : + + + + Create + Create + + + + Cancel + Cancel + + + + Export comics info + Export comics info + + + + Destination database name + Destination database name + + + + Problem found while writing + Problem found while writing + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + + + + ExportLibraryDialog + + + Output folder : + Output folder : + + + + Create + Create + + + + Cancel + Cancel + + + + Create covers package + Create covers package + + + + Problem found while writing + Problem found while writing + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + + + + Destination directory + Destination directory @@ -66,22 +568,22 @@ CRC error on page (%1): some of the pages will not be displayed correctly - + CRC error on page (%1): some of the pages will not be displayed correctly Unknown error opening the file - + Unknown error opening the file 7z not found - + 7z not found Format not supported - + Format not supported @@ -89,899 +591,3011 @@ Page : - + Page : Go To - + Go To Cancel - + Cancel + + + + + Total pages : + Total pages : + + + + Go to... + Go to... + + + + GoToFlowToolBar + + + Page : + Page : + + + + GridComicsView + + + Show info + Show info + + + + HelpAboutDialog + + + About + About + + + + Help + Help + + + + System info + System info + + + + ImportComicsInfoDialog + + + Import comics info + Import comics info + + + + Info database location : + Info database location : + + + + Import + Import + + + + Cancel + Cancel + + + + Comics info file (*.ydb) + Comics info file (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Library Name : + + + + Package location : + Package location : + + + + Destination folder : + Destination folder : + + + + Unpack + Unpack + + + + Cancel + Cancel + + + + Extract a catalog + Extract a catalog + + + + Compresed library covers (*.clc) + Compresed library covers (*.clc) + + + + ImportWidget + + + stop + stop + + + + Some of the comics being added... + Some of the comics being added... + + + + Importing comics + Importing comics + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + + + + Updating the library + Updating the library + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + + + + Upgrading the library + Upgrading the library + + + + <p>The current library is being upgraded, please wait.</p> + <p>The current library is being upgraded, please wait.</p> + + + + Scanning the library + Scanning the library + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Library + + + + + + comic + comic + + + + + + manga + manga + + + + + + western manga (left to right) + western manga (left to right) + + + + + + web comic + web comic + + + + + + 4koma (top to botom) + 4koma (top to botom) + + + + + + + Set type + Set type + + + + Library + Library + + + + Folder + Folder + + + + Comic + Comic + + + + Upgrade failed + Upgrade failed + + + + There were errors during library upgrade in: + There were errors during library upgrade in: + + + + Update needed + Update needed + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + + + + Download new version + Download new version + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + This library was created with a newer version of YACReaderLibrary. Download the new version now? + + + + Library not available + Library not available + + + + Library '%1' is no longer available. Do you want to remove it? + Library '%1' is no longer available. Do you want to remove it? + + + + Old library + Old library + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + + + + + Copying comics... + Copying comics... + + + + + Moving comics... + Moving comics... + + + + Add new folder + Add new folder + + + + Folder name: + Folder name: + + + + No folder selected + No folder selected + + + + Please, select a folder first + Please, select a folder first + + + + Error in path + Error in path + + + + There was an error accessing the folder's path + There was an error accessing the folder's path + + + + Delete folder + Delete folder + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + The selected folder and all its contents will be deleted from your disk. Are you sure? + + + + + Unable to delete + Unable to delete + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + + + + Add new reading lists + Add new reading lists + + + + + List name: + List name: + + + + Delete list/label + Delete list/label + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + + + + Rename list name + Rename list name + + + + Open folder... + Open folder... + + + + Update folder + Update folder + + + + Rescan library for XML info + Rescan library for XML info + + + + Set as uncompleted + Set as uncompleted + + + + Set as completed + Set as completed + + + + Set as read + Set as read + + + + + Set as unread + Set as unread + + + + Set custom cover + Set custom cover + + + + Delete custom cover + Delete custom cover + + + + Save covers + Save covers + + + + You are adding too many libraries. + You are adding too many libraries. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + + + + + YACReader not found + YACReader not found + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader not found. There might be a problem with your YACReader installation. + + + + Error + Error + + + + Error opening comic with third party reader. + Error opening comic with third party reader. + + + + Library not found + Library not found + + + + The selected folder doesn't contain any library. + The selected folder doesn't contain any library. + + + + Are you sure? + Are you sure? + + + + Do you want remove + Do you want remove + + + + library? + library? + + + + Remove and delete metadata + Remove and delete metadata + + + + Library info + Library info + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + + + + Assign comics numbers + Assign comics numbers + + + + Assign numbers starting in: + Assign numbers starting in: + + + + Invalid image + Invalid image + + + + The selected file is not a valid image. + The selected file is not a valid image. + + + + Error saving cover + Error saving cover + + + + There was an error saving the cover image. + There was an error saving the cover image. + + + + Error creating the library + Error creating the library + + + + Error updating the library + Error updating the library + + + + Error opening the library + Error opening the library + + + + Delete comics + Delete comics + + + + All the selected comics will be deleted from your disk. Are you sure? + All the selected comics will be deleted from your disk. Are you sure? + + + + Remove comics + Remove comics + + + + Comics will only be deleted from the current label/list. Are you sure? + Comics will only be deleted from the current label/list. Are you sure? + + + + Library name already exists + Library name already exists + + + + There is another library with the name '%1'. + There is another library with the name '%1'. + + + + LibraryWindowActions + + + Create a new library + Create a new library + + + + Open an existing library + Open an existing library + + + + + Export comics info + Export comics info + + + + + Import comics info + Import comics info + + + + Pack covers + Pack covers + + + + Pack the covers of the selected library + Pack the covers of the selected library + + + + Unpack covers + Unpack covers + + + + Unpack a catalog + Unpack a catalog + + + + Update library + Update library + + + + Update current library + Update current library + + + + Rename library + Rename library + + + + Rename current library + Rename current library + + + + Remove library + Remove library + + + + Remove current library from your collection + Remove current library from your collection + + + + Rescan library for XML info + Rescan library for XML info + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + + + + Show library info + Show library info + + + + Show information about the current library + Show information about the current library + + + + Open current comic + Open current comic + + + + Open current comic on YACReader + Open current comic on YACReader + + + + Save selected covers to... + Save selected covers to... + + + + Save covers of the selected comics as JPG files + Save covers of the selected comics as JPG files + + + + + Set as read + Set as read + + + + Set comic as read + Set comic as read + + + + + Set as unread + Set as unread + + + + Set comic as unread + Set comic as unread + + + + + manga + manga + + + + Set issue as manga + Set issue as manga + + + + + comic + comic + + + + Set issue as normal + Set issue as normal + + + + western manga + western manga + + + + Set issue as western manga + Set issue as western manga + + + + + web comic + web comic + + + + Set issue as web comic + Set issue as web comic + + + + + yonkoma + yonkoma + + + + Set issue as yonkoma + Set issue as yonkoma + + + + Show/Hide marks + Show/Hide marks + + + + Show or hide read marks + Show or hide read marks + + + + Show/Hide recent indicator + Show/Hide recent indicator + + + + Show or hide recent indicator + Show or hide recent indicator + + + + + Fullscreen mode on/off + Fullscreen mode on/off + + + + Help, About YACReader + Help, About YACReader + + + + Add new folder + Add new folder + + + + Add new folder to the current library + Add new folder to the current library + + + + Delete folder + Delete folder + + + + Delete current folder from disk + Delete current folder from disk + + + + Select root node + Select root node + + + + Expand all nodes + Expand all nodes + + + + Collapse all nodes + Collapse all nodes + + + + Show options dialog + Show options dialog + + + + Show comics server options dialog + Show comics server options dialog + + + + + Change between comics views + Change between comics views + + + + Open folder... + Open folder... + + + + Set as uncompleted + Set as uncompleted + + + + Set as completed + Set as completed + + + + Set custom cover + Set custom cover + + + + Delete custom cover + Delete custom cover + + + + western manga (left to right) + western manga (left to right) + + + + Open containing folder... + Open containing folder... + + + + Reset comic rating + Reset comic rating + + + + Select all comics + Select all comics + + + + Edit + Edit + + + + Assign current order to comics + Assign current order to comics + + + + Update cover + Update cover + + + + Delete selected comics + Delete selected comics + + + + Delete metadata from selected comics + Delete metadata from selected comics + + + + Download tags from Comic Vine + Download tags from Comic Vine + + + + Focus search line + Focus search line + + + + Focus comics view + Focus comics view + + + + Edit shortcuts + Edit shortcuts + + + + &Quit + &Quit + + + + Update folder + Update folder + + + + Update current folder + Update current folder + + + + Scan legacy XML metadata + Scan legacy XML metadata + + + + Add new reading list + Add new reading list + + + + Add a new reading list to the current library + Add a new reading list to the current library + + + + Remove reading list + Remove reading list + + + + Remove current reading list from the library + Remove current reading list from the library + + + + Add new label + Add new label + + + + Add a new label to this library + Add a new label to this library + + + + Rename selected list + Rename selected list + + + + Rename any selected labels or lists + Rename any selected labels or lists + + + + Add to... + Add to... + + + + Favorites + Favorites + + + + Add selected comics to favorites list + Add selected comics to favorites list + + + + LocalComicListModel + + + file name + file name + + + + NoLibrariesWidget + + + You don't have any libraries yet + You don't have any libraries yet + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + + + + create your first library + create your first library + + + + add an existing one + add an existing one + + + + NoSearchResultsWidget + + + No results + No results + + + + OptionsDialog + + + "Go to flow" size + "Go to flow" size + + + + My comics path + My comics path + + + + Background color + Background color + + + + Choose + Choose + + + + Quick Navigation Mode + Quick Navigation Mode + + + + Disable mouse over activation + Disable mouse over activation + + + + Scaling + Scaling + + + + Scaling method + Scaling method + + + + Nearest (fast, low quality) + Nearest (fast, low quality) + + + + Bilinear + Bilinear + + + + Lanczos (better quality) + Lanczos (better quality) + + + + Restart is needed + Restart is needed + + + + Brightness + Brightness + + + + Display + Display + + + + Show time in current page information label + Show time in current page information label + + + + Scroll behaviour + Scroll behaviour + + + + Disable scroll animations and smooth scrolling + Disable scroll animations and smooth scrolling + + + + Do not turn page using scroll + Do not turn page using scroll + + + + Use single scroll step to turn page + Use single scroll step to turn page + + + + Mouse mode + Mouse mode + + + + Only Back/Forward buttons can turn pages + Only Back/Forward buttons can turn pages + + + + Use the Left/Right buttons to turn pages. + Use the Left/Right buttons to turn pages. + + + + Click left or right half of the screen to turn pages. + Click left or right half of the screen to turn pages. + + + + Contrast + Contrast + + + + Gamma + Gamma + + + + Reset + Reset + + + + Image options + Image options + + + + Fit options + Fit options + + + + Enlarge images to fit width/height + Enlarge images to fit width/height + + + + Double Page options + Double Page options + + + + Show covers as single page + Show covers as single page + + + + + General + General + + + + + Libraries + Libraries + + + + Comic Flow + Comic Flow + + + + Grid view + Grid view + + + + + Appearance + Appearance + + + + Tray icon settings (experimental) + Tray icon settings (experimental) + + + + Close to tray + Close to tray + + + + Start into the system tray + Start into the system tray + + + + Edit Comic Vine API key + Edit Comic Vine API key + + + + Comic Vine API key + Comic Vine API key + + + + ComicInfo.xml legacy support + ComicInfo.xml legacy support + + + + Import metadata from ComicInfo.xml when adding new comics + Import metadata from ComicInfo.xml when adding new comics + + + + Consider 'recent' items added or updated since X days ago + Consider 'recent' items added or updated since X days ago + + + + Third party reader + Third party reader + + + + Write {comic_file_path} where the path should go in the command + Write {comic_file_path} where the path should go in the command + + + + + Clear + Clear + + + + Update libraries at startup + Update libraries at startup + + + + Try to detect changes automatically + Try to detect changes automatically + + + + Update libraries periodically + Update libraries periodically + + + + Interval: + Interval: + + + + 30 minutes + 30 minutes + + + + 1 hour + 1 hour + + + + 2 hours + 2 hours + + + + 4 hours + 4 hours + + + + 8 hours + 8 hours + + + + 12 hours + 12 hours + + + + daily + daily + + + + Update libraries at certain time + Update libraries at certain time + + + + Time: + Time: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + + + + Modifications detection + Modifications detection + + + + Compare the modified date of files when updating a library (not recommended) + Compare the modified date of files when updating a library (not recommended) + + + + Enable background image + Enable background image + + + + Opacity level + Opacity level + + + + Blur level + Blur level + + + + Use selected comic cover as background + Use selected comic cover as background + + + + Restore defautls + Restore defautls + + + + Background + Background + + + + Display continue reading banner + Display continue reading banner + + + + Display current comic banner + Display current comic banner + + + + Continue reading + Continue reading + + + + Page Flow + Page Flow + + + + Image adjustment + Image adjustment + + + + + Options + Options + + + + Comics directory + Comics directory + + + + PropertiesDialog + + + General info + General info + + + + Plot + Plot + + + + Authors + Authors + + + + Publishing + Publishing + + + + Notes + Notes + + + + Cover page + Cover page + + + + Load previous page as cover + Load previous page as cover + + + + Load next page as cover + Load next page as cover + + + + Reset cover to the default image + Reset cover to the default image + + + + Load custom cover image + Load custom cover image + + + + Series: + Series: + + + + Title: + Title: + + + + + + of: + of: + + + + Issue number: + Issue number: + + + + Volume: + Volume: + + + + Arc number: + Arc number: + + + + Story arc: + Story arc: + + + + alt. number: + alt. number: + + + + Alternate series: + Alternate series: + + + + Series Group: + Series Group: + + + + Genre: + Genre: + + + + Size: + Size: + + + + Writer(s): + Writer(s): + + + + Penciller(s): + Penciller(s): + + + + Inker(s): + Inker(s): + + + + Colorist(s): + Colorist(s): + + + + Letterer(s): + Letterer(s): + + + + Cover Artist(s): + Cover Artist(s): + + + + Editor(s): + Editor(s): + + + + Imprint: + Imprint: + + + + Day: + Day: + + + + Month: + Month: + + + + Year: + Year: + + + + Publisher: + Publisher: + + + + Format: + Format: + + + + Color/BW: + Color/BW: + + + + Age rating: + Age rating: + + + + Type: + Type: + + + + Language (ISO): + Language (ISO): + + + + Synopsis: + Synopsis: + + + + Characters: + Characters: + + + + Teams: + Teams: + + + + Locations: + Locations: + + + + Main character or team: + Main character or team: + + + + Review: + Review: + + + + Notes: + Notes: + + + + Tags: + Tags: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + + + + Not found + Not found + + + + Comic not found. You should update your library. + Comic not found. You should update your library. + + + + Edit comic information + Edit comic information + + + + Edit selected comics information + Edit selected comics information + + + + Invalid cover + Invalid cover + + + + The image is invalid. + The image is invalid. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + 7z lib not found + 7z lib not found + + + + unable to load 7z lib from ./utils + unable to load 7z lib from ./utils + + + + Trace + Trace + + + + Debug + Debug + + + + Info + Info + + + + Warning + Warning + + + + Error + Error + + + + Fatal + Fatal + + + + Select custom cover + Select custom cover + + + + Images (%1) + Images (%1) + + + + The file could not be read or is not valid JSON. + The file could not be read or is not valid JSON. + + + + This theme is for %1, not %2. + This theme is for %1, not %2. + + + + Libraries + Libraries + + + + Folders + Folders + + + + Reading Lists + Reading Lists + + + + RenameLibraryDialog + + + New Library Name : + New Library Name : + + + + Rename + Rename + + + + Cancel + Cancel + + + + Rename current library + Rename current library + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Number of volumes found : %1 + + + + + page %1 of %2 + page %1 of %2 + + + + Number of %1 found : %2 + Number of %1 found : %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Please provide some additional information for this comic. + + + + Series: + Series: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + + + + SearchVolume + + + Please provide some additional information. + Please provide some additional information. + + + + Series: + Series: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + + + + SelectComic + + + Please, select the right comic info. + Please, select the right comic info. + + + + comics + comics + + + + loading cover + loading cover + + + + loading description + loading description + + + + comic description unavailable + comic description unavailable + + + + SelectVolume + + + Please, select the right series for your comic. + Please, select the right series for your comic. + + + + Filter: + Filter: + + + + volumes + volumes + + + + Nothing found, clear the filter if any. + Nothing found, clear the filter if any. + + + + loading cover + loading cover + + + + loading description + loading description + + + + volume description unavailable + volume description unavailable + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + You are trying to get information for various comics at once, are they part of the same series? + + + + yes + yes + + + + no + no + + + + ServerConfigDialog + + + set port + set port + + + + Server connectivity information + Server connectivity information + + + + Scan it! + Scan it! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Choose an IP address + + + + Port + Port + + + + enable the server + enable the server + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Please, sort the list of comics on the left until it matches the comics' information. + + + + sort comics to match comic information + sort comics to match comic information + + + + issues + issues + + + + remove selected comics + remove selected comics + + + + restore all removed comics + restore all removed comics + + + + ThemeEditorDialog + + + Theme Editor + Theme Editor + + + + + + + + + + + - + - + + + + i + i + + + + Expand all + Expand all - - - Total pages : - + + Collapse all + Collapse all - - Go to... - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. - - - GoToFlowToolBar - - Page : - + + Search… + Search… - - - HelpAboutDialog - - About - + + Light + Light - - Help - + + Dark + Dark - - System info - + + ID: + ID: - - - LogWindow - - Log window - + + Display name: + Display name: - - &Pause - + + Variant: + Variant: - - &Save - + + Theme info + Theme info - - C&lear - + + Parameter + Parameter - - &Copy - + + Value + Value - - Level: - + + Save and apply + Save and apply - - &Auto scroll - + + Export to file... + Export to file... - - - OptionsDialog - - "Go to flow" size - + + Load from file... + Load from file... - - My comics path - + + Close + Close - - Background color - + + Double-click to edit color + Double-click to edit color - - Choose - + + + + + + + true + true - - Quick Navigation Mode - + + + + + false + false - - Disable mouse over activation - + + Double-click to toggle + Double-click to toggle - - Restart is needed - + + Double-click to edit value + Double-click to edit value - - Brightness - + + + + Edit: %1 + Edit: %1 - - Display - + + Save theme + Save theme - - Show time in current page information label - + + + JSON files (*.json);;All files (*) + JSON files (*.json);;All files (*) - - Scroll behaviour - + + Save failed + Save failed - - Disable scroll animations and smooth scrolling - + + Could not open file for writing: +%1 + Could not open file for writing: +%1 - - Do not turn page using scroll - + + Load theme + Load theme - - Use single scroll step to turn page - + + + + Load failed + Load failed - - Mouse mode - + + Could not open file: +%1 + Could not open file: +%1 - - Only Back/Forward buttons can turn pages - + + Invalid JSON: +%1 + Invalid JSON: +%1 - - Use the Left/Right buttons to turn pages. - + + Expected a JSON object. + Expected a JSON object. + + + TitleHeader - - Click left or right half of the screen to turn pages. - + + SEARCH + SEARCH + + + UpdateLibraryDialog - - Contrast - + + Updating.... + Updating.... - - Gamma - + + Cancel + Cancel - - Reset - + + Update library + Update library + + + Viewer - - Image options - + + + Press 'O' to open comic. + Press 'O' to open comic. - - Fit options - + + Not found + Not found - - Enlarge images to fit width/height - + + Comic not found + Comic not found - - Double Page options - + + Error opening comic + Error opening comic - - Show covers as single page - + + CRC Error + CRC Error - - General - + + Loading...please wait! + Loading...please wait! - - Page Flow - + + Page not available! + Page not available! - - Image adjustment - + + Cover! + Cover! - - Options - + + Last page! + Last page! + + + VolumeComicsModel - - Comics directory - + + title + title - QObject + VolumesModel - - 7z lib not found - + + year + year - - unable to load 7z lib from ./utils - + + issues + issues - - Trace - + + publisher + publisher + + + YACReader3DFlowConfigWidget - - Debug - + + Presets: + Presets: - - Info - + + Classic look + Classic look - - Warning - + + Stripe look + Stripe look - - Error - + + Overlapped Stripe look + Overlapped Stripe look - - Fatal - + + Modern look + Modern look - - Select custom cover - + + Roulette look + Roulette look - - Images (%1) - + + Show advanced settings + Show advanced settings - - - QsLogging::LogWindowModel - - Time - + + Custom: + Custom: - - Level - + + View angle + View angle - - Message - + + Position + Position - - - QsLogging::Window - - &Pause - + + Cover gap + Cover gap - - &Resume - + + Central gap + Central gap - - Save log - + + Zoom + Zoom - - Log file (*.log) - + + Y offset + Y offset - - - Viewer - - - Press 'O' to open comic. - + + Z offset + Z offset - - Not found - + + Cover Angle + Cover Angle - - Comic not found - + + Visibility + Visibility - - Error opening comic - + + Light + Light - - CRC Error - + + Max angle + Max angle - - Loading...please wait! - + + Low Performance + Low Performance - - Page not available! - + + High Performance + High Performance - - Cover! - + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Use VSync (improve the image quality in fullscreen mode, worse performance) - - Last page! - + + Performance: + Performance: YACReader::MainWindowViewer - + &Open - + &Open - + Open a comic - + Open a comic - + New instance - + New instance - + Open Folder - + Open Folder - + Open image folder - + Open image folder - + Open latest comic - + Open latest comic - + Open the latest comic opened in the previous reading session - + Open the latest comic opened in the previous reading session - + Clear - + Clear - + Clear open recent list - + Clear open recent list - + Save - + Save - + Save current page - + Save current page Previous Comic - + Previous Comic - - - + + + Open previous comic - + Open previous comic - + Next Comic - + Next Comic - - - + + + Open next comic - + Open next comic - + &Previous - + &Previous - - - + + + Go to previous page - + Go to previous page - + &Next - + &Next - - - + + + Go to next page - + Go to next page - + Fit Height - + Fit Height - + Fit image to height - + Fit image to height - + Fit Width - + Fit Width - + Fit image to width - + Fit image to width - + Show full size - + Show full size - + Fit to page - + Fit to page - + + Continuous scroll + Continuous scroll + + + + Switch to continuous scroll mode + Switch to continuous scroll mode + + + Reset zoom - + Reset zoom - + Show zoom slider - + Show zoom slider - + Zoom+ - + Zoom+ - + Zoom- - + Zoom- - + Rotate image to the left - + Rotate image to the left - + Rotate image to the right - + Rotate image to the right - + Double page mode - + Double page mode - + Switch to double page mode - + Switch to double page mode - + Double page manga mode - + Double page manga mode - + Reverse reading order in double page mode - + Reverse reading order in double page mode - + Go To - + Go To - + Go to page ... - + Go to page ... - + Options - + Options - + YACReader options - + YACReader options - - + + Help - + Help - + Help, About YACReader - + Help, About YACReader - + Magnifying glass - + Magnifying glass - + Switch Magnifying glass - + Switch Magnifying glass - + Set bookmark - + Set bookmark - + Set a bookmark on the current page - + Set a bookmark on the current page - + Show bookmarks - + Show bookmarks - + Show the bookmarks of the current comic - + Show the bookmarks of the current comic - + Show keyboard shortcuts - + Show keyboard shortcuts - + Show Info - + Show Info - + Close - + Close - + Show Dictionary - + Show Dictionary - + Show go to flow - + Show go to flow - + Edit shortcuts - + Edit shortcuts - + &File - + &File - - + + Open recent - + Open recent - + File - + File - + Edit - + Edit - + View - + View - + Go - + Go - + Window - + Window - - - + + + Open Comic - + Open Comic - - - + + + Comic files - + Comic files - + Open folder - + Open folder - + page_%1.jpg - + page_%1.jpg - + Image files (*.jpg) - + Image files (*.jpg) + Comics - + Comics Toggle fullscreen mode - + Toggle fullscreen mode Hide/show toolbar - + Hide/show toolbar + General - + General Size up magnifying glass - + Size up magnifying glass Size down magnifying glass - + Size down magnifying glass Zoom in magnifying glass - + Zoom in magnifying glass Zoom out magnifying glass - + Zoom out magnifying glass Reset magnifying glass - + Reset magnifying glass + Magnifiying glass - + Magnifiying glass Toggle between fit to width and fit to height - + Toggle between fit to width and fit to height + Page adjustement - + Page adjustement - + Autoscroll down - + Autoscroll down - + Autoscroll up - + Autoscroll up - + Autoscroll forward, horizontal first - + Autoscroll forward, horizontal first - + Autoscroll backward, horizontal first - + Autoscroll backward, horizontal first - + Autoscroll forward, vertical first - + Autoscroll forward, vertical first - + Autoscroll backward, vertical first - + Autoscroll backward, vertical first - + Move down - + Move down - + Move up - + Move up - + Move left - + Move left - + Move right - + Move right - + Go to the first page - + Go to the first page - + Go to the last page - + Go to the last page - + Offset double page to the left - + Offset double page to the left - + Offset double page to the right - + Offset double page to the right - + + Reading - + Reading - + There is a new version available - + There is a new version available - + Do you want to download the new version? - + Do you want to download the new version? - + Remind me in 14 days - + Remind me in 14 days - + Not now - + Not now - YACReader::WhatsNewDialog + YACReader::TrayIconController - - Close - + + &Restore + &Restore + + + + Systray + Systray + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. @@ -990,12 +3604,12 @@ Click to overwrite - + Click to overwrite Restore to default - + Restore to default @@ -1006,181 +3620,43 @@ Click to overwrite - + Click to overwrite Restore to default - - - - - YACReaderFlowConfigWidget - - - How to show covers: - - - - - CoverFlow look - - - - - Stripe look - - - - - Overlapped Stripe look - - - - - YACReaderGLFlowConfigWidget - - - Presets: - - - - - Classic look - - - - - Stripe look - - - - - Overlapped Stripe look - - - - - Modern look - - - - - Roulette look - - - - - Show advanced settings - - - - - Custom: - - - - - View angle - - - - - Position - - - - - Cover gap - - - - - Central gap - - - - - Zoom - - - - - Y offset - - - - - Z offset - - - - - Cover Angle - - - - - Visibility - - - - - Light - - - - - Max angle - - - - - Low Performance - - - - - High Performance - - - - - Use VSync (improve the image quality in fullscreen mode, worse performance) - - - - - Performance: - + Restore to default YACReaderOptionsDialog - + Save - + Save - + Cancel - + Cancel - + Edit shortcuts - + Edit shortcuts - + Shortcuts - + Shortcuts + + + YACReaderSearchLineEdit - - Use hardware acceleration (restart needed) - + + type to search + type to search @@ -1188,31 +3664,31 @@ Reset - + Reset YACReaderTranslator - + YACReader translator - + YACReader translator - - + + Translation - + Translation - + clear - + clear - + Service not available - + Service not available diff --git a/YACReader/yacreader_es.ts b/YACReader/yacreader_es.ts index 56605c326..471791646 100644 --- a/YACReader/yacreader_es.ts +++ b/YACReader/yacreader_es.ts @@ -9,6 +9,192 @@ Ninguno + + AddLabelDialog + + + Label name: + Nombre de la etiqueta: + + + + Choose a color: + Elige un color: + + + + accept + aceptar + + + + cancel + Cancelar + + + + AddLibraryDialog + + + Comics folder : + Carpeta de cómics : + + + + Library name : + Nombre de la biblioteca : + + + + Add + Añadir + + + + Cancel + Cancelar + + + + Add an existing library + Añadir una biblioteca existente + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Antes de que te puedas conectar a Comic Vine necesitas tu propia clave API. Por favor, obtén una gratis <a href="http://www.comicvine.com/api/">aquí</a> + + + + Paste here your Comic Vine API key + Pega aquí tu clave API de Comic Vine + + + + Accept + Aceptar + + + + Cancel + Cancelar + + + + AppearanceTabWidget + + + Color scheme + Esquema de color + + + + System + Sistema + + + + Light + Luz + + + + Dark + Oscuro + + + + Custom + Personalizado + + + + Remove + Eliminar + + + + Remove this user-imported theme + Eliminar este tema importado por el usuario + + + + Light: + Claro: + + + + Dark: + Oscuro: + + + + Custom: + Personalizado: + + + + Import theme... + Importar tema... + + + + Theme + Tema + + + + Theme editor + Editor de temas + + + + Open Theme Editor... + Abrir editor de temas... + + + + Theme editor error + Error del editor de temas + + + + The current theme JSON could not be loaded. + No se ha podido cargar el JSON del tema actual. + + + + Import theme + Importar tema + + + + JSON files (*.json);;All files (*) + Archivos JSON (*.json);;Todos los archivos (*) + + + + Could not import theme from: +%1 + No se pudo importar el tema desde:\n%1 + + + + Could not import theme from: +%1 + +%2 + No se pudo importar el tema desde:\n%1\n\n%2 + + + + Import failed + Error al importar + + BookmarksDialog @@ -33,736 +219,3140 @@ Última página + + ClassicComicsView + + + Hide comic flow + Ocultar cómic flow + + + + ComicModel + + + yes + + + + + no + No + + + + Title + Título + + + + File Name + Nombre de archivo + + + + Pages + Páginas + + + + Size + Tamaño + + + + Read + Leído + + + + Current Page + Página Actual + + + + Publication Date + Fecha de publicación + + + + Rating + Nota + + + + Series + Serie + + + + Volume + Volumen + + + + Story Arc + Arco argumental + + + + ComicVineDialog + + + skip + omitir + + + + back + atrás + + + + next + siguiente + + + + search + buscar + + + + close + Cerrar + + + + + comic %1 of %2 - %3 + cómic %1 de %2 - %3 + + + + + + Looking for volume... + Buscando volumen... + + + + %1 comics selected + %1 cómics seleccionados + + + + Error connecting to ComicVine + Error conectando a ComicVine + + + + + Retrieving tags for : %1 + Recuperando etiquetas para : %1 + + + + Retrieving volume info... + Recuperando información del volumen... + + + + Looking for comic... + Buscando cómic... + + + + ContinuousPageWidget + + + Loading page %1 + Cargando página %1 + + + + CreateLibraryDialog + + + Comics folder : + Carpeta de cómics : + + + + Library Name : + Nombre de la biblioteca : + + + + Create + Crear + + + + Cancel + Cancelar + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Crear una biblioteca puede llevar varios minutos. Puedes parar el proceso en cualquier momento y completar la tarea más tarde. + + + + Create new library + Crear la nueva biblioteca + + + + Path not found + Ruta no encontrada + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + La ruta seleccionada no existe o no es válida. Asegúrate de que tienes privilegios de escritura en esta carpeta + + EditShortcutsDialog - - Restore defaults - Restaurar los valores predeterminados + + Restore defaults + Restaurar los valores predeterminados + + + + To change a shortcut, double click in the key combination and type the new keys. + Para cambiar un atajo, haz doble clic en la combinación de teclas y escribe las nuevas teclas. + + + + Shortcuts settings + Configuración de accesos directos + + + + Shortcut in use + Accesos directos en uso + + + + The shortcut "%1" is already assigned to other function + El acceso directo "%1" ya está asignado a otra función + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Esta carpeta aún no contiene cómics + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Esta etiqueta aún no contiene ningún cómic + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Esta lista de tectura aún no contiene ningún cómic + + + + EmptySpecialListWidget + + + No favorites + Ningún favorito + + + + You are not reading anything yet, come on!! + No estás leyendo nada aún, ¡vamos! + + + + There are no recent comics! + ¡No hay comics recientes! + + + + ExportComicsInfoDialog + + + Output file : + Archivo de salida : + + + + Create + Crear + + + + Cancel + Cancelar + + + + Export comics info + Exportar información de los cómics + + + + Destination database name + Nombre de la base de datos de destino + + + + Problem found while writing + Problema encontrado mientras se escribía + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + La ruta seleccionada para el archivo de salida no existe o no es una ruta válida. Asegúrate de que tienes permisos de escritura en esta carpeta + + + + ExportLibraryDialog + + + Output folder : + Carpeta de destino : + + + + Create + Crear + + + + Cancel + Cancelar + + + + Create covers package + Crear paquete de portadas + + + + Problem found while writing + Problema encontrado mientras se escribía + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + La ruta seleccionada para el archivo de salida no existe o no es una ruta válida. Asegúrate de que tienes permisos de escritura en esta carpeta + + + + Destination directory + Carpeta de destino + + + + FileComic + + + Format not supported + Formato no soportado + + + + 7z not found + 7z no encontrado + + + + Unknown error opening the file + Error desconocido abriendo el archivo + + + + CRC error on page (%1): some of the pages will not be displayed correctly + Error CRC en la página (%1): algunas de las páginas no se mostrarán correctamente + + + + GoToDialog + + + Go To + Ir a + + + + Go to... + Ir a... + + + + + Total pages : + Páginas totales : + + + + Cancel + Cancelar + + + + Page : + Página : + + + + GoToFlowToolBar + + + Page : + Página : + + + + GridComicsView + + + Show info + Mostrar información + + + + HelpAboutDialog + + + Help + Ayuda + + + + System info + Información de sistema + + + + About + Acerca de + + + + ImportComicsInfoDialog + + + Import comics info + Importar información de cómics + + + + Info database location : + Ubicación de la base de datos de información : + + + + Import + Importar + + + + Cancel + Cancelar + + + + Comics info file (*.ydb) + Archivo de información de cómics (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Nombre de la biblioteca : + + + + Package location : + Ubicación del paquete : + + + + Destination folder : + Directorio de destino : + + + + Unpack + Desempaquetar + + + + Cancel + Cancelar + + + + Extract a catalog + Extraer un catálogo + + + + Compresed library covers (*.clc) + Portadas de biblioteca comprimidas (*.clc) + + + + ImportWidget + + + stop + parar + + + + Some of the comics being added... + Algunos de los cómics que estan siendo añadidos.... + + + + Importing comics + Importando cómics + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary está creando una nueva biblioteca.</p><p>Crear una biblioteca puede llevar varios minutos. Puedes parar el proceso en cualquier momento y actualizar la biblioteca más tarde para completar el proceso.</p> + + + + Updating the library + Actualizando la biblioteca + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>La biblioteca actual está siendo actualizada. Para actualizaciones más rápidas, por favor, actualiza tus bibliotecas frecuentemente.</p><p>Puedes parar el proceso y continunar la actualización más tarde.</p> + + + + Upgrading the library + Actualizando la biblioteca + + + + <p>The current library is being upgraded, please wait.</p> + <p>La biblioteca actual está siendo actualizadad, espera por favor.</p> + + + + Scanning the library + Escaneando la biblioteca + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>La biblioteca está siendo escaneada para encontrar metadatos en formato XML.</p><p>Sólo necesitas hacer esto una vez, y sólo si la biblioteca fue creada con YACReaderLibrary 9.8.2 o antes.</p> + + + + LibraryWindow + + + YACReader Library + Biblioteca YACReader + + + + + + comic + Cómic + + + + + + manga + historieta manga + + + + + + western manga (left to right) + manga occidental (izquierda a derecha) + + + + + + web comic + cómic web + + + + + + 4koma (top to botom) + 4koma (de arriba a abajo) + + + + + + + Set type + Establecer tipo + + + + Library + Librería + + + + Folder + Carpeta + + + + Comic + Cómic + + + + Upgrade failed + La actualización falló + + + + There were errors during library upgrade in: + Hubo errores durante la actualización de la biblioteca en: + + + + Update needed + Se necesita actualizar + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Esta biblioteca fue creada con una versión anterior de YACReaderLibrary. Es necesario que se actualice. ¿Deseas hacerlo ahora? + + + + Download new version + Descargar la nueva versión + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Esta biblioteca fue creada con una versión más nueva de YACReaderLibrary. ¿Deseas descargar la nueva versión ahora? + + + + Library not available + Biblioteca no disponible + + + + Library '%1' is no longer available. Do you want to remove it? + La biblioteca '%1' no está disponible. ¿Deseas eliminarla? + + + + Old library + Biblioteca antigua + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + La biblioteca '%1' ha sido creada con una versión más antigua de YACReaderLibrary y debe ser creada de nuevo. ¿Deseas crear la biblioteca ahora? + + + + + Copying comics... + Copiando cómics... + + + + + Moving comics... + Moviendo cómics... + + + + Add new folder + Añadir carpeta + + + + Folder name: + Nombre de la carpeta: + + + + No folder selected + No has selecionado ninguna carpeta + + + + Please, select a folder first + Por favor, selecciona una carpeta primero + + + + Error in path + Error en la ruta + + + + There was an error accessing the folder's path + Hubo un error al acceder a la ruta de la carpeta + + + + Delete folder + Borrar carpeta + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + ¿Estás seguro de que deseas eliminar la carpeta seleccionada y todo su contenido de tu disco? + + + + + Unable to delete + No se ha podido borrar + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Se produjo un problema al intentar eliminar las carpetas seleccionadas. Por favor, verifica los permisos de escritura y asegúrate de que no haya aplicaciones usando estas carpetas o alguno de los archivos contenidos en ellas. + + + + Add new reading lists + Añadir nuevas listas de lectura + + + + + List name: + Nombre de la lista: + + + + Delete list/label + Eliminar lista/etiqueta + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + El elemento seleccionado se eliminará, tus cómics o carpetas NO se eliminarán de tu disco. ¿Estás seguro? + + + + Rename list name + Renombrar lista + + + + Open folder... + Abrir carpeta... + + + + Update folder + Actualizar carpeta + + + + Rescan library for XML info + Volver a escanear la biblioteca en busca de información XML + + + + Set as uncompleted + Marcar como incompleto + + + + Set as completed + Marcar como completo + + + + Set as read + Marcar como leído + + + + + Set as unread + Marcar como no leído + + + + Set custom cover + Establecer portada personalizada + + + + Delete custom cover + Eliminar portada personalizada + + + + Save covers + Guardar portadas + + + + You are adding too many libraries. + Estás añadiendo demasiadas bibliotecas. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Estás añadiendo demasiadas bibliotecas.\n\nProbablemente solo necesites una biblioteca en la carpeta principal de tus cómics, puedes explorar cualquier subcarpeta utilizando la sección de carpetas en la barra lateral izquierda.\n\nYACReaderLibrary no te detendrá de crear más bibliotecas, pero deberías mantener el número de bibliotecas bajo control. + + + + + YACReader not found + YACReader no encontrado + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader no encontrado. YACReader debería estar instalado en la misma carpeta que YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader no encontrado. Podría haber un problema con tu instalación de YACReader. + + + + Error + Fallo + + + + Error opening comic with third party reader. + Error al abrir el cómic con una aplicación de terceros. + + + + Library not found + Biblioteca no encontrada + + + + The selected folder doesn't contain any library. + La carpeta seleccionada no contiene ninguna biblioteca. + + + + Are you sure? + ¿Estás seguro? + + + + Do you want remove + ¿Deseas eliminar la biblioteca + + + + library? + ? + + + + Remove and delete metadata + Eliminar y borrar metadatos + + + + Library info + Información de la biblioteca + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Ha habido algún problema intentando borrar los cómics selecionados. Por favor, verifica los permisos de escritura en los arhicovs seleccionados o los directorios que los conienen. + + + + Assign comics numbers + Asignar números a los cómics + + + + Assign numbers starting in: + Asignar números comenzando en: + + + + Invalid image + Imagen inválida + + + + The selected file is not a valid image. + El archivo seleccionado no es una imagen válida. + + + + Error saving cover + Error guardando portada + + + + There was an error saving the cover image. + Hubo un error guardando la image de portada. + + + + Error creating the library + Errar creando la biblioteca + + + + Error updating the library + Error actualizando la biblioteca + + + + Error opening the library + Error abriendo la biblioteca + + + + Delete comics + Borrar cómics + + + + All the selected comics will be deleted from your disk. Are you sure? + Todos los cómics seleccionados serán borrados de tu disco. ¿Estás seguro? + + + + Remove comics + Eliminar cómics + + + + Comics will only be deleted from the current label/list. Are you sure? + Los cómics sólo se eliminarán de la etiqueta/lista actual. ¿Estás seguro? + + + + Library name already exists + Ya existe el nombre de la biblioteca + + + + There is another library with the name '%1'. + Hay otra biblioteca con el nombre '%1'. + + + + LibraryWindowActions + + + Create a new library + Crear una nueva biblioteca + + + + Open an existing library + Abrir una biblioteca existente + + + + + Export comics info + Exportar información de los cómics + + + + + Import comics info + Importar información de cómics + + + + Pack covers + Empaquetar portadas + + + + Pack the covers of the selected library + Empaquetar las portadas de la biblioteca seleccionada + + + + Unpack covers + Desempaquetar portadas + + + + Unpack a catalog + Desempaquetar un catálogo + + + + Update library + Actualizar biblioteca + + + + Update current library + Actualizar la biblioteca seleccionada + + + + Rename library + Renombrar biblioteca + + + + Rename current library + Renombrar la biblioteca seleccionada + + + + Remove library + Eliminar biblioteca + + + + Remove current library from your collection + Eliminar biblioteca de la colección + + + + Rescan library for XML info + Volver a escanear la biblioteca en busca de información XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Intenta encontrar información XML incrustada en los archivos de cómic. Solo necesitas hacer esto si la biblioteca fue creada con la versión 9.8.2 o versiones anteriores o si estás utilizando software de terceros para incrustar información XML en los archivos. + + + + Show library info + Mostrar información de la biblioteca + + + + Show information about the current library + Mostrar información de la biblioteca actual + + + + Open current comic + Abrir cómic actual + + + + Open current comic on YACReader + Abrir el cómic actual en YACReader + + + + Save selected covers to... + Guardar las portadas seleccionadas en... + + + + Save covers of the selected comics as JPG files + Guardar las portadas de los cómics seleccionados como archivos JPG + + + + + Set as read + Marcar como leído + + + + Set comic as read + Marcar cómic como leído + + + + + Set as unread + Marcar como no leído + + + + Set comic as unread + Marcar cómic como no leído + + + + + manga + historieta manga + + + + Set issue as manga + Marcar número como manga + + + + + comic + Cómic + + + + Set issue as normal + Marcar número como cómic + + + + western manga + manga occidental + + + + Set issue as western manga + Marcar número como manga occidental + + + + + web comic + cómic web + + + + Set issue as web comic + Marcar número como cómic web + + + + + yonkoma + tira yonkoma + + + + Set issue as yonkoma + Marcar número como yonkoma + + + + Show/Hide marks + Mostrar/Ocultar marcas + + + + Show or hide read marks + Mostrar u ocultar marcas + + + + Show/Hide recent indicator + Mostrar/Ocultar el indicador reciente + + + + Show or hide recent indicator + Mostrar o ocultar el indicador reciente + + + + + Fullscreen mode on/off + Modo a pantalla completa on/off + + + + Help, About YACReader + Ayuda, Sobre YACReader + + + + Add new folder + Añadir carpeta + + + + Add new folder to the current library + Añadir carpeta a la biblioteca actual + + + + Delete folder + Borrar carpeta + + + + Delete current folder from disk + Borrar carpeta actual del disco + + + + Select root node + Seleccionar el nodo raíz + + + + Expand all nodes + Expandir todos los nodos + + + + Collapse all nodes + Contraer todos los nodos + + + + Show options dialog + Mostrar opciones + + + + Show comics server options dialog + Mostrar el diálogo de opciones del servidor de cómics + + + + + Change between comics views + Cambiar entre vistas de cómics + + + + Open folder... + Abrir carpeta... + + + + Set as uncompleted + Marcar como incompleto + + + + Set as completed + Marcar como completo + + + + Set custom cover + Establecer portada personalizada + + + + Delete custom cover + Eliminar portada personalizada + + + + western manga (left to right) + manga occidental (izquierda a derecha) + + + + Open containing folder... + Abrir carpeta contenedora... + + + + Reset comic rating + Reseteal cómic rating + + + + Select all comics + Seleccionar todos los cómics + + + + Edit + Editar + + + + Assign current order to comics + Asignar el orden actual a los cómics + + + + Update cover + Actualizar portada + + + + Delete selected comics + Borrar los cómics seleccionados + + + + Delete metadata from selected comics + Borrar metadatos de los cómics seleccionados + + + + Download tags from Comic Vine + Descargar etiquetas de Comic Vine + + + + Focus search line + Selecionar el campo de búsqueda + + + + Focus comics view + Selecionar la vista de cómics + + + + Edit shortcuts + Editar accesos directos + + + + &Quit + &Salir + + + + Update folder + Actualizar carpeta + + + + Update current folder + Actualizar carpeta actual + + + + Scan legacy XML metadata + Escaneal metadatos XML + + + + Add new reading list + Añadir lista de lectura + + + + Add a new reading list to the current library + Añadir una nueva lista de lectura a la biblioteca actual + + + + Remove reading list + Eliminar lista de lectura + + + + Remove current reading list from the library + Eliminar la lista de lectura actual de la biblioteca + + + + Add new label + Añadir etiqueta + + + + Add a new label to this library + Añadir etiqueta a esta biblioteca + + + + Rename selected list + Renombrar la lista seleccionada + + + + Rename any selected labels or lists + Renombrar las etiquetas o listas seleccionadas + + + + Add to... + Añadir a... + + + + Favorites + Favoritos + + + + Add selected comics to favorites list + Añadir cómics seleccionados a la lista de favoritos + + + + LocalComicListModel + + + file name + Nombre de archivo + + + + MainWindowViewer + + File + Archivo + + + Help + Ayuda + + + Save + Guardar + + + &File + &Archivo + + + &Next + Siguie&nte + + + &Open + &Abrir + + + Close + Cerrar + + + Open Comic + Abrir cómic + + + Go To + Ir a + + + Open image folder + Abrir carpeta de imágenes + + + Set bookmark + Añadir marcador + + + page_%1.jpg + página_%1.jpg + + + Switch to double page mode + Cambiar a modo de doble página + + + Save current page + Guardar la página actual + + + Double page mode + Modo a doble página + + + Switch Magnifying glass + Lupa On/Off + + + Open Folder + Abrir carpeta + + + Fit Height + Ajustar altura + + + Comic files + Archivos de cómic + + + Not now + Ahora no + + + Go to previous page + Ir a la página anterior + + + Open a comic + Abrir cómic + + + Image files (*.jpg) + Archivos de imagen (*.jpg) + + + Next Comic + Siguiente Cómic + + + Fit Width + Ajustar anchura + + + Options + Opciones + + + Show Info + Mostrar información + + + Open folder + Abrir carpeta + + + Go to page ... + Ir a página... + + + Fit image to width + Ajustar página a lo ancho + + + &Previous + A&nterior + + + Go to next page + Ir a la página siguiente + + + Show keyboard shortcuts + Mostrar atajos de teclado + + + There is a new version available + Hay una nueva versión disponible + + + Open next comic + Abrir siguiente cómic + + + Remind me in 14 days + Recordar en 14 días + + + Show bookmarks + Mostrar marcadores + + + Open previous comic + Abrir cómic anterior + + + Rotate image to the left + Rotar imagen a la izquierda + + + Fit image to height + Ajustar página a lo alto + + + Show the bookmarks of the current comic + Mostrar los marcadores del cómic actual + + + Show Dictionary + Mostrar diccionario + + + YACReader options + Opciones de YACReader + + + Help, About YACReader + Ayuda, Sobre YACReader + + + Show go to flow + Mostrar flow ir a + + + Previous Comic + Cómic anterior + + + Show full size + Mostrar a tamaño original + + + Magnifying glass + Lupa + + + General + Opciones generales + + + Set a bookmark on the current page + Añadir un marcador en la página actual + + + Do you want to download the new version? + ¿Desea descargar la nueva versión? + + + Rotate image to the right + Rotar imagen a la derecha + + + Always on top + Siempre visible + + + + NoLibrariesWidget + + + You don't have any libraries yet + Aún no tienes ninguna biblioteca + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Puedes crear una biblioteca en cualquier carpeta, YACReaderLibrary importará todos las carpetas y cómics de esa carpeta. Si has creado alguna biblioteca anteriormente, puedes abrirla sin volver a crearla.</p><p>No olvides que puedes usar YACReader como una aplicación independiente para leer los cómics en tu ordenador.</p> + + + + create your first library + crea tu primera biblioteca + + + + add an existing one + añade una existente + + + + NoSearchResultsWidget + + + No results + Sin resultados + + + + OptionsDialog + + + Gamma + Gama + + + + Reset + Restablecer + + + + My comics path + Ruta a mis cómics + + + + Scaling + Escalado + + + + Scaling method + Método de escalado + + + + Nearest (fast, low quality) + Vecino más cercano (rápido, baja calidad) + + + + Bilinear + Bilineal + + + + Lanczos (better quality) + Lanczos (mejor calidad) + + + + Image adjustment + Ajustes de imagen + + + + "Go to flow" size + Tamaño de "Go to flow" + + + + Choose + Elegir + + + + Image options + Opciones de imagen + + + + Contrast + Contraste + + + + + Libraries + Bibliotecas + + + + Comic Flow + Flujo cómico + + + + Grid view + Vista en cuadrícula + + + + + Appearance + Apariencia + + + + + Options + Opciones + + + + + Language + Idioma + + + + + Application language + Idioma de la aplicación + + + + + System default + Predeterminado del sistema + + + + Tray icon settings (experimental) + Opciones de bandeja de sistema (experimental) + + + + Close to tray + Cerrar a la bandeja + + + + Start into the system tray + Comenzar en la bandeja de sistema + + + + Edit Comic Vine API key + Editar la clave API de Comic Vine + + + + Comic Vine API key + Clave API de Comic Vine + + + + ComicInfo.xml legacy support + Soporte para ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importar metadatos desde ComicInfo.xml al añadir nuevos cómics + + + + Consider 'recent' items added or updated since X days ago + Considerar elementos 'recientes' añadidos o actualizados desde hace X días + + + + Third party reader + Lector externo + + + + Write {comic_file_path} where the path should go in the command + Escribe {comic_file_path} donde la ruta al cómic debería ir en el comando + + + + + Clear + Limpiar + + + + Update libraries at startup + Actualizar bibliotecas al inicio + + + + Try to detect changes automatically + Intentar detectar cambios automáticamente + + + + Update libraries periodically + Actualizar bibliotecas periódicamente + + + + Interval: + Intervalo: + + + + 30 minutes + 30 minutos + + + + 1 hour + 1 hora + + + + 2 hours + 2 horas + + + + 4 hours + 4 horas + + + + 8 hours + 8 horas + + + + 12 hours + 12 horas + + + + daily + dirariamente + + + + Update libraries at certain time + Actualizar bibliotecas en un momento determinado + + + + Time: + Hora: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + ¡ADVERTENCIA! Durante las actualizaciones de la biblioteca se desactivan las escrituras en la base de datos. No programes actualizaciones mientras puedas estar usando la aplicación activamente. Durante las actualizaciones automáticas, la aplicación bloqueará algunas de las acciones hasta que la actualización esté terminada. Para detener una actualización automática, toca en el indicador de carga junto al título de Bibliotecas. + + + + Modifications detection + Detección de modificaciones + + + + Compare the modified date of files when updating a library (not recommended) + Comparar la fecha de modificación de los archivos al actualizar una biblioteca (no recomendado) + + + + Enable background image + Activar imagen de fondo + + + + Opacity level + Nivel de opacidad + + + + Blur level + Nivel de desenfoque + + + + Use selected comic cover as background + Usar la portada del cómic seleccionado como fondo + + + + Restore defautls + Restaurar valores predeterminados + + + + Background + Fondo + + + + Display continue reading banner + Mostrar banner de "Continuar leyendo" + + + + Display current comic banner + Mostar el báner del cómic actual + + + + Continue reading + Continuar leyendo + + + + Comics directory + Directorio de cómics + + + + Background color + Color de fondo + + + + Page Flow + Flujo de página + + + + + General + Opciones generales + + + + Brightness + Brillo + + + + + Restart is needed + Es necesario reiniciar + + + + Quick Navigation Mode + Modo de navegación rápida + + + + Display + Visualización + + + + Show time in current page information label + Mostrar la hora en la etiqueta de información de la página actual + + + + Scroll behaviour + Comportamiento del scroll + + + + Disable scroll animations and smooth scrolling + Desactivar animaciones de desplazamiento y desplazamiento suave + + + + Do not turn page using scroll + No cambiar de página usando el scroll + + + + Use single scroll step to turn page + Usar un solo paso de desplazamiento para cambiar de página + + + + Mouse mode + Modo del ratón + + + + Only Back/Forward buttons can turn pages + Solo los botones Atrás/Adelante pueden cambiar de página + + + + Use the Left/Right buttons to turn pages. + Usar los botones Izquierda/Derecha para cambiar de página. + + + + Click left or right half of the screen to turn pages. + Hacer clic en la mitad izquierda o derecha de la pantalla para cambiar de página. + + + + Disable mouse over activation + Desactivar activación al pasar el ratón + + + + Fit options + Opciones de ajuste + + + + Enlarge images to fit width/height + Ampliar imágenes para ajustarse al ancho/alto + + + + Double Page options + Opciones de doble página + + + + Show covers as single page + Mostrar portadas como página única + + + + PropertiesDialog + + + General info + Información general + + + + Plot + Argumento + + + + Authors + Autores + + + + Publishing + Publicación + + + + Notes + Notas + + + + Cover page + Página de portada + + + + Load previous page as cover + Cargar página anterior como portada + + + + Load next page as cover + Cargar página siguiente como portada + + + + Reset cover to the default image + Restaurar la portada por defecto + + + + Load custom cover image + Cargar portada personalizada + + + + Series: + Serie: + + + + Title: + Título: + + + + + + of: + de: + + + + Issue number: + Número: + + + + Volume: + Volumen: + + + + Arc number: + Número de arco: + + + + Story arc: + Arco argumental: + + + + alt. number: + número alternativo: + + + + Alternate series: + Serie alternativa: + + + + Series Group: + Grupo de series: + + + + Genre: + Género: - - To change a shortcut, double click in the key combination and type the new keys. - Para cambiar un atajo, haz doble clic en la combinación de teclas y escribe las nuevas teclas. + + Size: + Tamaño: - - Shortcuts settings - Configuración de accesos directos + + Writer(s): + Guionista(s): - - Shortcut in use - Accesos directos en uso + + Penciller(s): + Dibujant(es): - - The shortcut "%1" is already assigned to other function - El acceso directo "%1" ya está asignado a otra función + + Inker(s): + Entintador(es): - - - FileComic - - Format not supported - Formato no soportado + + Colorist(s): + Color: - - 7z not found - 7z no encontrado + + Letterer(s): + Rotulista(s): - - Unknown error opening the file - Error desconocido abriendo el archivo + + Cover Artist(s): + Artista(s) portada: - - CRC error on page (%1): some of the pages will not be displayed correctly - Error CRC en la página (%1): algunas de las páginas no se mostrarán correctamente + + Editor(s): + Editor(es): - - - GoToDialog - - Go To - Ir a + + Imprint: + Sello: - - Go to... - Ir a... + + Day: + Día: - - - Total pages : - Páginas totales : + + Month: + Mes: - - Cancel - Cancelar + + Year: + Año: - - Page : - Página : + + Publisher: + Editorial: - - - GoToFlowToolBar - - Page : - Página : + + Format: + Formato: - - - HelpAboutDialog - - Help - Ayuda + + Color/BW: + Color/BN: - - System info - Información de sistema + + Age rating: + Casificación edades: - - About - Acerca de + + Type: + Tipo: - - - LogWindow - - Log window - + + Language (ISO): + Idioma (ISO): - - &Pause - + + Synopsis: + Sinopsis: - - &Save - + + Characters: + Personajes: - - C&lear - + + Teams: + Equipos: - - &Copy - + + Locations: + Lugares: - - Level: - + + Main character or team: + Personaje o equipo principal: - - &Auto scroll - + + Review: + Reseña: - - - MainWindowViewer - File - Archivo + + Notes: + Notas: - Help - Ayuda + + Tags: + Etiquetas: - Save - Guardar + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> ver </a> - &File - &Archivo + + Not found + No encontrado - &Next - Siguie&nte + + Comic not found. You should update your library. + Cómic no encontrado. Deberias actualizar tu biblioteca. - &Open - &Abrir + + Edit comic information + Editar la información del cócmic - Close - Cerrar + + Edit selected comics information + Editar la información de los cómics seleccionados - Open Comic - Abrir cómic + + Invalid cover + Portada inválida - Go To - Ir a + + The image is invalid. + La imagen no es válida. + + + QCoreApplication - Open image folder - Abrir carpeta de imágenes + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + \nYACReaderLibraryServer es la versión sin interfaz gráfica (headless) de YACReaderLibrary.\n\nEsta aplicación admite ajustes persistentes; para configurarlos, edita este archivo %1\nPara conocer los ajustes disponibles, consulta la documentación en https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + QObject - Set bookmark - Añadir marcador + + 7z lib not found + 7z lib no encontrado - page_%1.jpg - página_%1.jpg + + unable to load 7z lib from ./utils + imposible cargar 7z lib de ./utils - Switch to double page mode - Cambiar a modo de doble página + + Trace + Traza - Save current page - Guardar la página actual + + Debug + Depuración - Double page mode - Modo a doble página + + Info + Información - Switch Magnifying glass - Lupa On/Off + + Warning + Advertencia - Open Folder - Abrir carpeta + + Error + Fallo - Fit Height - Ajustar altura + + Fatal + Cr?tico - Comic files - Archivos de cómic + + Select custom cover + Seleccionar portada personalizada - Not now - Ahora no + + Images (%1) + Imágenes (%1) - Go to previous page - Ir a la página anterior + + The file could not be read or is not valid JSON. + No se pudo leer el archivo o no es un JSON válido. - Open a comic - Abrir cómic + + This theme is for %1, not %2. + Este tema es para %1, no para %2. - Image files (*.jpg) - Archivos de imagen (*.jpg) + + Libraries + Bibliotecas - Next Comic - Siguiente Cómic + + Folders + CARPETAS - Fit Width - Ajustar anchura + + Reading Lists + Listas de lectura + + + RenameLibraryDialog - Options - Opciones + + New Library Name : + Nuevo nombre de la biblioteca : - Show Info - Mostrar información + + Rename + Renombrar - Open folder - Abrir carpeta + + Cancel + Cancelar - Go to page ... - Ir a página... + + Rename current library + Renombrar la biblioteca seleccionada + + + ScraperResultsPaginator - Fit image to width - Ajustar página a lo ancho + + Number of volumes found : %1 + Número de volúmenes encontrados : %1 - &Previous - A&nterior + + + page %1 of %2 + página %1 de %2 - Go to next page - Ir a la página siguiente + + Number of %1 found : %2 + Número de %1 encontrados : %2 + + + SearchSingleComic - Show keyboard shortcuts - Mostrar atajos de teclado + + Please provide some additional information for this comic. + Por favor, proporciona alguna información adicional para éste cómic. - There is a new version available - Hay una nueva versión disponible + + Series: + Serie: - Open next comic - Abrir siguiente cómic + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Usar búsqueda exacta. Desactívala si quieres encontrar volúmenes que coincidan con algunas palabras del nombre. + + + SearchVolume - Remind me in 14 days - Recordar en 14 días + + Please provide some additional information. + Por favor, proporciona alguna informacion adicional. - Show bookmarks - Mostrar marcadores + + Series: + Serie: - Open previous comic - Abrir cómic anterior + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Usar búsqueda exacta. Desactívala si quieres encontrar volúmenes que coincidan con algunas palabras del nombre. + + + SelectComic - Rotate image to the left - Rotar imagen a la izquierda + + Please, select the right comic info. + Por favor, selecciona la información correcta. - Fit image to height - Ajustar página a lo alto + + comics + Cómics - Show the bookmarks of the current comic - Mostrar los marcadores del cómic actual + + loading cover + cargando portada - Show Dictionary - Mostrar diccionario + + loading description + cargando descripción - YACReader options - Opciones de YACReader + + comic description unavailable + Descripción del cómic no disponible + + + SelectVolume - Help, About YACReader - Ayuda, Sobre YACReader + + Please, select the right series for your comic. + Por favor, seleciona la serie correcta para tu cómic. - Show go to flow - Mostrar flow ir a + + Filter: + Filtro: - Previous Comic - Cómic anterior + + volumes + volúmenes - Show full size - Mostrar a tamaño original + + Nothing found, clear the filter if any. + No se encontró nada, limpia el filtro si lo hubiera. - Magnifying glass - Lupa + + loading cover + cargando portada - General - General + + loading description + cargando descripción - Set a bookmark on the current page - Añadir un marcador en la página actual + + volume description unavailable + Descripción del volumen no disponible + + + SeriesQuestion - Do you want to download the new version? - ¿Desea descargar la nueva versión? + + You are trying to get information for various comics at once, are they part of the same series? + Estás intentando obtener información de varios cómics a la vez, ¿son parte de la misma serie? - Rotate image to the right - Rotar imagen a la derecha + + yes + - Always on top - Siempre visible + + no + No - OptionsDialog + ServerConfigDialog - - Gamma - Gamma + + set port + fijar puerto - - Reset - Reset + + Server connectivity information + Infomación de conexión del servidor - - My comics path - Ruta a mis cómics + + Scan it! + ¡Escaneálo! - - Image adjustment - Ajustes de imagen + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader está disponible para iOS y Android.<br/> Descúbrela para <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a>o <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - - "Go to flow" size - Tamaño de "Go to flow" + + Choose an IP address + Elige una dirección IP - - Choose - Elegir + + Port + Puerto - - Image options - Opciones de imagen + + enable the server + activar el servidor + + + ShortcutsDialog - - Contrast - Contraste + Close + Cerrar - - Options - Opciones + YACReader keyboard shortcuts + Atajos de teclado de YACReader - - Comics directory - Directorio de cómics + Keyboard Shortcuts + Atajos de teclado + + + SortVolumeComics - - Background color - Color de fondo + + Please, sort the list of comics on the left until it matches the comics' information. + Por favor, ordena la lista de cómics en la izquiera hasta que coincida con la información adecuada. - - Page Flow - Page Flow + + sort comics to match comic information + ordena los cómics para coincidir con la información + + + + issues + números + + + + remove selected comics + eliminar cómics seleccionados + + + + restore all removed comics + restaurar todos los cómics eliminados + + + ThemeEditorDialog - - General - General + + Theme Editor + Editor de temas - - Brightness - Brillo + + + + + - - Restart is needed - Es necesario reiniciar + + - + - - - Quick Navigation Mode - Modo de navegación rápida + + i + ? - - Display - Visualización + + Expand all + Expandir todo - - Show time in current page information label - Mostrar la hora en la etiqueta de información de la página actual + + Collapse all + Contraer todo - - Scroll behaviour - Comportamiento del scroll + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Mantén pulsado para resaltar temporalmente el valor seleccionado en la interfaz (magenta / alternado / 0↔10). Al soltar se restaura el original. - - Disable scroll animations and smooth scrolling - Desactivar animaciones de desplazamiento y desplazamiento suave + + Search… + Buscar… - - Do not turn page using scroll - No cambiar de página usando el scroll + + Light + Luz - - Use single scroll step to turn page - Usar un solo paso de desplazamiento para cambiar de página + + Dark + Oscuro - - Mouse mode - Modo del ratón + + ID: + IDENTIFICACIÓN: - - Only Back/Forward buttons can turn pages - Solo los botones Atrás/Adelante pueden cambiar de página + + Display name: + Nombre para mostrar: - - Use the Left/Right buttons to turn pages. - Usar los botones Izquierda/Derecha para cambiar de página. + + Variant: + Variante: - - Click left or right half of the screen to turn pages. - Hacer clic en la mitad izquierda o derecha de la pantalla para cambiar de página. + + Theme info + Información del tema - - Disable mouse over activation - Desactivar activación al pasar el ratón + + Parameter + Parámetro - - Fit options - Opciones de ajuste + + Value + Valor - - Enlarge images to fit width/height - Ampliar imágenes para ajustarse al ancho/alto + + Save and apply + Guardar y aplicar - - Double Page options - Opciones de doble página + + Export to file... + Exportar a archivo... - - Show covers as single page - Mostrar portadas como página única + + Load from file... + Cargar desde archivo... - - - QObject - - 7z lib not found - 7z lib no encontrado + + Close + Cerrar - - unable to load 7z lib from ./utils - imposible cargar 7z lib de ./utils + + Double-click to edit color + Doble clic para editar el color - - Trace - + + + + + + + true + verdadero - - Debug - + + + + + false + falso - - Info - + + Double-click to toggle + Doble clic para alternar - - Warning - + + Double-click to edit value + Doble clic para editar el valor - - Error - + + + + Edit: %1 + Editar: %1 - - Fatal - + + Save theme + Guardar tema - - Select custom cover - + + + JSON files (*.json);;All files (*) + Archivos JSON (*.json);;Todos los archivos (*) - - Images (%1) - + + Save failed + Error al guardar - - - QsLogging::LogWindowModel - - Time - + + Could not open file for writing: +%1 + No se pudo abrir el archivo para escribir:\n%1 - - Level - + + Load theme + Cargar tema - - Message - + + + + Load failed + Error al cargar - - - QsLogging::Window - - &Pause - + + Could not open file: +%1 + No se pudo abrir el archivo:\n%1 - - &Resume - + + Invalid JSON: +%1 + JSON no válido:\n%1 - - Save log - + + Expected a JSON object. + Se esperaba un objeto JSON. + + + TitleHeader - - Log file (*.log) - + + SEARCH + buscar - ShortcutsDialog + UpdateLibraryDialog - Close - Cerrar + + Updating.... + Actualizado... - YACReader keyboard shortcuts - Atajos de teclado de YACReader + + Cancel + Cancelar - Keyboard Shortcuts - Atajos de teclado + + Update library + Actualizar biblioteca Viewer - + Page not available! ¡Página no disponible! - - + + Press 'O' to open comic. Pulsa 'O' para abrir un fichero. - + Error opening comic Error abriendo cómic - + Cover! ¡Portada! - + CRC Error Error CRC - + Comic not found Cómic no encontrado - + Not found No encontrado - + Last page! ¡Última página! - + Loading...please wait! Cargando...espere, por favor! + + VolumeComicsModel + + + title + Título + + + + VolumesModel + + + year + año + + + + issues + números + + + + publisher + Editorial + + + + YACReader3DFlowConfigWidget + + + Presets: + Predefinidos: + + + + Classic look + Tipo clásico + + + + Stripe look + Tipo tira + + + + Overlapped Stripe look + Tipo tira solapada + + + + Modern look + Tipo moderno + + + + Roulette look + Tipo ruleta + + + + Show advanced settings + Opciones avanzadas + + + + Custom: + Personalizado: + + + + View angle + Ángulo de vista + + + + Position + Posición + + + + Cover gap + Hueco entre portadas + + + + Central gap + Hueco central + + + + Zoom + Ampliaci?n + + + + Y offset + Desplazamiento en Y + + + + Z offset + Desplazamiento en Z + + + + Cover Angle + Ángulo de las portadas + + + + Visibility + Visibilidad + + + + Light + Luz + + + + Max angle + Ángulo máximo + + + + Low Performance + Rendimiento bajo + + + + High Performance + Alto rendimiento + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Utilizar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) + + + + Performance: + Rendimiento: + + YACReader::MainWindowViewer - + &Open &Abrir - + Open a comic Abrir cómic - + New instance Nueva instancia - + Open Folder Abrir carpeta - + Open image folder Abrir carpeta de imágenes - + Open latest comic Abrir el cómic más reciente - + Open the latest comic opened in the previous reading session Abrir el cómic más reciente abierto en la sesión de lectura anterior - + Clear Limpiar - + Clear open recent list Limpiar lista de abiertos recientemente - + Save Guardar - + Save current page Guardar la página actual @@ -772,285 +3362,296 @@ Cómic anterior - - - + + + Open previous comic Abrir cómic anterior - + Next Comic Siguiente Cómic - - - + + + Open next comic Abrir siguiente cómic - + &Previous A&nterior - - - + + + Go to previous page Ir a la página anterior - + &Next Siguie&nte - - - + + + Go to next page Ir a la página siguiente - + Fit Height Ajustar altura - + Fit image to height Ajustar página a lo alto - + Fit Width Ajustar anchura - + Fit image to width Ajustar página a lo ancho - + Show full size Mostrar a tamaño original - + Fit to page Ajustar a página - + + Continuous scroll + Desplazamiento continuo + + + + Switch to continuous scroll mode + Cambiar al modo de desplazamiento continuo + + + Reset zoom Restablecer zoom - + Show zoom slider Mostrar control deslizante de zoom - + Zoom+ - Zoom+ + Ampliar+ - + Zoom- - Zoom- + Reducir - + Rotate image to the left Rotar imagen a la izquierda - + Rotate image to the right Rotar imagen a la derecha - + Double page mode Modo a doble página - + Switch to double page mode Cambiar a modo de doble página - + Double page manga mode Modo de manga de página doble - + Reverse reading order in double page mode Invertir el orden de lectura en modo de página doble - + Go To Ir a - + Go to page ... Ir a página... - + Options Opciones - + YACReader options Opciones de YACReader - - + + Help Ayuda - + Help, About YACReader Ayuda, Sobre YACReader - + Magnifying glass Lupa - + Switch Magnifying glass Lupa On/Off - + Set bookmark Añadir marcador - + Set a bookmark on the current page Añadir un marcador en la página actual - + Show bookmarks Mostrar marcadores - + Show the bookmarks of the current comic Mostrar los marcadores del cómic actual - + Show keyboard shortcuts Mostrar atajos de teclado - + Show Info Mostrar información - + Close Cerrar - + Show Dictionary Mostrar diccionario - + Show go to flow Mostrar flow ir a - + Edit shortcuts Editar accesos directos - + &File &Archivo - - + + Open recent Abrir reciente - + File Archivo - + Edit Editar - + View Ver - + Go Ir - + Window Ventana - - - + + + Open Comic Abrir cómic - - - + + + Comic files Archivos de cómic - + Open folder Abrir carpeta - + page_%1.jpg página_%1.jpg - + Image files (*.jpg) Archivos de imagen (*.jpg) + Comics Cómics @@ -1066,9 +3667,10 @@ Ocultar/mostrar barra de herramientas + General - General + Opciones generales @@ -1096,6 +3698,7 @@ Resetear lupa + Magnifiying glass Lupa @@ -1106,112 +3709,131 @@ Alternar entre ajuste al ancho y ajuste al alto + Page adjustement Ajuste de página - + Autoscroll down Desplazamiento automático hacia abajo - + Autoscroll up Desplazamiento automático hacia arriba - + Autoscroll forward, horizontal first Desplazamiento automático hacia adelante, primero horizontal - + Autoscroll backward, horizontal first Desplazamiento automático hacia atrás, primero horizontal - + Autoscroll forward, vertical first Desplazamiento automático hacia adelante, primero vertical - + Autoscroll backward, vertical first Desplazamiento automático hacia atrás, primero vertical - + Move down Mover abajo - + Move up Mover arriba - + Move left Mover a la izquierda - + Move right Mover a la derecha - + Go to the first page Ir a la primera página - + Go to the last page Ir a la última página - + Offset double page to the left Mover una página a la izquierda - + Offset double page to the right Mover una página a la derecha - + + Reading Leyendo - + There is a new version available Hay una nueva versión disponible - + Do you want to download the new version? ¿Desea descargar la nueva versión? - + Remind me in 14 days Recordar en 14 días - + Not now Ahora no + + YACReader::TrayIconController + + + &Restore + &Restaurar + + + + Systray + Bandeja del sistema + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary se continuará ejecutando en la bandeja del sistema. Para cerrar el programa elige <b>Cerrar</b> en el menú contextual del icono de la aplicación en la bandeja del sistema. + + YACReader::WhatsNewDialog - Close - Cerrar + Cerrar @@ -1225,7 +3847,7 @@ Click to overwrite - Click para sobreescribir + Clic para sobrescribir @@ -1241,206 +3863,186 @@ Click to overwrite - Click para sobreescribir + Clic para sobrescribir YACReaderFlowConfigWidget - CoverFlow look - Tipo CoverFlow + Tipo CoverFlow - How to show covers: - Cómo mostrar las portadas: + Cómo mostrar las portadas: - Stripe look - Tipo tira + Tipo tira - Overlapped Stripe look - Tipo tira solapada + Tipo tira solapada YACReaderGLFlowConfigWidget - Zoom - Zoom + Ampliaci?n - Light - Luz + Luz - Show advanced settings - Opciones avanzadas + Opciones avanzadas - Roulette look - Tipo ruleta + Tipo ruleta - Cover Angle - Ángulo de las portadas + Ángulo de las portadas - Stripe look - Tipo tira + Tipo tira - Position - Posición + Posición - Z offset - Desplazamiento en Z + Desplazamiento en Z - Y offset - Desplazamiento en Y + Desplazamiento en Y - Central gap - Hueco central + Hueco central - Presets: - Predefinidos: + Predefinidos: - Overlapped Stripe look - Tipo tira solapada + Tipo tira solapada - Modern look - Tipo moderno + Tipo moderno - View angle - Ángulo de vista + Ángulo de vista - Max angle - Ángulo máximo + Ángulo máximo - Custom: - Personalizado: + Personalizado: - Classic look - Tipo clásico + Tipo clásico - Cover gap - Hueco entre portadas + Hueco entre portadas - High Performance - Alto rendimiento + Alto rendimiento - Performance: - Rendimiento: + Rendimiento: - Use VSync (improve the image quality in fullscreen mode, worse performance) - Utilizar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) + Utilizar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) - Visibility - Visibilidad + Visibilidad - Low Performance - Rendimiento bajo + Rendimiento bajo YACReaderOptionsDialog - + Save Guardar - Use hardware acceleration (restart needed) - Utilizar aceleración por hardware (necesario reiniciar) + Utilizar aceleración por hardware (necesario reiniciar) - + Cancel Cancelar - + Edit shortcuts Editar accesos directos - + Shortcuts Accesos directos + + YACReaderSearchLineEdit + + + type to search + escribe para buscar + + YACReaderSlider Reset - Reset + Restablecer YACReaderTranslator - + clear limpiar - + Service not available Servicio no disponible - - + + Translation Traducción - + YACReader translator Traductor YACReader diff --git a/YACReader/yacreader_fr.ts b/YACReader/yacreader_fr.ts index 967308c28..70d120a19 100644 --- a/YACReader/yacreader_fr.ts +++ b/YACReader/yacreader_fr.ts @@ -9,6 +9,196 @@ Rien + + AddLabelDialog + + + Label name: + Nom de l'étiquette : + + + + Choose a color: + Choisissez une couleur: + + + + accept + accepter + + + + cancel + Annuler + + + + AddLibraryDialog + + + Comics folder : + Dossier des bandes dessinées : + + + + Library name : + Nom de la librairie : + + + + Add + Ajouter + + + + Cancel + Annuler + + + + Add an existing library + Ajouter une librairie existante + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Avant de pouvoir vous connecter à Comic Vine, vous avez besoin de votre propre clé API. Veuillez en obtenir une gratuitement ici: <a href="http://www.comicvine.com/api/"></a> + + + + Paste here your Comic Vine API key + Collez ici votre clé API Comic Vine + + + + Accept + Accepter + + + + Cancel + Annuler + + + + AppearanceTabWidget + + + Color scheme + Jeu de couleurs + + + + System + Système + + + + Light + Lumière + + + + Dark + Sombre + + + + Custom + Coutume + + + + Remove + Retirer + + + + Remove this user-imported theme + Supprimer ce thème importé par l'utilisateur + + + + Light: + Lumière: + + + + Dark: + Sombre: + + + + Custom: + Personnalisation: + + + + Import theme... + Importer le thème... + + + + Theme + Thème + + + + Theme editor + Éditeur de thème + + + + Open Theme Editor... + Ouvrir l'éditeur de thème... + + + + Theme editor error + Erreur de l'éditeur de thème + + + + The current theme JSON could not be loaded. + Le thème actuel JSON n'a pas pu être chargé. + + + + Import theme + Importer un thème + + + + JSON files (*.json);;All files (*) + Fichiers JSON (*.json);;Tous les fichiers (*) + + + + Could not import theme from: +%1 + Impossible d'importer le thème depuis : +%1 + + + + Could not import theme from: +%1 + +%2 + Impossible d'importer le thème depuis : +%1 + +%2 + + + + Import failed + Échec de l'importation + + BookmarksDialog @@ -33,10 +223,204 @@ Aller à la dernière page + + ClassicComicsView + + + Hide comic flow + Cacher le flux de bande dessinée + + + + ComicModel + + + yes + oui + + + + no + non + + + + Title + Titre + + + + File Name + Nom du fichier + + + + Pages + Feuilles + + + + Size + Taille + + + + Read + Lu + + + + Current Page + Page en cours + + + + Publication Date + Date de publication + + + + Rating + Note + + + + Series + Série + + + + Volume + Tome + + + + Story Arc + Arc d'histoire + + + + ComicVineDialog + + + skip + passer + + + + back + retour + + + + next + suivant + + + + search + chercher + + + + close + fermer + + + + + comic %1 of %2 - %3 + bande dessinée %1 sur %2 - %3 + + + + + + Looking for volume... + Vous cherchez du volume... + + + + %1 comics selected + %1 bande(s) dessinnée(s) sélectionnée(s) + + + + Error connecting to ComicVine + Erreur de connexion à Comic Vine + + + + + Retrieving tags for : %1 + Retrouver les infomartions de: %1 + + + + Retrieving volume info... + Récupération des informations sur le volume... + + + + Looking for comic... + Vous cherchez une bande dessinée ... + + + + ContinuousPageWidget + + + Loading page %1 + Chargement de la page %1 + + + + CreateLibraryDialog + + + Comics folder : + Dossier des bandes dessinées : + + + + Library Name : + Nom de la librairie : + + + + Create + Créer + + + + Cancel + Annuler + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + La création d'une librairie peut prendre quelques minutes. Vous pouvez arrêter le processus et continuer plus tard. + + + + Create new library + Créer une nouvelle librairie + + + + Path not found + Chemin introuvable + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Le chemin sélectionné n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier + + EditShortcutsDialog - + Shortcut in use Raccourci en cours d'utilisation @@ -51,7 +435,7 @@ Paramètres de raccourcis - + The shortcut "%1" is already assigned to other function Le raccourci "%1" est déjà affecté à une autre fonction @@ -61,6 +445,124 @@ Pour modifier un raccourci, double-cliquez sur la combinaison de touches et tapez les nouvelles clés. + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Ce dossier ne contient pas encore de bandes dessinées + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Ce dossier ne contient pas encore de bandes dessinées + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Cette liste de lecture ne contient aucune bande dessinée + + + + EmptySpecialListWidget + + + No favorites + Pas de favoris + + + + You are not reading anything yet, come on!! + Vous ne lisez rien encore, allez !! + + + + There are no recent comics! + Il n'y a pas de BD récente ! + + + + ExportComicsInfoDialog + + + Output file : + Fichier de sortie : + + + + Create + Créer + + + + Cancel + Annuler + + + + Export comics info + Exporter les infos des bandes dessinées + + + + Destination database name + Nom de la base de données de destination + + + + Problem found while writing + Problème durant l'écriture + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Le chemin sélectionné pour le fichier n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier + + + + ExportLibraryDialog + + + Output folder : + Dossier de sortie : + + + + Create + Créer + + + + Cancel + Annuler + + + + Create covers package + Créer un pack de couvertures + + + + Problem found while writing + Problème durant l'écriture + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Le chemin sélectionné pour le fichier n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier + + + + Destination directory + Répertoire de destination + + FileComic @@ -110,1264 +612,3402 @@ Page : - Page : + Feuille : GoToFlowToolBar - + Page : - Page : + Feuille : + + + + GridComicsView + + + Show info + Afficher les informations HelpAboutDialog - + Help Aide - + System info - + Informations système - + About A propos - LogWindow + ImportComicsInfoDialog + + + Import comics info + Importer les infos des bandes dessinées + + + + Info database location : + Emplacement des infos: + + + + Import + Importer + + + + Cancel + Annuler + + + + Comics info file (*.ydb) + Fichier infos BD (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Nom de la librairie : + + + + Package location : + Emplacement : + + + + Destination folder : + Dossier de destination : + + + + Unpack + Désarchiver + + + + Cancel + Annuler + + + + Extract a catalog + Extraire un catalogue + + + + Compresed library covers (*.clc) + Couvertures de bibliothèque compressées (*.clc) + + + + ImportWidget + + + stop + Arrêter + + + + Some of the comics being added... + Ajout de bande dessinée... + + + + Importing comics + Importation de bande dessinée + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary est en train de créer une nouvelle librairie.</p><p>La création d'une librairie peut prendre quelques minutes. Vous pouvez arrêter le processus et poursuivre plus tard.</p> + + + + Updating the library + Mise à jour de la librairie + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Mise à jour de la librairie. Pour plus de rapidité lors de la mise à jour, veuillez effectuer cette dernière régulièrement.</p><p>Vous pouvez arrêter le processus et poursuivre plus tard.</p> + + + + Upgrading the library + Mise à niveau de la bibliothèque + + + + <p>The current library is being upgraded, please wait.</p> + <p>La bibliothèque actuelle est en cours de mise à niveau, veuillez patienter.</p> + + + + Scanning the library + Scanner la bibliothèque + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>La bibliothèque actuelle est en cours d'analyse pour rechercher des informations sur les métadonnées XML héritées.</p><p>Ceci n'est nécessaire qu'une seule fois, et uniquement si la bibliothèque a été créée avec YACReaderLibrary 9.8.2 ou une version antérieure.</p> + + + + LibraryWindow + + + YACReader Library + Librairie de YACReader + + + + + + comic + comique + + + + + + manga + mangas + + + + + + western manga (left to right) + manga occidental (de gauche à droite) + + + + + + web comic + bande dessinée Web + + + + + + 4koma (top to botom) + 4koma (de haut en bas) + + + + + + + Set type + Définir le type + + + + Library + Librairie + + + + Folder + Dossier + + + + Comic + Bande dessinée + + + + Upgrade failed + La mise à niveau a échoué + + + + There were errors during library upgrade in: + Des erreurs se sont produites lors de la mise à niveau de la bibliothèque dans : + + + + Update needed + Mise à jour requise + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Cette librairie a été créée avec une ancienne version de YACReaderLibrary. Mise à jour necessaire. Mettre à jour? + + + + Download new version + Téléchrger la nouvelle version + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Cette librairie a été créée avec une version plus récente de YACReaderLibrary. Télécharger la nouvelle version? + + + + Library not available + Librairie non disponible + + + + Library '%1' is no longer available. Do you want to remove it? + La librarie '%1' n'est plus disponible. Voulez-vous la supprimer? + + + + Old library + Ancienne librairie + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + La librarie '%1' a été créée avec une ancienne version de YACReaderLibrary. Elle doit être re-créée. Voulez-vous créer la librairie? + + + + + Copying comics... + Copier la bande dessinée... + + + + + Moving comics... + Déplacer la bande dessinée... + + + + Add new folder + Ajouter un nouveau dossier + + + + Folder name: + Nom du dossier : + + + + No folder selected + Aucun dossier sélectionné + + + + Please, select a folder first + Veuillez d'abord sélectionner un dossier + + + + Error in path + Erreur dans le chemin + + + + There was an error accessing the folder's path + Une erreur s'est produite lors de l'accès au chemin du dossier + + + + Delete folder + Supprimer le dossier + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Le dossier sélectionné et tout son contenu seront supprimés de votre disque. Es-tu sûr? + + + + + Unable to delete + Impossible de supprimer + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Un problème est survenu lors de la tentative de suppression des dossiers sélectionnés. Veuillez vérifier les autorisations d'écriture et assurez-vous que toutes les applications utilisent ces dossiers ou l'un des fichiers contenus. + + + + Add new reading lists + Ajouter de nouvelles listes de lecture + + + + + List name: + Nom de la liste : + + + + Delete list/label + Supprimer la liste/l'étiquette + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + L'élément sélectionné sera supprimé, vos bandes dessinées ou dossiers ne seront pas supprimés de votre disque. Êtes-vous sûr? + + + + Rename list name + Renommer le nom de la liste + + + + Open folder... + Ouvrir le dossier... + + + + Update folder + Mettre à jour le dossier + + + + Rescan library for XML info + Réanalyser la bibliothèque pour les informations XML + + + + Set as uncompleted + Marquer comme incomplet + + + + Set as completed + Marquer comme complet + + + + Set as read + Marquer comme lu + + + + + Set as unread + Marquer comme non-lu + + + + Set custom cover + Définir une couverture personnalisée + + + + Delete custom cover + Supprimer la couverture personnalisée + + + + Save covers + Enregistrer les couvertures + + + + You are adding too many libraries. + Vous ajoutez trop de bibliothèques. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Vous ajoutez trop de bibliothèques. + +Vous n'avez probablement besoin que d'une bibliothèque dans votre dossier BD de niveau supérieur, vous pouvez parcourir les sous-dossiers en utilisant la section des dossiers dans la barre latérale gauche. + +YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais vous devriez garder le nombre de bibliothèques bas. + + + + + YACReader not found + YACReader introuvable + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader introuvable. YACReader doit être installé dans le même dossier que YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader introuvable. Il se peut qu'il y ait un problème avec votre installation de YACReader. + + + + Error + Erreur + + + + Error opening comic with third party reader. + Erreur lors de l'ouverture de la bande dessinée avec un lecteur tiers. + + + + Library not found + Librairie introuvable + + + + The selected folder doesn't contain any library. + Le dossier sélectionné ne contient aucune librairie. + + + + Are you sure? + Êtes-vous sûr? + + + + Do you want remove + Voulez-vous supprimer + + + + library? + la librairie? + + + + Remove and delete metadata + Supprimer les métadata + + + + Library info + Informations sur la bibliothèque + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Un problème est survenu lors de la tentative de suppression des bandes dessinées sélectionnées. Veuillez vérifier les autorisations d'écriture dans les fichiers sélectionnés ou le dossier contenant. + + + + Assign comics numbers + Attribuer des numéros de bandes dessinées + + + + Assign numbers starting in: + Attribuez des numéros commençant par : + + + + Invalid image + Image invalide + + + + The selected file is not a valid image. + Le fichier sélectionné n'est pas une image valide. + + + + Error saving cover + Erreur lors de l'enregistrement de la couverture + + + + There was an error saving the cover image. + Une erreur s'est produite lors de l'enregistrement de l'image de couverture. + + + + Error creating the library + Erreur lors de la création de la librairie + + + + Error updating the library + Erreur lors de la mise à jour de la librairie + + + + Error opening the library + Erreur lors de l'ouverture de la librairie + + + + Delete comics + Supprimer les comics + + + + All the selected comics will be deleted from your disk. Are you sure? + Tous les comics sélectionnés vont être supprimés de votre disque. Êtes-vous sûr? + + + + Remove comics + Supprimer les bandes dessinées + + + + Comics will only be deleted from the current label/list. Are you sure? + Les bandes dessinées seront uniquement supprimées du label/liste actuelle. Es-tu sûr? + + + + Library name already exists + Le nom de la librairie existe déjà + + + + There is another library with the name '%1'. + Une autre librairie a le nom '%1'. + + + + LibraryWindowActions + + + Create a new library + Créer une nouvelle librairie + + + + Open an existing library + Ouvrir une librairie existante + + + + + Export comics info + Exporter les infos des bandes dessinées + + + + + Import comics info + Importer les infos des bandes dessinées + + + + Pack covers + Archiver les couvertures + + + + Pack the covers of the selected library + Archiver les couvertures de la librairie sélectionnée + + + + Unpack covers + Désarchiver les couvertures + + + + Unpack a catalog + Désarchiver un catalogue + + + + Update library + Mettre la librairie à jour + + + + Update current library + Mettre à jour la librairie actuelle + + + + Rename library + Renommer la librairie + + + + Rename current library + Renommer la librairie actuelle + + + + Remove library + Supprimer la librairie + + + + Remove current library from your collection + Enlever cette librairie de votre collection + + + + Rescan library for XML info + Réanalyser la bibliothèque pour les informations XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Essaie de trouver des informations XML intégrées dans des fichiers de bandes dessinées. Vous ne devez le faire que si la bibliothèque a été créée avec la version 9.8.2 ou des versions antérieures ou si vous utilisez un logiciel tiers pour intégrer des informations XML dans les fichiers. + + + + Show library info + Afficher les informations sur la bibliothèque + + + + Show information about the current library + Afficher des informations sur la bibliothèque actuelle + + + + Open current comic + Ouvrir cette bande dessinée + + + + Open current comic on YACReader + Ouvrir cette bande dessinée dans YACReader + + + + Save selected covers to... + Exporter la couverture vers... + + + + Save covers of the selected comics as JPG files + Enregistrer les couvertures des bandes dessinées sélectionnées en tant que fichiers JPG + + + + + Set as read + Marquer comme lu + + + + Set comic as read + Marquer cette bande dessinée comme lu + + + + + Set as unread + Marquer comme non-lu + + + + Set comic as unread + Marquer cette bande dessinée comme non-lu + + + + + manga + mangas + + + + Set issue as manga + Définir le problème comme manga + + + + + comic + comique + + + + Set issue as normal + Définir le problème comme d'habitude + + + + western manga + manga occidental + + + + Set issue as western manga + Définir le problème comme un manga occidental + + + + + web comic + bande dessinée Web + + + + Set issue as web comic + Définir le problème comme bande dessinée Web + + + + + yonkoma + Yonkoma + + + + Set issue as yonkoma + Définir le problème comme Yonkoma + + + + Show/Hide marks + Afficher/Cacher les marqueurs + + + + Show or hide read marks + Afficher ou masquer les marques de lecture + + + + Show/Hide recent indicator + Afficher/Masquer l'indicateur récent + + + + Show or hide recent indicator + Afficher ou masquer l'indicateur récent + + + + + Fullscreen mode on/off + Mode plein écran activé/désactivé + + + + Help, About YACReader + Aide, à propos de YACReader + + + + Add new folder + Ajouter un nouveau dossier + + + + Add new folder to the current library + Ajouter un nouveau dossier à la bibliothèque actuelle + + + + Delete folder + Supprimer le dossier + + + + Delete current folder from disk + Supprimer le dossier actuel du disque + + + + Select root node + Allerà la racine + + + + Expand all nodes + Afficher tous les noeuds + + + + Collapse all nodes + Réduire tous les nœuds + + + + Show options dialog + Ouvrir la boite de dialogue + + + + Show comics server options dialog + Ouvrir la boite de dialogue du serveur + + + + + Change between comics views + Changement entre les vues de bandes dessinées + + + + Open folder... + Ouvrir le dossier... + + + + Set as uncompleted + Marquer comme incomplet + + + + Set as completed + Marquer comme complet + + + + Set custom cover + Définir une couverture personnalisée + + + + Delete custom cover + Supprimer la couverture personnalisée + + + + western manga (left to right) + manga occidental (de gauche à droite) + + + + Open containing folder... + Ouvrir le dossier... + + + + Reset comic rating + Supprimer la note d'évaluation + + + + Select all comics + Sélectionner toutes les bandes dessinées + + + + Edit + Editer + + + + Assign current order to comics + Assigner l'ordre actuel aux bandes dessinées + + + + Update cover + Mise à jour des couvertures + + + + Delete selected comics + Supprimer la bande dessinée sélectionnée + + + + Delete metadata from selected comics + Supprimer les métadonnées des bandes dessinées sélectionnées + + + + Download tags from Comic Vine + Télécharger les informations de Comic Vine + + + + Focus search line + Ligne de recherche ciblée + + + + Focus comics view + Focus sur la vue des bandes dessinées + + + + Edit shortcuts + Modifier les raccourcis + + + + &Quit + &Quitter + + + + Update folder + Mettre à jour le dossier + + + + Update current folder + Mettre à jour ce dossier + + + + Scan legacy XML metadata + Analyser les métadonnées XML héritées + + + + Add new reading list + Ajouter une nouvelle liste de lecture + + + + Add a new reading list to the current library + Ajouter une nouvelle liste de lecture à la bibliothèque actuelle + + + + Remove reading list + Supprimer la liste de lecture + + + + Remove current reading list from the library + Supprimer la liste de lecture actuelle de la bibliothèque + + + + Add new label + Ajouter une nouvelle étiquette + + + + Add a new label to this library + Ajouter une nouvelle étiquette à cette bibliothèque + + + + Rename selected list + Renommer la liste sélectionnée + + + + Rename any selected labels or lists + Renommer toutes les étiquettes ou listes sélectionnées + + + + Add to... + Ajouter à... + + + + Favorites + Favoris + + + + Add selected comics to favorites list + Ajouter la bande dessinée sélectionnée à la liste des favoris + + + + LocalComicListModel + + + file name + nom de fichier + + + + MainWindowViewer + + Go + Aller + + + Edit + Editer + + + File + Fichier + + + Help + Aide + + + Save + Sauvegarder + + + View + Vue + + + &File + &Fichier + + + &Next + &Suivant + + + &Open + &Ouvrir + + + Close + Fermer + + + Open Comic + Ouvrir la bande dessinée + + + Go To + Aller à + + + Zoom+ + Agrandir + + + Zoom- + R?duire + + + Open image folder + Ouvrir un dossier d'images + + + Size down magnifying glass + Réduire la taille de la loupe + + + Zoom out magnifying glass + Dézoomer + + + Open latest comic + Ouvrir la dernière bande dessinée + + + Autoscroll up + Défilement automatique vers le haut + + + Set bookmark + Placer un marque-page + + + page_%1.jpg + feuille_%1.jpg + + + Autoscroll forward, vertical first + Défilement automatique en avant, vertical + + + Switch to double page mode + Passer en mode double page + + + Save current page + Sauvegarder la page actuelle + + + Size up magnifying glass + Augmenter la taille de la loupe + + + Double page mode + Mode double page + + + Move up + Monter + + + Switch Magnifying glass + Utiliser la loupe + + + Open Folder + Ouvrir un dossier + + + Comics + Bandes dessinées + + + Fit Height + Ajuster la hauteur + + + Autoscroll backward, vertical first + Défilement automatique en arrière, verticak + + + Comic files + Bande dessinée + + + Not now + Pas maintenant + + + Go to the first page + Aller à la première page + + + Go to previous page + Aller à la page précédente + + + Window + Fenêtre + + + Open the latest comic opened in the previous reading session + Ouvrir la dernière bande dessinée ouverte lors de la session de lecture précédente + + + Open a comic + Ouvrir une bande dessinée + + + Image files (*.jpg) + Image(*.jpg) + + + Next Comic + Bande dessinée suivante + + + Fit Width + Ajuster la largeur + + + Options + Possibilités + + + Show Info + Voir les infos + + + Open folder + Ouvirir le dossier + + + Go to page ... + Aller à la page ... + + + Magnifiying glass + Loupe + + + Fit image to width + Ajuster l'image à la largeur + + + Toggle fullscreen mode + Basculer en mode plein écran + + + Toggle between fit to width and fit to height + Basculer entre adapter à la largeur et adapter à la hauteur + + + Move right + Déplacer à droite + + + Zoom in magnifying glass + Zoomer + + + Open recent + Ouvrir récent + + + Reading + Lecture + + + &Previous + &Précédent + + + Autoscroll forward, horizontal first + Défilement automatique en avant, horizontal + + + Go to next page + Aller à la page suivante + + + Show keyboard shortcuts + Voir les raccourcis + + + Double page manga mode + Mode manga en double page + + + There is a new version available + Une nouvelle version est disponible + + + Autoscroll down + Défilement automatique vers le bas + + + Open next comic + Ouvrir la bande dessinée suivante + + + Remind me in 14 days + Rappelez-moi dans 14 jours + + + Fit to page + Ajuster à la page + + + Show bookmarks + Voir les marque-pages + + + Open previous comic + Ouvrir la bande dessiné précédente + + + Rotate image to the left + Rotation à gauche + + + Fit image to height + Ajuster l'image à la hauteur + + + Reset zoom + Réinitialiser le zoom + + + Show the bookmarks of the current comic + Voir les marque-pages de cette bande dessinée + + + Show Dictionary + Dictionnaire + + + Move down + Descendre + + + Move left + Déplacer à gauche + + + Reverse reading order in double page mode + Ordre de lecture inversée en mode double page + + + YACReader options + Options de YACReader + + + Clear open recent list + Vider la liste d'ouverture récente + + + Help, About YACReader + Aide, à propos de YACReader + + + Show go to flow + Afficher le flux + + + Previous Comic + Bande dessinée précédente + + + Show full size + Plein écran + + + Hide/show toolbar + Masquer / afficher la barre d'outils + + + Magnifying glass + Loupe + + + Edit shortcuts + Modifier les raccourcis + + + General + Général + + + Set a bookmark on the current page + Placer un marque-page sur la page actuelle + + + Page adjustement + Ajustement de la page + + + Show zoom slider + Afficher le curseur de zoom + + + Go to the last page + Aller à la dernière page + + + Do you want to download the new version? + Voulez-vous télécharger la nouvelle version? + + + Rotate image to the right + Rotation à droite + + + Always on top + Toujours au dessus + + + Autoscroll backward, horizontal first + Défilement automatique en arrière horizontal + + + + NoLibrariesWidget + + + You don't have any libraries yet + Vous n'avez pas encore de librairie + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Vous pouvez creer une librairie dans n'importe quel dossierr, YACReaderLibrary importera les dossiers et les bandes dessinées contenus dans ce dossier. Si vous avez déjà crer des librairies, vous pouvez les ouvrir.</p><p>N'oubliez pas que vous pouvez utiliser YACReader en tant que stand alone pour lire vos bandes dessinées sur votre ordinateur.</p> + + + + create your first library + Créez votre première librairie + + + + add an existing one + Ajouter une librairie existante + + + + NoSearchResultsWidget + + + No results + Aucun résultat + + + + OptionsDialog + + + Gamma + Valeur gamma + + + + Reset + Remise à zéro + + + + My comics path + Chemin de mes bandes dessinées + + + + Image adjustment + Ajustement de l'image + + + + "Go to flow" size + Taille du flux + + + + Choose + Choisir + + + + Image options + Option de l'image + + + + Contrast + Contraste + + + + + Libraries + Bibliothèques + + + + Comic Flow + Flux comique + + + + Grid view + Vue grille + + + + + Appearance + Apparence + + + + + Options + Possibilités + + + + + Language + Langue + + + + + Application language + Langue de l'application + + + + + System default + Par défaut du système + + + + Tray icon settings (experimental) + Paramètres de l'icône de la barre d'état (expérimental) + + + + Close to tray + Près du plateau + + + + Start into the system tray + Commencez dans la barre d'état système + + + + Edit Comic Vine API key + Modifier la clé API Comic Vine + + + + Comic Vine API key + Clé API Comic Vine + + + + ComicInfo.xml legacy support + Prise en charge héritée de ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importer des métadonnées depuis ComicInfo.xml lors de l'ajout de nouvelles bandes dessinées + + + + Consider 'recent' items added or updated since X days ago + Considérez les éléments « récents » ajoutés ou mis à jour depuis X jours + + + + Third party reader + Lecteur tiers + + + + Write {comic_file_path} where the path should go in the command + Écrivez {comic_file_path} où le chemin doit aller dans la commande + + + + + Clear + Clair + + + + Update libraries at startup + Mettre à jour les bibliothèques au démarrage + + + + Try to detect changes automatically + Essayez de détecter automatiquement les changements + + + + Update libraries periodically + Mettre à jour les bibliothèques périodiquement + + + + Interval: + Intervalle: + + + + 30 minutes + 30 min + + + + 1 hour + 1 heure + + + + 2 hours + 2 heures + + + + 4 hours + 4 heures + + + + 8 hours + 8 heures + + + + 12 hours + 12 heures + + + + daily + tous les jours + + + + Update libraries at certain time + Mettre à jour les bibliothèques à un certain moment + + + + Time: + Temps: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + AVERTISSEMENT! Lors des mises à jour de la bibliothèque, les écritures dans la base de données sont désactivées ! +Ne planifiez pas de mises à jour pendant que vous utilisez activement l'application. +Lors des mises à jour automatiques, l'application bloquera certaines actions jusqu'à ce que la mise à jour soit terminée. +Pour arrêter une mise à jour automatique, appuyez sur l'indicateur de chargement à côté du titre Bibliothèques. + + + + Modifications detection + Détection des modifications + + + + Compare the modified date of files when updating a library (not recommended) + Comparer la date de modification des fichiers lors de la mise à jour d'une bibliothèque (déconseillé) + + + + Enable background image + Activer l'image d'arrière-plan + + + + Opacity level + Niveau d'opacité + + + + Blur level + Niveau de flou + + + + Use selected comic cover as background + Utiliser la couverture de bande dessinée sélectionnée comme arrière-plan + + + + Restore defautls + Restaurer les valeurs par défaut + + + + Background + Arrière-plan + + + + Display continue reading banner + Afficher la bannière de lecture continue + + + + Display current comic banner + Afficher la bannière de bande dessinée actuelle + + + + Continue reading + Continuer la lecture + + + + Comics directory + Répertoire des bandes dessinées + + + + Quick Navigation Mode + Mode navigation rapide + + + + Display + Afficher + + + + Show time in current page information label + Afficher l'heure dans l'étiquette d'information de la page actuelle + + + + Background color + Couleur d'arrière plan + + + + Scroll behaviour + Comportement de défilement + + + + Disable scroll animations and smooth scrolling + Désactiver les animations de défilement et le défilement fluide + + + + Do not turn page using scroll + Ne tournez pas la page en utilisant le défilement + + + + Use single scroll step to turn page + Utilisez une seule étape de défilement pour tourner la page + + + + Mouse mode + Mode souris + + + + Only Back/Forward buttons can turn pages + Seuls les boutons Précédent/Avant peuvent tourner les pages + + + + Use the Left/Right buttons to turn pages. + Utilisez les boutons Gauche/Droite pour tourner les pages. + + + + Click left or right half of the screen to turn pages. + Cliquez sur la moitié gauche ou droite de l'écran pour tourner les pages. + + + + Disable mouse over activation + Désactiver la souris sur l'activation + + + + Scaling + Mise à l'échelle + + + + Scaling method + Méthode de mise à l'échelle + + + + Nearest (fast, low quality) + Le plus proche (rapide, mauvaise qualité) + + + + Bilinear + Bilinéaire + + + + Lanczos (better quality) + Lanczos (meilleure qualité) + + + + Page Flow + Flux des pages + + + + + General + Général + + + + Brightness + Luminosité + + + + + Restart is needed + Redémarrage nécessaire + + + + Fit options + Options d'ajustement + + + + Enlarge images to fit width/height + Agrandir les images pour les adapter à la largeur/hauteur + + + + Double Page options + Options de double page + + + + Show covers as single page + Afficher les couvertures sur une seule page + + + + PropertiesDialog - - Log window - + + General info + Infos générales - - &Pause - + + Plot + Intrigue - - &Save - + + Authors + Auteurs - - C&lear - + + Publishing + Publication - - &Copy - + + Notes + Remarques - - Level: - + + Cover page + Couverture - - &Auto scroll - + + Load previous page as cover + Charger la page précédente comme couverture - - - MainWindowViewer - Go - Aller + + Load next page as cover + Charger la page suivante comme couverture - Edit - Editer + + Reset cover to the default image + Réinitialiser la couverture à l'image par défaut - File - Fichier + + Load custom cover image + Charger une image de couverture personnalisée - Help - Aide + + Series: + Série: - Save - Sauvegarder + + Title: + Titre: - View - Vue + + + + of: + sur: - &File - &Fichier + + Issue number: + Numéro: - &Next - &Suivant + + Volume: + Tome : - &Open - &Ouvrir + + Arc number: + Arc numéro: - Close - Fermer + + Story arc: + Arc narratif: - Open Comic - Ouvrir la bande dessinée + + alt. number: + alt. nombre: - Go To - Aller à + + Alternate series: + Série alternative : - Zoom+ - Zoom+ + + Series Group: + Groupe de séries : - Zoom- - Zoom- + + Genre: + Genre : - Open image folder - Ouvrir un dossier d'images + + Size: + Taille: - Size down magnifying glass - Réduire la taille de la loupe + + Writer(s): + Scénariste(s): - Zoom out magnifying glass - Dézoomer + + Penciller(s): + Dessinateur(s): - Open latest comic - Ouvrir la dernière bande dessinée + + Inker(s): + Encreur(s): - Autoscroll up - Défilement automatique vers le haut + + Colorist(s): + Coloriste(s): - Set bookmark - Placer un marque-page + + Letterer(s): + Lettreur(s): - page_%1.jpg - page_%1.jpg + + Cover Artist(s): + Artiste(s) de couverture: - Autoscroll forward, vertical first - Défilement automatique en avant, vertical + + Editor(s): + Editeur(s) : - Switch to double page mode - Passer en mode double page + + Imprint: + Imprimer: - Save current page - Sauvegarder la page actuelle + + Day: + Jour: - Size up magnifying glass - Augmenter la taille de la loupe + + Month: + Mois: - Double page mode - Mode double page + + Year: + Année: - Move up - Monter + + Publisher: + Editeur: - Switch Magnifying glass - Utiliser la loupe + + Format: + Format : - Open Folder - Ouvrir un dossier + + Color/BW: + Couleur/Noir et blanc: - Comics - Bandes dessinées + + Age rating: + Limite d'âge: - Fit Height - Ajuster la hauteur + + Type: + Taper: - Autoscroll backward, vertical first - Défilement automatique en arrière, verticak + + Language (ISO): + Langue (ISO) : - Comic files - Bande dessinée + + Synopsis: + Synopsis : - Not now - Pas maintenant + + Characters: + Personnages: - Go to the first page - Aller à la première page + + Teams: + Équipes : - Go to previous page - Aller à la page précédente + + Locations: + Emplacements : - Window - Fenêtre + + Main character or team: + Personnage principal ou équipe : - Open the latest comic opened in the previous reading session - Ouvrir la dernière bande dessinée ouverte lors de la session de lecture précédente + + Review: + Revoir: - Open a comic - Ouvrir une bande dessinée + + Notes: + Remarques : - Image files (*.jpg) - Image(*.jpg) + + Tags: + Balises : - Next Comic - Bande dessinée suivante + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Lien Comic Vine : <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> vue </a> - Fit Width - Ajuster la largeur + + Not found + Introuvable - Options - Options + + Comic not found. You should update your library. + Comic introuvable. Vous devriez mettre à jour votre librairie. - Show Info - Voir les infos + + Edit comic information + Editer les informations du comic - Open folder - Ouvirir le dossier + + Edit selected comics information + Editer les informations du comic sélectionné - Go to page ... - Aller à la page ... + + Invalid cover + Couverture invalide - Magnifiying glass - Loupe + + The image is invalid. + L'image n'est pas valide. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer est la version sans tête (sans interface graphique) de YACReaderLibrary. + +Cette application prend en charge les paramètres persistants, pour les configurer, modifiez ce fichier %1 +Pour en savoir plus sur les paramètres disponibles, veuillez consulter la documentation sur https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + QObject - Fit image to width - Ajuster l'image à la largeur + + 7z lib not found + lib 7z introuvable - Toggle fullscreen mode - Basculer en mode plein écran + + unable to load 7z lib from ./utils + impossible de charger 7z depuis ./utils - Toggle between fit to width and fit to height - Basculer entre adapter à la largeur et adapter à la hauteur + + Trace + Tracer - Move right - Déplacer à droite + + Debug + Déboguer - Zoom in magnifying glass - Zoomer + + Info + Informations - Open recent - Ouvrir récent + + Warning + Avertissement - Reading - Lecture + + Error + Erreur - &Previous - &Précédent + + Fatal + Critique - Autoscroll forward, horizontal first - Défilement automatique en avant, horizontal + + Select custom cover + Sélectionnez une couverture personnalisée - Go to next page - Aller à la page suivante + + Images (%1) + Illustrations (%1) - Show keyboard shortcuts - Voir les raccourcis + + The file could not be read or is not valid JSON. + Le fichier n'a pas pu être lu ou n'est pas un JSON valide. - Double page manga mode - Mode manga en double page + + This theme is for %1, not %2. + Ce thème est pour %1, pas pour %2. - There is a new version available - Une nouvelle version est disponible + + Libraries + Bibliothèques - Autoscroll down - Défilement automatique vers le bas + + Folders + Dossiers - Open next comic - Ouvrir la bande dessinée suivante + + Reading Lists + Listes de lecture + + + RenameLibraryDialog - Remind me in 14 days - Rappelez-moi dans 14 jours + + New Library Name : + Nouveau nom de librairie: - Fit to page - Ajuster à la page + + Rename + Renommer - Show bookmarks - Voir les marque-pages + + Cancel + Annuler - Open previous comic - Ouvrir la bande dessiné précédente + + Rename current library + Renommer la librairie actuelle + + + ScraperResultsPaginator - Rotate image to the left - Rotation à gauche + + Number of volumes found : %1 + Nombre de volumes trouvés : %1 - Fit image to height - Ajuster l'image à la hauteur + + + page %1 of %2 + page %1 de %2 - Reset zoom - Réinitialiser le zoom + + Number of %1 found : %2 + Nombre de %1 trouvés : %2 + + + SearchSingleComic - Show the bookmarks of the current comic - Voir les marque-pages de cette bande dessinée + + Please provide some additional information for this comic. + Veuillez fournir des informations supplémentaires pour cette bande dessinée. - Show Dictionary - Dictionnaire + + Series: + Série: - Move down - Descendre + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Utilisez la recherche de correspondance exacte. Désactivez-la si vous souhaitez rechercher des volumes correspondant à certains mots du nom. + + + SearchVolume - Move left - Déplacer à gauche + + Please provide some additional information. + Veuillez fournir quelques informations supplémentaires. - Reverse reading order in double page mode - Ordre de lecture inversée en mode double page + + Series: + Série: - YACReader options - Options de YACReader + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Utilisez la recherche de correspondance exacte. Désactivez-la si vous souhaitez rechercher des volumes correspondant à certains mots du nom. + + + SelectComic - Clear open recent list - Vider la liste d'ouverture récente + + Please, select the right comic info. + Veuillez sélectionner les bonnes informations sur la bande dessinée. - Help, About YACReader - Aide, à propos de YACReader + + comics + bandes dessinées - Show go to flow - Afficher le flux + + loading cover + couvercle de chargement - Previous Comic - Bande dessinée précédente + + loading description + description du chargement - Show full size - Plein écran + + comic description unavailable + description de la bande dessinée indisponible + + + SelectVolume - Hide/show toolbar - Masquer / afficher la barre d'outils + + Please, select the right series for your comic. + Veuillez sélectionner la bonne série pour votre bande dessinée. - Magnifying glass - Loupe + + Filter: + Filtre: - Edit shortcuts - Modifier les raccourcis + + volumes + tomes - General - Général + + Nothing found, clear the filter if any. + Rien trouvé, effacez le filtre le cas échéant. - Set a bookmark on the current page - Placer un marque-page sur la page actuelle + + loading cover + couvercle de chargement - Page adjustement - Ajustement de la page + + loading description + description du chargement - Show zoom slider - Afficher le curseur de zoom + + volume description unavailable + description du volume indisponible + + + SeriesQuestion - Go to the last page - Aller à la dernière page + + You are trying to get information for various comics at once, are they part of the same series? + Vous essayez d’obtenir des informations sur plusieurs bandes dessinées à la fois, font-elles partie de la même série ? - Do you want to download the new version? - Voulez-vous télécharger la nouvelle version? + + yes + oui - Rotate image to the right - Rotation à droite + + no + non + + + + ServerConfigDialog + + + set port + Configurer le port - Always on top - Toujours au dessus + + Server connectivity information + Informations sur la connectivité du serveur - Autoscroll backward, horizontal first - Défilement automatique en arrière horizontal + + Scan it! + Scannez-le ! - - - OptionsDialog - - Gamma - Gamma + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader est disponible pour les appareils iOS et Android.<br/>Découvrez-le pour <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> ou <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - - Reset - Remise à zéro + + Choose an IP address + Choisissez une adresse IP - - My comics path - Chemin de mes bandes dessinées + + Port + Port r?seau - - Image adjustment - Ajustement de l'image + + enable the server + Autoriser le serveur + + + ShortcutsDialog - - "Go to flow" size - Taille du flux + Close + Fermer - - Choose - Choisir + YACReader keyboard shortcuts + Raccourcis clavier de YACReader - - Image options - Option de l'image + Keyboard Shortcuts + Raccourcis clavier + + + SortVolumeComics - - Contrast - Contraste + + Please, sort the list of comics on the left until it matches the comics' information. + Veuillez trier la liste des bandes dessinées sur la gauche jusqu'à ce qu'elle corresponde aux informations des bandes dessinées. - - Options - Options + + sort comics to match comic information + trier les bandes dessinées pour qu'elles correspondent aux informations sur les bandes dessinées - - Comics directory - Répertoire des bandes dessinées + + issues + problèmes - - Quick Navigation Mode - Mode navigation rapide + + remove selected comics + supprimer les bandes dessinées sélectionnées - - Display - + + restore all removed comics + restaurer toutes les bandes dessinées supprimées + + + ThemeEditorDialog - - Show time in current page information label - + + Theme Editor + Éditeur de thème - - Background color - Couleur d'arrière plan + + + + + - - Scroll behaviour - + + - + - - - Disable scroll animations and smooth scrolling - + + i + je - - Do not turn page using scroll - + + Expand all + Tout développer - - Use single scroll step to turn page - + + Collapse all + Tout réduire - - Mouse mode - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Maintenez enfoncé pour faire clignoter la valeur sélectionnée dans l'interface utilisateur (magenta / basculé / 0↔10). Les versions restaurent l'original. - - Only Back/Forward buttons can turn pages - + + Search… + Rechercher… - - Use the Left/Right buttons to turn pages. - + + Light + Lumière - - Click left or right half of the screen to turn pages. - + + Dark + Sombre - - Disable mouse over activation - Désactiver la souris sur l'activation + + ID: + IDENTIFIANT: - - Page Flow - Flux des pages + + Display name: + Nom d'affichage : - - General - Général + + Variant: + Variante: - - Brightness - Luminosité + + Theme info + Informations sur le thème - - Restart is needed - Redémarrage nécessaire + + Parameter + Paramètre - - Fit options - + + Value + Valeur - - Enlarge images to fit width/height - + + Save and apply + Enregistrer et postuler - - Double Page options - + + Export to file... + Exporter vers un fichier... - - Show covers as single page - + + Load from file... + Charger à partir du fichier... - - - QObject - - 7z lib not found - lib 7z introuvable + + Close + Fermer - - unable to load 7z lib from ./utils - impossible de charger 7z depuis ./utils + + Double-click to edit color + Double-cliquez pour modifier la couleur - - Trace - + + + + + + + true + vrai - - Debug - + + + + + false + FAUX - - Info - + + Double-click to toggle + Double-cliquez pour basculer - - Warning - + + Double-click to edit value + Double-cliquez pour modifier la valeur - - Error - + + + + Edit: %1 + Modifier : %1 - - Fatal - + + Save theme + Enregistrer le thème - - Select custom cover - + + + JSON files (*.json);;All files (*) + Fichiers JSON (*.json);;Tous les fichiers (*) - - Images (%1) - + + Save failed + Échec de l'enregistrement - - - QsLogging::LogWindowModel - - Time - + + Could not open file for writing: +%1 + Impossible d'ouvrir le fichier en écriture : +%1 - - Level - + + Load theme + Charger le thème - - Message - + + + + Load failed + Échec du chargement - - - QsLogging::Window - - &Pause - + + Could not open file: +%1 + Impossible d'ouvrir le fichier : +%1 - - &Resume - + + Invalid JSON: +%1 + JSON invalide : +%1 - - Save log - + + Expected a JSON object. + Attendu un objet JSON. + + + TitleHeader - - Log file (*.log) - + + SEARCH + RECHERCHE - ShortcutsDialog + UpdateLibraryDialog - Close - Fermer + + Updating.... + Mise à jour... - YACReader keyboard shortcuts - Raccourcis clavier de YACReader + + Cancel + Annuler - Keyboard Shortcuts - Raccourcis clavier + + Update library + Mettre la librairie à jour Viewer - + Page not available! Page non disponible ! - - + + Press 'O' to open comic. Appuyez sur "O" pour ouvrir une bande dessinée. - + Error opening comic Erreur d'ouverture de la bande dessinée - + Cover! Couverture! - + CRC Error Erreur CRC - + Comic not found Bande dessinée introuvable - + Not found Introuvable - + Last page! Dernière page! - + Loading...please wait! Chargement... Patientez + + VolumeComicsModel + + + title + titre + + + + VolumesModel + + + year + année + + + + issues + problèmes + + + + publisher + éditeur + + + + YACReader3DFlowConfigWidget + + + Presets: + Réglages: + + + + Classic look + Vue classique + + + + Stripe look + Vue alignée + + + + Overlapped Stripe look + Vue superposée + + + + Modern look + Vue moderne + + + + Roulette look + Vue roulette + + + + Show advanced settings + Voir les paramètres avancés + + + + Custom: + Personnalisation: + + + + View angle + Angle de vue + + + + Position + Positionnement + + + + Cover gap + Espace entre les couvertures + + + + Central gap + Espace couverture centrale + + + + Zoom + Agrandissement + + + + Y offset + Axe Y + + + + Z offset + Axe Z + + + + Cover Angle + Angle des couvertures + + + + Visibility + Visibilité + + + + Light + Lumière + + + + Max angle + Angle Maximum + + + + Low Performance + Faible performance + + + + High Performance + Haute performance + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Utiliser VSync (Améliore la qualité d'image en mode plein écran, ralentit la performance) + + + + Performance: + Performance : + + YACReader::MainWindowViewer - + &Open - &Ouvrir + &Ouvrir - + Open a comic - Ouvrir une bande dessinée + Ouvrir une bande dessinée - + New instance - + Nouvelle instance - + Open Folder - Ouvrir un dossier + Ouvrir un dossier - + Open image folder - Ouvrir un dossier d'images + Ouvrir un dossier d'images - + Open latest comic - Ouvrir la dernière bande dessinée + Ouvrir la dernière bande dessinée - + Open the latest comic opened in the previous reading session - Ouvrir la dernière bande dessinée ouverte lors de la session de lecture précédente + Ouvrir la dernière bande dessinée ouverte lors de la session de lecture précédente - + Clear - + Clair - + Clear open recent list - Vider la liste d'ouverture récente + Vider la liste d'ouverture récente - + Save - Sauvegarder + Sauvegarder - + Save current page - Sauvegarder la page actuelle + Sauvegarder la page actuelle Previous Comic - Bande dessinée précédente + Bande dessinée précédente - - - + + + Open previous comic - Ouvrir la bande dessiné précédente + Ouvrir la bande dessiné précédente - + Next Comic - Bande dessinée suivante + Bande dessinée suivante - - - + + + Open next comic - Ouvrir la bande dessinée suivante + Ouvrir la bande dessinée suivante - + &Previous - &Précédent + &Précédent - - - + + + Go to previous page - Aller à la page précédente + Aller à la page précédente - + &Next - &Suivant + &Suivant - - - + + + Go to next page - Aller à la page suivante + Aller à la page suivante - + Fit Height - Ajuster la hauteur + Ajuster la hauteur - + Fit image to height - Ajuster l'image à la hauteur + Ajuster l'image à la hauteur - + Fit Width - Ajuster la largeur + Ajuster la largeur - + Fit image to width - Ajuster l'image à la largeur + Ajuster l'image à la largeur - + Show full size - Plein écran + Plein écran - + Fit to page - Ajuster à la page + Ajuster à la page + + + + Continuous scroll + Défilement continu - + + Switch to continuous scroll mode + Passer en mode défilement continu + + + Reset zoom - Réinitialiser le zoom + Réinitialiser le zoom - + Show zoom slider - Afficher le curseur de zoom + Afficher le curseur de zoom - + Zoom+ - Zoom+ + Agrandir - + Zoom- - Zoom- + R?duire - + Rotate image to the left - Rotation à gauche + Rotation à gauche - + Rotate image to the right - Rotation à droite + Rotation à droite - + Double page mode - Mode double page + Mode double page - + Switch to double page mode - Passer en mode double page + Passer en mode double page - + Double page manga mode - Mode manga en double page + Mode manga en double page - + Reverse reading order in double page mode - Ordre de lecture inversée en mode double page + Ordre de lecture inversée en mode double page - + Go To - Aller à + Aller à - + Go to page ... - Aller à la page ... + Aller à la page ... - + Options - Options + Possibilités - + YACReader options - Options de YACReader + Options de YACReader - - + + Help - Aide + Aide - + Help, About YACReader - Aide, à propos de YACReader + Aide, à propos de YACReader - + Magnifying glass - Loupe + Loupe - + Switch Magnifying glass - Utiliser la loupe + Utiliser la loupe - + Set bookmark - Placer un marque-page + Placer un marque-page - + Set a bookmark on the current page - Placer un marque-page sur la page actuelle + Placer un marque-page sur la page actuelle - + Show bookmarks - Voir les marque-pages + Voir les marque-pages - + Show the bookmarks of the current comic - Voir les marque-pages de cette bande dessinée + Voir les marque-pages de cette bande dessinée - + Show keyboard shortcuts - Voir les raccourcis + Voir les raccourcis - + Show Info - Voir les infos + Voir les infos - + Close - Fermer + Fermer - + Show Dictionary - Dictionnaire + Dictionnaire - + Show go to flow - Afficher le flux + Afficher le flux - + Edit shortcuts - Modifier les raccourcis + Modifier les raccourcis - + &File - &Fichier + &Fichier - - + + Open recent - Ouvrir récent + Ouvrir récent - + File - Fichier + Fichier - + Edit - Editer + Editer - + View - Vue + Vue - + Go - Aller + Aller - + Window - Fenêtre + Fenêtre - - - + + + Open Comic - Ouvrir la bande dessinée + Ouvrir la bande dessinée - - - + + + Comic files - Bande dessinée + Bande dessinée - + Open folder - Ouvirir le dossier + Ouvirir le dossier - + page_%1.jpg - page_%1.jpg + feuille_%1.jpg - + Image files (*.jpg) - Image(*.jpg) + Image(*.jpg) + Comics - Bandes dessinées + Bandes dessinées Toggle fullscreen mode - Basculer en mode plein écran + Basculer en mode plein écran Hide/show toolbar - Masquer / afficher la barre d'outils + Masquer / afficher la barre d'outils + General - Général + Général Size up magnifying glass - Augmenter la taille de la loupe + Augmenter la taille de la loupe Size down magnifying glass - Réduire la taille de la loupe + Réduire la taille de la loupe Zoom in magnifying glass - Zoomer + Zoomer Zoom out magnifying glass - Dézoomer + Dézoomer Reset magnifying glass - + Réinitialiser la loupe + Magnifiying glass - Loupe + Loupe Toggle between fit to width and fit to height - Basculer entre adapter à la largeur et adapter à la hauteur + Basculer entre adapter à la largeur et adapter à la hauteur + Page adjustement - Ajustement de la page + Ajustement de la page - + Autoscroll down - Défilement automatique vers le bas + Défilement automatique vers le bas - + Autoscroll up - Défilement automatique vers le haut + Défilement automatique vers le haut - + Autoscroll forward, horizontal first - Défilement automatique en avant, horizontal + Défilement automatique en avant, horizontal - + Autoscroll backward, horizontal first - Défilement automatique en arrière horizontal + Défilement automatique en arrière horizontal - + Autoscroll forward, vertical first - Défilement automatique en avant, vertical + Défilement automatique en avant, vertical - + Autoscroll backward, vertical first - Défilement automatique en arrière, verticak + Défilement automatique en arrière, verticak - + Move down - Descendre + Descendre - + Move up - Monter + Monter - + Move left - Déplacer à gauche + Déplacer à gauche - + Move right - Déplacer à droite + Déplacer à droite - + Go to the first page - Aller à la première page + Aller à la première page - + Go to the last page - Aller à la dernière page + Aller à la dernière page - + Offset double page to the left - + Double page décalée vers la gauche - + Offset double page to the right - + Double page décalée à droite - + + Reading - Lecture + Lecture - + There is a new version available - Une nouvelle version est disponible + Une nouvelle version est disponible - + Do you want to download the new version? - Voulez-vous télécharger la nouvelle version? + Voulez-vous télécharger la nouvelle version? - + Remind me in 14 days - Rappelez-moi dans 14 jours + Rappelez-moi dans 14 jours - + Not now - Pas maintenant + Pas maintenant + + + + YACReader::TrayIconController + + + &Restore + &Restaurer + + + + Systray + Zone de notification + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuera à fonctionner dans la barre d'état système. Pour terminer le programme, choisissez <b>Quit</b> dans le menu contextuel de l'icône de la barre d'état système. YACReader::WhatsNewDialog - Close - Fermer + Fermer @@ -1403,172 +4043,152 @@ YACReaderFlowConfigWidget - CoverFlow look - Vue CoverFlow + Vue CoverFlow - How to show covers: - Comment voir les couvertures: + Comment voir les couvertures: - Stripe look - Vue alignée + Vue alignée - Overlapped Stripe look - Vue superposée + Vue superposée YACReaderGLFlowConfigWidget - Zoom - Zoom + Agrandissement - Light - Lumière + Lumière - Show advanced settings - Voir les paramètres avancés + Voir les paramètres avancés - Roulette look - Vue roulette + Vue roulette - Cover Angle - Angle des couvertures + Angle des couvertures - Stripe look - Vue alignée + Vue alignée - Position - Position + Positionnement - Z offset - Axe Z + Axe Z - Y offset - Axe Y + Axe Y - Central gap - Espace couverture centrale + Espace couverture centrale - Presets: - Réglages: + Réglages: - Overlapped Stripe look - Vue superposée + Vue superposée - Modern look - Vue moderne + Vue moderne - View angle - Angle de vue + Angle de vue - Max angle - Angle Maximum + Angle Maximum - Custom: - Personnalisation: + Personnalisation: - Classic look - Vue classique + Vue classique - Cover gap - Espace entre les couvertures + Espace entre les couvertures - High Performance - Haute performance + Haute performance - Performance: - Performance: + Performance : - Use VSync (improve the image quality in fullscreen mode, worse performance) - Utiliser VSync (Améliore la qualité d'image en mode plein écran, ralentit la performance) + Utiliser VSync (Améliore la qualité d'image en mode plein écran, ralentit la performance) - Visibility - Visibilité + Visibilité - Low Performance - Faible performance + Faible performance YACReaderOptionsDialog - + Save Sauvegarder - Use hardware acceleration (restart needed) - Utiliser accélération hardware (redémarrage nécessaire) + Utiliser accélération hardware (redémarrage nécessaire) - + Cancel Annuler - + Shortcuts Raccourcis - + Edit shortcuts Modifier les raccourcis + + YACReaderSearchLineEdit + + + type to search + tapez pour rechercher + + YACReaderSlider @@ -1580,23 +4200,23 @@ YACReaderTranslator - + clear effacer - + Service not available Service non disponible - - + + Translation Traduction - + YACReader translator Traducteur YACReader diff --git a/YACReader/yacreader_it.ts b/YACReader/yacreader_it.ts index 902b65ff0..b3ee44186 100644 --- a/YACReader/yacreader_it.ts +++ b/YACReader/yacreader_it.ts @@ -9,6 +9,196 @@ Nessuno + + AddLabelDialog + + + Label name: + Nome etichetta: + + + + Choose a color: + Seleziona un colore: + + + + accept + Accetta + + + + cancel + Cancella + + + + AddLibraryDialog + + + Comics folder : + Cartella fumetti: + + + + Library name : + Nome della biblioteca: + + + + Add + Aggiungi + + + + Cancel + Annulla + + + + Add an existing library + Aggiungi ad una libreria esistente + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Prima di conneterti a "Comic Vine" devi avere la tua chiave API. Per favore recuperane una da <a href="http://www.comicvine.com/api/">QUI</a + + + + Paste here your Comic Vine API key + Incolla qui la tua chiave API di "Comic Vine" + + + + Accept + Accetta + + + + Cancel + Annulla + + + + AppearanceTabWidget + + + Color scheme + Combinazione di colori + + + + System + Sistema + + + + Light + Luce + + + + Dark + Buio + + + + Custom + Costume + + + + Remove + Rimuovere + + + + Remove this user-imported theme + Rimuovi questo tema importato dall'utente + + + + Light: + Leggero: + + + + Dark: + Buio: + + + + Custom: + Personalizzazione: + + + + Import theme... + Importa tema... + + + + Theme + Tema + + + + Theme editor + Redattore del tema + + + + Open Theme Editor... + Apri l'editor del tema... + + + + Theme editor error + Errore nell'editor del tema + + + + The current theme JSON could not be loaded. + Impossibile caricare il tema corrente JSON. + + + + Import theme + Importa tema + + + + JSON files (*.json);;All files (*) + File JSON (*.json);;Tutti i file (*) + + + + Could not import theme from: +%1 + Impossibile importare il tema da: +%1 + + + + Could not import theme from: +%1 + +%2 + Impossibile importare il tema da: +%1 + +%2 + + + + Import failed + Importazione non riuscita + + BookmarksDialog @@ -33,10 +223,204 @@ Ultima Pagina + + ClassicComicsView + + + Hide comic flow + Nascondi il flusso dei fumetti + + + + ComicModel + + + yes + Si + + + + no + No + + + + Title + Titolo + + + + File Name + Nome file + + + + Pages + Pagine + + + + Size + Dimensione + + + + Read + Leggi + + + + Current Page + Pagina corrente + + + + Publication Date + Data di pubblicazione + + + + Rating + Valutazione + + + + Series + Serie + + + + Volume + Tomo + + + + Story Arc + Arco narrativo + + + + ComicVineDialog + + + skip + Salta + + + + back + Indietro + + + + next + Prossimo + + + + search + Cerca + + + + close + Chiudi + + + + + comic %1 of %2 - %3 + Fumetto %1 di %2 - %3 + + + + + + Looking for volume... + Sto cercando il fumetto... + + + + %1 comics selected + Fumetto %1 selezionato + + + + Error connecting to ComicVine + Errore durante la connessione a ComicVine + + + + + Retrieving tags for : %1 + Ricezione tag per: %1 + + + + Retrieving volume info... + Sto ricevendo le informazioni per l'abum... + + + + Looking for comic... + Sto cercando il fumetto... + + + + ContinuousPageWidget + + + Loading page %1 + Caricamento pagina %1 + + + + CreateLibraryDialog + + + Comics folder : + Cartella fumetti: + + + + Library Name : + Nome libreria: + + + + Create + Crea + + + + Cancel + Annulla + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Creare una Libreria può aver bisogno di alcuni minuti. Puoi fermare il processo ed aggiornare la libreria più tardi. + + + + Create new library + Crea una nuova libreria + + + + Path not found + Percorso non trovato + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Il percorso selezionato non esiste oppure non è valido. Controlla di avere i permessi di scrittura per questa cartella + + EditShortcutsDialog - + Shortcut in use Scorciatoia in uso @@ -51,7 +435,7 @@ impostazione scorciatoie - + The shortcut "%1" is already assigned to other function La scorciatoia "%1" è già assegnata ad un'altra funzione @@ -61,6 +445,124 @@ Per cambiare una scorciatoia doppio click sulla combinazione tasti e digita la nuova combinazione. + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Questa cartella non contiene ancora fumetti + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Per ora questa etichetta non contiene fumetti + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Per ora questa lista non contiene fumetti + + + + EmptySpecialListWidget + + + No favorites + Nessun Favorito + + + + You are not reading anything yet, come on!! + Non stai ancora leggendo nulla, Forza!! + + + + There are no recent comics! + Non ci sono fumetti recenti! + + + + ExportComicsInfoDialog + + + Output file : + File di Output: + + + + Create + Crea + + + + Cancel + Annulla + + + + Export comics info + Esporta informazioni fumetto + + + + Destination database name + Nome database di destinazione + + + + Problem found while writing + Trovato problema durante la scrittura + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Il percorso selezionato per il file di Output non esiste oppure non è valido. Controlla di avere i permessi di scrittura per questa cartella + + + + ExportLibraryDialog + + + Output folder : + Cartella di Output: + + + + Create + Crea + + + + Cancel + Annulla + + + + Create covers package + Crea pacchetto delle copertine + + + + Problem found while writing + Trovato problema durante la scrittura + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Il percorso selezionato per il file di Output non esiste oppure non è valido. Controlla di avere i permessi di scrittura per questa cartella + + + + Destination directory + Cartella di destinazione + + FileComic @@ -116,1262 +618,3400 @@ GoToFlowToolBar - + Page : Pagina: + + GridComicsView + + + Show info + Mostra informazioni + + HelpAboutDialog - + Help Aiuto - + System info - + Informazioni di sistema - + About - About + Informazioni + + + + ImportComicsInfoDialog + + + Import comics info + Importa informazioni fumetto + + + + Info database location : + Informazioni posizione database: + + + + Import + Importa + + + + Cancel + Annulla + + + + Comics info file (*.ydb) + File informazioni fumetto (*.ydb) - LogWindow + ImportLibraryDialog - - Log window - + + Library Name : + Nome libreria: - - &Pause - + + Package location : + Posizione PAcchetto: - - &Save - + + Destination folder : + Cartella di destinazione: - - C&lear - + + Unpack + Decomprimi - - &Copy - + + Cancel + Annulla - - Level: - + + Extract a catalog + Estrai un catalogo - - &Auto scroll - + + Compresed library covers (*.clc) + Libreria di copertine compresse (*.clc) - MainWindowViewer + ImportWidget - Go - Vai + + stop + Ferma + + + + Some of the comics being added... + Alcuni fumetti che sto aggiungendo... + + + + Importing comics + Sto importando i fumetti + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YacReader sta creando una nuova libreria.</p><p>La creazione di una libreria può durare diversi minuti. Puoi fermare l'attività ed aggiornare la libreria più tardi, completando l'attività</p> + + + + Updating the library + Sto aggiornando la Libreria + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Quest alibreria si sta aggiornando. Per aggiornamenti più veloci aggiorna la tua libreria di frequente.</p><p>Puoi fermare il processo ed aggiornare la libreria più tardi.</p> + + + + Upgrading the library + Aggiornamento della biblioteca + + + + <p>The current library is being upgraded, please wait.</p> + <p>È in corso l'aggiornamento della libreria corrente, attendi.</p> + + + + Scanning the library + Scansione della libreria + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Scansione della libreria corrente per informazioni sui metadati XML legacy.</p><p>Questa operazione è necessaria solo una volta e solo se la libreria è stata creata con YACReaderLibrary 9.8.2 o versioni precedenti.</p> + + + + LibraryWindow + + + YACReader Library + Libreria YACReader + + + + + + comic + comico + + + + + + manga + Manga + + + + + + western manga (left to right) + manga occidentale (da sinistra a destra) + + + + + + web comic + fumetto web + + + + + + 4koma (top to botom) + 4koma (dall'alto verso il basso) + + + + + + + Set type + Imposta il tipo + + + + Library + Libreria + + + + Folder + Cartella + + + + Comic + Fumetto + + + + Upgrade failed + Aggiornamento non riuscito + + + + There were errors during library upgrade in: + Si sono verificati errori durante l'aggiornamento della libreria in: + + + + Update needed + Devi aggiornarmi + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Questa libreria è stata creata con una versione precedente di YACREaderLibrary. Deve essere aggiornata. Aggiorno ora? + + + + Download new version + Scarica la nuova versione + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Questa libreria è stata creata con una verisone più recente di YACReaderLibrary. Scarico la versione aggiornata ora? + + + + Library not available + Libreria non disponibile + + + + Library '%1' is no longer available. Do you want to remove it? + La libreria '%1' non è più disponibile, la vuoi cancellare? + + + + Old library + Vecchia libreria + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + La libreria '%1' è stata creata con una versione precedente di YACREaderLibrary. Deve essere ricreata. Lo vuoi fare ora? + + + + + Copying comics... + Sto copiando i fumetti... + + + + + Moving comics... + Sto muovendo i fumetti... + + + + Add new folder + Aggiungi una nuova cartella + + + + Folder name: + Nome della cartella: + + + + No folder selected + Nessuna cartella selezionata + + + + Please, select a folder first + Per cortesia prima seleziona una cartella + + + + Error in path + Errore nel percorso + + + + There was an error accessing the folder's path + C'è stato un errore nell'accesso al percorso della cartella + + + + Delete folder + Cancella Cartella + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + La cartella seleziona e tutto il suo contenuto verranno cancellati dal tuo disco. Sei sicuro? + + + + + Unable to delete + Non posso cancellare + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + C'è stato un problema cancellando le cartelle selezionate. Per favore controlla i tuoi permessi di scrittura e sii sicuro che non ci siano altre applicazioni che usano le stesse cartelle. + + + + Add new reading lists + Aggiungi una lista di lettura + + + + + List name: + Nome lista: + + + + Delete list/label + Cancella Lista/Etichetta + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Gli elementi selezionati verranno cancellati, i tuoi fumetti o cartella NON verranno cancellati dal tuo disco. Sei sicuro? + + + + Rename list name + Rinomina la lista + + + + Open folder... + Apri Cartella... + + + + Update folder + Aggiorna Cartella + + + + Rescan library for XML info + Eseguire nuovamente la scansione della libreria per informazioni XML + + + + Set as uncompleted + Segna come non completo + + + + Set as completed + Segna come completo + + + + Set as read + Setta come letto + + + + + Set as unread + Setta come non letto + + + + Set custom cover + Imposta la copertina personalizzata + + + + Delete custom cover + Elimina la copertina personalizzata + + + + Save covers + Salva Copertine + + + + You are adding too many libraries. + Stai aggiungendto troppe librerie. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Stai aggiungendo troppe Libreire + +Hai probabilemnte bisogno di una sola Libreria al livello superiore, puoi poi navigare qualsiasi sotto cartella usando la selezione delle cartella a sinistra + +YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il numero di librerie basso. + + + + + YACReader not found + YACReader non trovato + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader non trovato. YACReader deve essere installato nella stessa cartella di YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader non trovato. Potrebbe esserci un problema con l'installazione di YACReader. + + + + Error + Errore + + + + Error opening comic with third party reader. + Errore nell'apertura del fumetto con un lettore di terze parti. + + + + Library not found + Libreria non trovata + + + + The selected folder doesn't contain any library. + La cartella selezionata non contiene nessuna Libreria. + + + + Are you sure? + Sei sicuro? + + + + Do you want remove + Vuoi rimuovere + + + + library? + Libreria? + + + + Remove and delete metadata + Rimuovi e cancella i Metadati + + + + Library info + Informazioni sulla biblioteca + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + C'è un problema nel cancellare i fumetti selezionati. Per favore controlla i tuoi permessi di scrittura sui file o sulla cartella. + + + + Assign comics numbers + Assegna un numero ai fumetti + + + + Assign numbers starting in: + Assegna numeri partendo da: + + + + Invalid image + Immagine non valida + + + + The selected file is not a valid image. + Il file selezionato non è un'immagine valida. + + + + Error saving cover + Errore durante il salvataggio della copertina + + + + There was an error saving the cover image. + Si è verificato un errore durante il salvataggio dell'immagine di copertina. + + + + Error creating the library + Errore creando la libreria + + + + Error updating the library + Errore aggiornando la libreria + + + + Error opening the library + Errore nell'apertura della libreria + + + + Delete comics + Cancella i fumetti + + + + All the selected comics will be deleted from your disk. Are you sure? + Tutti i fumetti selezionati saranno cancellati dal tuo disco. Sei sicuro? + + + + Remove comics + Rimuovi i fumetti + + + + Comics will only be deleted from the current label/list. Are you sure? + I fumetti verranno cancellati dall'etichetta/lista corrente. Sei sicuro? + + + + Library name already exists + Esiste già una libreria con lo stesso nome + + + + There is another library with the name '%1'. + Esiste già una libreria con il nome '%1'. + + + + LibraryWindowActions + + + Create a new library + Crea una nuova libreria + + + + Open an existing library + Apri una libreria esistente + + + + + Export comics info + Esporta informazioni fumetto + + + + + Import comics info + Importa informazioni fumetto + + + + Pack covers + Compatta Copertine + + + + Pack the covers of the selected library + Compatta le copertine della libreria selezionata + + + + Unpack covers + Scompatta le Copertine + + + + Unpack a catalog + Scompatta un catalogo + + + + Update library + Aggiorna Libreria + + + + Update current library + Aggiorna la Libreria corrente + + + + Rename library + Rinomina la libreria + + + + Rename current library + Rinomina la libreria corrente + + + + Remove library + Rimuovi la libreria + + + + Remove current library from your collection + Rimuovi la libreria corrente dalla tua collezione + + + + Rescan library for XML info + Eseguire nuovamente la scansione della libreria per informazioni XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Cerca di trovare informazioni XML incorporate nei file dei fumetti. Devi farlo solo se la libreria è stata creata con la versione 9.8.2 o precedente o se utilizzi software di terze parti per incorporare informazioni XML nei file. + + + + Show library info + Mostra informazioni sulla biblioteca + + + + Show information about the current library + Mostra informazioni sulla libreria corrente + + + + Open current comic + Apri il fumetto corrente + + + + Open current comic on YACReader + Apri il fumetto corrente con YACReader + + + + Save selected covers to... + Salva le copertine selezionate in... + + + + Save covers of the selected comics as JPG files + Salva le copertine dei fumetti selezionati come file JPG + + + + + Set as read + Setta come letto + + + + Set comic as read + Setta il fumetto come letto + + + + + Set as unread + Setta come non letto + + + + Set comic as unread + Setta il fumetto come non letto + + + + + manga + Manga + + + + Set issue as manga + Imposta il problema come manga + + + + + comic + comico + + + + Set issue as normal + Imposta il problema come normale + + + + western manga + manga occidentali + + + + Set issue as western manga + Imposta il problema come manga occidentale + + + + + web comic + fumetto web + + + + Set issue as web comic + Imposta il problema come fumetto web + + + + + yonkoma + Yonkoma + + + + Set issue as yonkoma + Imposta il problema come Yonkoma + + + + Show/Hide marks + Mostra/Nascondi + + + + Show or hide read marks + Mostra o nascondi lo stato di lettura + + + + Show/Hide recent indicator + Mostra/Nascondi l'indicatore recente + + + + Show or hide recent indicator + Mostra o nascondi l'indicatore recente + + + + + Fullscreen mode on/off + Modalità a schermo interno on/off + + + + Help, About YACReader + Aiuto, crediti YACReader + + + + Add new folder + Aggiungi una nuova cartella + + + + Add new folder to the current library + Aggiungi una nuova cartella alla libreria corrente + + + + Delete folder + Cancella Cartella + + + + Delete current folder from disk + Cancella la cartella corrente dal disco + + + + Select root node + Seleziona il nodo principale + + + + Expand all nodes + Espandi tutti i nodi + + + + Collapse all nodes + Compatta tutti i nodi + + + + Show options dialog + Mostra le opzioni + + + + Show comics server options dialog + Mostra le opzioni per il server dei fumetti + + + + + Change between comics views + Cambia tra i modi di visualizzazione dei fumetti + + + + Open folder... + Apri Cartella... + + + + Set as uncompleted + Segna come non completo + + + + Set as completed + Segna come completo + + + + Set custom cover + Imposta la copertina personalizzata + + + + Delete custom cover + Elimina la copertina personalizzata + + + + western manga (left to right) + manga occidentale (da sinistra a destra) + + + + Open containing folder... + Apri la cartella dei contenuti... + + + + Reset comic rating + Resetta la valutazione dei fumetti + + + + Select all comics + Seleziona tutti i fumetti + + + + Edit + Edita + + + + Assign current order to comics + Assegna l'ordinamento corrente ai fumetti + + + + Update cover + Aggiorna copertina + + + + Delete selected comics + Cancella i fumetti selezionati + + + + Delete metadata from selected comics + Elimina i metadati dai fumetti selezionati + + + + Download tags from Comic Vine + Scarica i Tag da Comic Vine + + + + Focus search line + Mettere a fuoco la linea di ricerca + + + + Focus comics view + Focus sulla visualizzazione dei fumetti + + + + Edit shortcuts + Edita scorciatoie + + + + &Quit + &Esci + + + + Update folder + Aggiorna Cartella + + + + Update current folder + Aggiorna la cartella corrente + + + + Scan legacy XML metadata + Scansione dei metadati XML legacy + + + + Add new reading list + Aggiorna la lista di lettura + + + + Add a new reading list to the current library + Aggiungi una lista di lettura alla libreria corrente + + + + Remove reading list + Rimuovi la lista di lettura + + + + Remove current reading list from the library + Rimuovi la lista di lettura dalla libreria + + + + Add new label + Aggiungi una nuova etichetta + + + + Add a new label to this library + Aggiungi una nuova etichetta a questa libreria + + + + Rename selected list + Rinomina la lista selezionata + + + + Rename any selected labels or lists + Rinomina qualsiasi etichetta o lista selezionata + + + + Add to... + Aggiungi a... + + + + Favorites + Favoriti + + + + Add selected comics to favorites list + Aggiungi i fumetti selezionati alla lista dei favoriti + + + + LocalComicListModel + + + file name + Nome file + + + + MainWindowViewer + + Go + Vai + + + Edit + Edita + + + File + Documento + + + Help + Aiuto + + + Save + Salva + + + View + Mostra + + + &File + &Documento + + + &Next + &Prossimo + + + &Open + &Apri + + + Clear + Cancella + + + Close + Chiudi + + + Open Comic + Apri Fumetto + + + Go To + Vai a + + + Zoom+ + Aumenta + + + Zoom- + Riduci + + + Open image folder + Apri la crettal immagini + + + Size down magnifying glass + Riduci lente ingrandimento + + + Zoom out magnifying glass + Riduci in lente di ingrandimento + + + Open latest comic + Apri l'ultimo fumetto + + + Autoscroll up + Autoscorri Sù + + + Set bookmark + Imposta Segnalibro + + + page_%1.jpg + Pagina_%1.jpg + + + Autoscroll forward, vertical first + Autoscorri avanti, priorità Verticale + + + Switch to double page mode + Passa alla modalità doppia pagina + + + Save current page + Salva la pagina corrente + + + Size up magnifying glass + Ingrandisci lente ingrandimento + + + Double page mode + Modalita doppia pagina + + + Move up + Muovi Sù + + + Switch Magnifying glass + Passa a lente ingrandimento + + + Open Folder + Apri una cartella + + + Comics + Fumetto + + + Fit Height + Adatta altezza + + + Autoscroll backward, vertical first + Autoscorri indietro, priorità Verticale + + + Comic files + File Fumetto + + + Not now + Non ora + + + Go to the first page + Vai alla pagina iniziale + + + Go to previous page + Vai alla pagina precedente + + + Window + Finestra + + + Open the latest comic opened in the previous reading session + Apri l'ultimo fumetto aperto nella sessione precedente + + + Open a comic + Apri un Fumetto + + + Image files (*.jpg) + File immagine (*.jpg) + + + Next Comic + Prossimo fumetto + + + Fit Width + Adatta Larghezza + + + Options + Opzioni + + + Show Info + Mostra info + + + Open folder + Apri cartella + + + Go to page ... + Vai a Pagina ... + + + Magnifiying glass + Lente ingrandimento + + + Fit image to width + Adatta immagine in larghezza + + + Toggle fullscreen mode + Attiva/Disattiva schermo intero + + + Toggle between fit to width and fit to height + Passa tra adatta in larghezza ad altezza + + + Move right + Muovi Destra + + + Zoom in magnifying glass + Ingrandisci in lente di ingrandimento + + + Open recent + Apri i recenti + + + Reading + Leggi + + + &Previous + &Precedente + + + Autoscroll forward, horizontal first + Autoscorri avanti, priorità Orizzontale + + + Go to next page + Vai alla prossima Pagina + + + Show keyboard shortcuts + Mostra scorciatoie da tastiera + + + Double page manga mode + Modalità doppia pagina Manga + + + There is a new version available + Nuova versione disponibile + + + Autoscroll down + Autoscorri Giù + + + Open next comic + Apri il prossimo fumetto + + + Remind me in 14 days + Ricordamelo in 14 giorni + + + Fit to page + Adatta alla pagina + + + Show bookmarks + Mostra segnalibro + + + Open previous comic + Apri il fumetto precendente + + + Rotate image to the left + Ruota immagine a sinistra + + + Fit image to height + Adatta immagine all'altezza + + + Reset zoom + Resetta Zoom + + + Show the bookmarks of the current comic + Mostra il segnalibro del fumetto corrente + + + Show Dictionary + Mostra dizionario + + + Move down + Muovi Giù + + + Move left + Muovi Sinistra + + + Reverse reading order in double page mode + Ordine lettura inverso in modo doppia pagina + + + YACReader options + Opzioni YACReader + + + Clear open recent list + Svuota la lista degli aperti + + + Help, About YACReader + Aiuto, crediti YACReader + + + Show go to flow + Mostra vai all'elenco + + + Previous Comic + Fumetto precendente + + + Show full size + Mostra dimesioni reali + + + Hide/show toolbar + Mostra/Nascondi Barra strumenti + + + Magnifying glass + Lente ingrandimento + + + Edit shortcuts + Edita scorciatoie + + + General + Generale + + + Set a bookmark on the current page + Imposta segnalibro a pagina corrente + + + Page adjustement + Correzioni di pagna + + + Show zoom slider + Mostra cursore di zoom + + + Go to the last page + Vai all'ultima pagina + + + Do you want to download the new version? + Vuoi scaricare la nuova versione? + + + Rotate image to the right + Ruota immagine a destra + + + Always on top + Sempre in primo piano + + + Autoscroll backward, horizontal first + Autoscorri indietro, priorità Orizzontale + + + + NoLibrariesWidget + + + You don't have any libraries yet + Per ora non hai ancora nessuna libreria + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Puoi creare una libreria in qualsiasi cartella, YACReader importerà tutti i fumetti e struttura da questa certella. Se hai creato una qualsiasia libreria nel passato la puoi aprire. </p><p>Non dimenticare che puoi usare YACReader come applicazione stand alone per leggere i fumetti sul tuo PC.</p> + + + + create your first library + Crea la tua prima libreria + + + + add an existing one + Aggiungine una esistente + + + + NoSearchResultsWidget + + + No results + Nessun risultato + + + + OptionsDialog + + + Gamma + Valore gamma + + + + Reset + Resetta + + + + My comics path + Percorso dei miei fumetti + + + + Image adjustment + Correzioni immagine + + + + "Go to flow" size + Dimensione "Vai all'elenco" + + + + Choose + Scegli + + + + Image options + Opzione immagine + + + + Contrast + Contrasto + + + + + Libraries + Librerie + + + + Comic Flow + Flusso dei fumetti + + + + Grid view + Vista a Griglia + + + + + Appearance + Aspetto + + + + + Options + Opzioni + + + + + Language + Lingua + + + + + Application language + Lingua dell'applicazione + + + + + System default + Predefinita del sistema + + + + Tray icon settings (experimental) + Impostazioni dell'icona nella barra delle applicazioni (sperimentale) + + + + Close to tray + Vicino al vassoio + + + + Start into the system tray + Inizia nella barra delle applicazioni + + + + Edit Comic Vine API key + Edita l'API di ComicVine + + + + Comic Vine API key + API di ComicVine + + + + ComicInfo.xml legacy support + Supporto legacy ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importa metadati da ComicInfo.xml quando aggiungi nuovi fumetti + + + + Consider 'recent' items added or updated since X days ago + Considera gli elementi "recenti" aggiunti o aggiornati da X giorni fa + + + + Third party reader + Lettore di terze parti + + + + Write {comic_file_path} where the path should go in the command + Scrivi {comic_file_path} dove dovrebbe andare il percorso nel comando + + + + + Clear + Cancella + + + + Update libraries at startup + Aggiorna le librerie all'avvio + + + + Try to detect changes automatically + Prova a rilevare automaticamente le modifiche + + + + Update libraries periodically + Aggiorna periodicamente le librerie + + + + Interval: + Intervallo: + + + + 30 minutes + 30 minuti + + + + 1 hour + 1 ora + + + + 2 hours + 2 ore + + + + 4 hours + 4 ore + + + + 8 hours + 8 ore + + + + 12 hours + 12 ore + + + + daily + quotidiano + + + + Update libraries at certain time + Aggiorna le librerie in determinati orari + + + + Time: + Tempo: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + AVVERTIMENTO! Durante gli aggiornamenti della libreria le scritture sul database sono disabilitate! +Non pianificare gli aggiornamenti mentre potresti utilizzare l'app attivamente. +Durante gli aggiornamenti automatici l'app bloccherà alcune azioni fino al termine dell'aggiornamento. +Per interrompere un aggiornamento automatico, tocca l'indicatore di caricamento accanto al titolo Librerie. + + + + Modifications detection + Rilevamento delle modifiche + + + + Compare the modified date of files when updating a library (not recommended) + Confronta la data di modifica dei file durante l'aggiornamento di una libreria (non consigliato) + + + + Enable background image + Abilita l'immagine di sfondo + + + + Opacity level + Livello di opacità + + + + Blur level + Livello di sfumatura + + + + Use selected comic cover as background + Usa la cover del fumetto selezionato come sfondo + + + + Restore defautls + Resetta al Default + + + + Background + Sfondo + + + + Display continue reading banner + Visualizza il banner continua a leggere + + + + Display current comic banner + Visualizza il banner del fumetto corrente + + + + Continue reading + Continua a leggere + + + + Comics directory + Cartella Fumetti + + + + Quick Navigation Mode + Modo navigazione rapida + + + + Display + Visualizzazione + + + + Show time in current page information label + Mostra l'ora nell'etichetta delle informazioni della pagina corrente + + + + Background color + Colore di sfondo + + + + Scroll behaviour + Comportamento di scorrimento + + + + Disable scroll animations and smooth scrolling + Disabilita le animazioni di scorrimento e lo scorrimento fluido + + + + Do not turn page using scroll + Non voltare pagina utilizzando lo scorrimento + + + + Use single scroll step to turn page + Utilizzare un singolo passaggio di scorrimento per voltare pagina + + + + Mouse mode + Modalità mouse + + + + Only Back/Forward buttons can turn pages + Solo i pulsanti Indietro/Avanti possono girare le pagine + + + + Use the Left/Right buttons to turn pages. + Utilizzare i pulsanti Sinistra/Destra per girare le pagine. + + + + Click left or right half of the screen to turn pages. + Fare clic sulla metà sinistra o destra dello schermo per girare le pagine. + + + + Disable mouse over activation + Disabilita il mouse all'attivazione + + + + Scaling + Ridimensionamento + + + + Scaling method + Metodo di scala + + + + Nearest (fast, low quality) + Più vicino (veloce, bassa qualità) + + + + Bilinear + Bilineare + + + + Lanczos (better quality) + Lanczos (qualità migliore) + + + + Page Flow + Flusso pagine + + + + + General + Generale + + + + Brightness + Luminosità + + + + + Restart is needed + Riavvio Necessario + + + + Fit options + Opzioni di adattamento + + + + Enlarge images to fit width/height + Ingrandisci le immagini per adattarle alla larghezza/altezza + + + + Double Page options + Opzioni doppia pagina + + + + Show covers as single page + Mostra le copertine come pagina singola + + + + PropertiesDialog + + + General info + Informazioni generali + + + + Plot + Trama + + + + Authors + Autori + + + + Publishing + Pubblicazione + + + + Notes + Note - Edit - Edit + + Cover page + Pagina Copertina - File - File + + Load previous page as cover + Carica la pagina precedente come copertina - Help - Aiuto + + Load next page as cover + Carica la pagina successiva come copertina - Save - Salva + + Reset cover to the default image + Ripristina la copertina sull'immagine predefinita - View - Mostra + + Load custom cover image + Carica l'immagine di copertina personalizzata - &File - &File + + Series: + Serie: - &Next - &Prossimo + + Title: + Titolo: - &Open - &Apri + + + + of: + Di: - Clear - Cancella + + Issue number: + Numeri emessi: - Close - Chiudi + + Volume: + Album: - Open Comic - Apri Fumetto + + Arc number: + Numero dell'arco: - Go To - Vai a + + Story arc: + Arco Narrativo: - Zoom+ - Zoom+ + + alt. number: + alt. numero: - Zoom- - Zoom- + + Alternate series: + Serie alternative: - Open image folder - Apri la crettal immagini + + Series Group: + Gruppo di serie: - Size down magnifying glass - Riduci lente ingrandimento + + Genre: + Genere: - Zoom out magnifying glass - Riduci in lente di ingrandimento + + Size: + Dimesioni: - Open latest comic - Apri l'ultimo fumetto + + Writer(s): + Scrittore(i): - Autoscroll up - Autoscorri Sù + + Penciller(s): + Mine: - Set bookmark - Imposta Segnalibro + + Inker(s): + Inchiostratore(i): - page_%1.jpg - Pagina_%1.jpg + + Colorist(s): + Colorista(i): - Autoscroll forward, vertical first - Autoscorri avanti, priorità Verticale + + Letterer(s): + Letterista(i): - Switch to double page mode - Passa alla modalità doppia pagina + + Cover Artist(s): + Artista(i) copertina: - Save current page - Salva la pagina corrente + + Editor(s): + Redattore(i): - Size up magnifying glass - Ingrandisci lente ingrandimento + + Imprint: + Impronta: - Double page mode - Modalita doppia pagina + + Day: + Giorno: - Move up - Muovi Sù + + Month: + Mese: - Switch Magnifying glass - Passa a lente ingrandimento + + Year: + Anno: - Open Folder - Apri una cartella + + Publisher: + Editore: - Comics - Fumetto + + Format: + Formato: - Fit Height - Adatta altezza + + Color/BW: + Colore o B/N: - Autoscroll backward, vertical first - Autoscorri indietro, priorità Verticale + + Age rating: + Valutazione età: - Comic files - File Fumetto + + Type: + Tipo: - Not now - Non ora + + Language (ISO): + Lingua (ISO): - Go to the first page - Vai alla pagina iniziale + + Synopsis: + Sinossi: - Go to previous page - Vai alla pagina precedente + + Characters: + Personaggi: - Window - Finestra + + Teams: + Squadre: - Open the latest comic opened in the previous reading session - Apri l'ultimo fumetto aperto nella sessione precedente + + Locations: + Posizioni: - Open a comic - Apri un Fumetto + + Main character or team: + Personaggio principale o squadra: - Image files (*.jpg) - File immagine (*.jpg) + + Review: + Revisione: - Next Comic - Prossimo fumetto + + Notes: + Note: - Fit Width - Adatta Larghezza + + Tags: + tag: - Options - Opzioni + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> Vai </a> - Show Info - Mostra info + + Not found + Non trovato - Open folder - Apri cartella + + Comic not found. You should update your library. + Fumetto non trovato, dovresti aggiornare la Libreria. - Go to page ... - Vai a Pagina ... + + Edit comic information + Edita le informazioni del fumetto - Magnifiying glass - Lente ingrandimento + + Edit selected comics information + Edita le informazioni del fumetto selezionato - Fit image to width - Adatta immagine in larghezza + + Invalid cover + Copertina non valida - Toggle fullscreen mode - Attiva/Disattiva schermo intero + + The image is invalid. + L'immagine non è valida. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer è la versione headless (senza GUI) di YACReaderLibrary. + +Questa applicazione supporta le impostazioni persistenti, per configurarle modifica questo file %1 +Per conoscere le impostazioni disponibili, consultare la documentazione su https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + QObject - Toggle between fit to width and fit to height - Passa tra adatta in larghezza ad altezza + + 7z lib not found + Libreria 7z non trovata - Move right - Muovi Destra + + unable to load 7z lib from ./utils + Impossibile caricare 7z da ./utils - Zoom in magnifying glass - Ingrandisci in lente di ingrandimento + + Trace + Traccia - Open recent - Apri i recenti + + Debug + Diagnostica - Reading - Leggi + + Info + Informazioni - &Previous - &Precedente + + Warning + Avvertimento - Autoscroll forward, horizontal first - Autoscorri avanti, priorità Orizzontale + + Error + Errore - Go to next page - Vai alla prossima Pagina + + Fatal + Fatale - Show keyboard shortcuts - Mostra scorciatoie da tastiera + + Select custom cover + Seleziona la copertina personalizzata - Double page manga mode - Modalità doppia pagina Manga + + Images (%1) + Immagini (%1) - There is a new version available - Nuova versione disponibile + + The file could not be read or is not valid JSON. + Impossibile leggere il file o non è un JSON valido. - Autoscroll down - Autoscorri Giù + + This theme is for %1, not %2. + Questo tema è per %1, non %2. - Open next comic - Apri il prossimo fumetto + + Libraries + Librerie - Remind me in 14 days - Ricordamelo in 14 giorni + + Folders + Cartelle - Fit to page - Adatta alla pagina + + Reading Lists + Lista di lettura + + + RenameLibraryDialog - Show bookmarks - Mostra segnalibro + + New Library Name : + Nome della nuova libreria: - Open previous comic - Apri il fumetto precendente + + Rename + Rinomina - Rotate image to the left - Ruota immagine a sinistra + + Cancel + Annulla - Fit image to height - Adatta immagine all'altezza + + Rename current library + Rinomina la libreria corrente + + + ScraperResultsPaginator - Reset zoom - Resetta Zoom + + Number of volumes found : %1 + Numero di volumi trovati: %1 - Show the bookmarks of the current comic - Mostra il segnalibro del fumetto corrente + + + page %1 of %2 + pagina %1 di %2 - Show Dictionary - Mostra dizionario + + Number of %1 found : %2 + Numero di %1 trovati; %2 + + + SearchSingleComic - Move down - Muovi Giù + + Please provide some additional information for this comic. + Per favore aggiugi informazioni addizionali. - Move left - Muovi Sinistra + + Series: + Serie: - Reverse reading order in double page mode - Ordine lettura inverso in modo doppia pagina + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Utilizza la ricerca con corrispondenza esatta. Disabilitare se si desidera trovare volumi che corrispondono ad alcune delle parole nel nome. + + + SearchVolume - YACReader options - Opzioni YACReader + + Please provide some additional information. + Per favore aggiugi informazioni addizionali. - Clear open recent list - Svuota la lista degli aperti + + Series: + Serie: - Help, About YACReader - Aiuto, crediti YACReader + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Utilizza la ricerca con corrispondenza esatta. Disabilitare se si desidera trovare volumi che corrispondono ad alcune delle parole nel nome. + + + SelectComic - Show go to flow - Mostra vai all'elenco + + Please, select the right comic info. + Per favore seleziona le informazioni corrette per il fumetto. - Previous Comic - Fumetto precendente + + comics + Fumetti - Show full size - Mostra dimesioni reali + + loading cover + Caricamento copertine - Hide/show toolbar - Mostra/Nascondi Barra strumenti + + loading description + Caricamento descrizione - Magnifying glass - Lente ingrandimento + + comic description unavailable + descrizione del fumetto non disponibile + + + SelectVolume - Edit shortcuts - Edita scorciatoie + + Please, select the right series for your comic. + Per favore seleziona la serie corretta per il fumetto. - General - Generale + + Filter: + Filtro: - Set a bookmark on the current page - Imposta segnalibro a pagina corrente + + volumes + Volumi - Page adjustement - Correzioni di pagna + + Nothing found, clear the filter if any. + Non è stato trovato nulla, cancella il filtro se presente. - Show zoom slider - Mostra cursore di zoom + + loading cover + Caricamento copertine - Go to the last page - Vai all'ultima pagina + + loading description + Caricamento descrizione - Do you want to download the new version? - Vuoi scaricare la nuova versione? + + volume description unavailable + descrizione del volume non disponibile + + + SeriesQuestion - Rotate image to the right - Ruota immagine a destra + + You are trying to get information for various comics at once, are they part of the same series? + Stai cercando di recuperare informazioni per diversi fumetti in una sola volta, sono parte della stessa serie? - Always on top - Sempre in primo piano + + yes + Si - Autoscroll backward, horizontal first - Autoscorri indietro, priorità Orizzontale + + no + No - OptionsDialog + ServerConfigDialog - - Gamma - Gamma + + set port + Configura porta - - Reset - Reset + + Server connectivity information + Informazioni sulla connettività del server - - My comics path - Percorso dei miei fumetti + + Scan it! + Scansiona! - - Image adjustment - Correzioni immagine + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader è disponibile per dispositivi iOS e Android.<br/>Scoprilo per <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> o <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - - "Go to flow" size - Dimensione "Vai all'elenco" + + Choose an IP address + Scegli un indirizzo IP - - Choose - Scegli + + Port + Porta - - Image options - Opzione immagine + + enable the server + Abilita il server + + + ShortcutsDialog - - Contrast - Contrasto + Close + Chiudi - - Options - Opzioni + YACReader keyboard shortcuts + Scorciatoie da tastiera di YACReader + + + Keyboard Shortcuts + Scorciatoia da tastiera + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Per favore ordina la lista dei fumetti a sinistra sino a che corrisponde alle informazioni dei fumetti. + + + + sort comics to match comic information + Ordina i fumetti per far corrispondere le informazioni - - Comics directory - Cartella Fumetti + + issues + Emissione - - Quick Navigation Mode - Modo navigazione rapida + + remove selected comics + Rimuovi i fumetti selezionati - - Display - + + restore all removed comics + Ripristina tutti i fumetti rimossi + + + ThemeEditorDialog - - Show time in current page information label - + + Theme Editor + Redattore del tema - - Background color - Colore di sfondo + + + + + - - Scroll behaviour - + + - + - - - Disable scroll animations and smooth scrolling - + + i + io - - Do not turn page using scroll - + + Expand all + Espandi tutto - - Use single scroll step to turn page - + + Collapse all + Comprimi tutto - - Mouse mode - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Tieni premuto per far lampeggiare il valore selezionato nell'interfaccia utente (magenta / alternato / 0↔10). Le versioni ripristinano l'originale. - - Only Back/Forward buttons can turn pages - + + Search… + Ricerca… - - Use the Left/Right buttons to turn pages. - + + Light + Luce - - Click left or right half of the screen to turn pages. - + + Dark + Buio - - Disable mouse over activation - Disabilita il mouse all'attivazione + + ID: + Identificativo: - - Page Flow - Flusso pagine + + Display name: + Nome da visualizzare: - - General - Generale + + Variant: + Variante: - - Brightness - Luminosità + + Theme info + Informazioni sul tema - - Restart is needed - Riavvio Necessario + + Parameter + Parametro - - Fit options - + + Value + Valore - - Enlarge images to fit width/height - + + Save and apply + Salva e applica - - Double Page options - + + Export to file... + Esporta su file... - - Show covers as single page - + + Load from file... + Carica da file... - - - QObject - - 7z lib not found - Libreria 7z non trovata + + Close + Chiudi - - unable to load 7z lib from ./utils - Impossibile caricare 7z da ./utils + + Double-click to edit color + Fare doppio clic per modificare il colore - - Trace - + + + + + + + true + VERO - - Debug - + + + + + false + falso - - Info - + + Double-click to toggle + Fare doppio clic per attivare/disattivare - - Warning - + + Double-click to edit value + Fare doppio clic per modificare il valore - - Error - + + + + Edit: %1 + Modifica: %1 - - Fatal - + + Save theme + Salva tema - - Select custom cover - + + + JSON files (*.json);;All files (*) + File JSON (*.json);;Tutti i file (*) - - Images (%1) - + + Save failed + Salvataggio non riuscito - - - QsLogging::LogWindowModel - - Time - + + Could not open file for writing: +%1 + Impossibile aprire il file per la scrittura: +%1 - - Level - + + Load theme + Carica tema - - Message - + + + + Load failed + Caricamento non riuscito - - - QsLogging::Window - - &Pause - + + Could not open file: +%1 + Impossibile aprire il file: +%1 - - &Resume - + + Invalid JSON: +%1 + JSON non valido: +%1 - - Save log - + + Expected a JSON object. + Era previsto un oggetto JSON. + + + TitleHeader - - Log file (*.log) - + + SEARCH + CERCA - ShortcutsDialog + UpdateLibraryDialog - Close - Chiudi + + Updating.... + Aggiornamento... - YACReader keyboard shortcuts - Scorciatoie da tastiera di YACReader + + Cancel + Annulla - Keyboard Shortcuts - Scorciatoia da tastiera + + Update library + Aggiorna Libreria Viewer - + Page not available! Pagina non disponibile! - - + + Press 'O' to open comic. Premi "O" per aprire il fumettto. - + Error opening comic Errore nell'apertura - + Cover! Copertina! - + CRC Error Errore CRC - + Comic not found Fumetto non trovato - + Not found Non trovato - + Last page! Ultima pagina! - + Loading...please wait! In caricamento...Attendi! + + VolumeComicsModel + + + title + Titolo + + + + VolumesModel + + + year + Anno + + + + issues + Emissione + + + + publisher + Pubblicato da + + + + YACReader3DFlowConfigWidget + + + Presets: + Preselezioni: + + + + Classic look + Aspetto Classico + + + + Stripe look + Aspetto a strisce + + + + Overlapped Stripe look + Aspetto a strisce sovrapposto + + + + Modern look + Aspetto moderno + + + + Roulette look + Aspetto Roulette + + + + Show advanced settings + Mostra opzioni avanzate + + + + Custom: + Personalizzazione: + + + + View angle + Angolo di vista + + + + Position + Posizione + + + + Cover gap + Distanza Copertine + + + + Central gap + Distanza centrale + + + + Zoom + Ingrandimento + + + + Y offset + Compensazione Y + + + + Z offset + Compensazione Z + + + + Cover Angle + Angolo copertine + + + + Visibility + Visibilità + + + + Light + Luce + + + + Max angle + Angolo massimo + + + + Low Performance + Prestazioni Basse + + + + High Performance + Prestazioni Alte + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Usa VSync (migliora la qualtà a tutto schermo, peggiora le prestazioni) + + + + Performance: + Prestazioni: + + YACReader::MainWindowViewer - + &Open - &Apri + &Apri - + Open a comic - Apri un Fumetto + Apri un Fumetto - + New instance - + Nuova istanza - + Open Folder - Apri una cartella + Apri una cartella - + Open image folder - Apri la crettal immagini + Apri la crettal immagini - + Open latest comic - Apri l'ultimo fumetto + Apri l'ultimo fumetto - + Open the latest comic opened in the previous reading session - Apri l'ultimo fumetto aperto nella sessione precedente + Apri l'ultimo fumetto aperto nella sessione precedente - + Clear - Cancella + Cancella - + Clear open recent list - Svuota la lista degli aperti + Svuota la lista degli aperti - + Save - Salva + Salva - + Save current page - Salva la pagina corrente + Salva la pagina corrente Previous Comic - Fumetto precendente + Fumetto precendente - - - + + + Open previous comic - Apri il fumetto precendente + Apri il fumetto precendente - + Next Comic - Prossimo fumetto + Prossimo fumetto - - - + + + Open next comic - Apri il prossimo fumetto + Apri il prossimo fumetto - + &Previous - &Precedente + &Precedente - - - + + + Go to previous page - Vai alla pagina precedente + Vai alla pagina precedente - + &Next - &Prossimo + &Prossimo - - - + + + Go to next page - Vai alla prossima Pagina + Vai alla prossima Pagina - + Fit Height - Adatta altezza + Adatta altezza - + Fit image to height - Adatta immagine all'altezza + Adatta immagine all'altezza - + Fit Width - Adatta Larghezza + Adatta Larghezza - + Fit image to width - Adatta immagine in larghezza + Adatta immagine in larghezza - + Show full size - Mostra dimesioni reali + Mostra dimesioni reali - + Fit to page - Adatta alla pagina + Adatta alla pagina + + + + Continuous scroll + Scorrimento continuo + + + + Switch to continuous scroll mode + Passa alla modalità di scorrimento continuo - + Reset zoom - Resetta Zoom + Resetta Zoom - + Show zoom slider - Mostra cursore di zoom + Mostra cursore di zoom - + Zoom+ - Zoom+ + Aumenta - + Zoom- - Zoom- + Riduci - + Rotate image to the left - Ruota immagine a sinistra + Ruota immagine a sinistra - + Rotate image to the right - Ruota immagine a destra + Ruota immagine a destra - + Double page mode - Modalita doppia pagina + Modalita doppia pagina - + Switch to double page mode - Passa alla modalità doppia pagina + Passa alla modalità doppia pagina - + Double page manga mode - Modalità doppia pagina Manga + Modalità doppia pagina Manga - + Reverse reading order in double page mode - Ordine lettura inverso in modo doppia pagina + Ordine lettura inverso in modo doppia pagina - + Go To - Vai a + Vai a - + Go to page ... - Vai a Pagina ... + Vai a Pagina ... - + Options - Opzioni + Opzioni - + YACReader options - Opzioni YACReader + Opzioni YACReader - - + + Help - Aiuto + Aiuto - + Help, About YACReader - Aiuto, crediti YACReader + Aiuto, crediti YACReader - + Magnifying glass - Lente ingrandimento + Lente ingrandimento - + Switch Magnifying glass - Passa a lente ingrandimento + Passa a lente ingrandimento - + Set bookmark - Imposta Segnalibro + Imposta Segnalibro - + Set a bookmark on the current page - Imposta segnalibro a pagina corrente + Imposta segnalibro a pagina corrente - + Show bookmarks - Mostra segnalibro + Mostra segnalibro - + Show the bookmarks of the current comic - Mostra il segnalibro del fumetto corrente + Mostra il segnalibro del fumetto corrente - + Show keyboard shortcuts - Mostra scorciatoie da tastiera + Mostra scorciatoie da tastiera - + Show Info - Mostra info + Mostra info - + Close - Chiudi + Chiudi - + Show Dictionary - Mostra dizionario + Mostra dizionario - + Show go to flow - Mostra vai all'elenco + Mostra vai all'elenco - + Edit shortcuts - + Edita scorciatoie - + &File - &File + &Documento - - + + Open recent - Apri i recenti + Apri i recenti - + File - File + Documento - + Edit - Edit + Edita - + View - Mostra + Mostra - + Go - Vai + Vai - + Window - Finestra + Finestra - - - + + + Open Comic - Apri Fumetto + Apri Fumetto - - - + + + Comic files - File Fumetto + File Fumetto - + Open folder - Apri cartella + Apri cartella - + page_%1.jpg - Pagina_%1.jpg + Pagina_%1.jpg - + Image files (*.jpg) - File immagine (*.jpg) + File immagine (*.jpg) + Comics - Fumetto + Fumetto Toggle fullscreen mode - Attiva/Disattiva schermo intero + Attiva/Disattiva schermo intero Hide/show toolbar - Mostra/Nascondi Barra strumenti + Mostra/Nascondi Barra strumenti + General - Generale + Generale Size up magnifying glass - Ingrandisci lente ingrandimento + Ingrandisci lente ingrandimento Size down magnifying glass - Riduci lente ingrandimento + Riduci lente ingrandimento Zoom in magnifying glass - Ingrandisci in lente di ingrandimento + Ingrandisci in lente di ingrandimento Zoom out magnifying glass - Riduci in lente di ingrandimento + Riduci in lente di ingrandimento Reset magnifying glass - + Reimposta la lente d'ingrandimento + Magnifiying glass - Lente ingrandimento + Lente ingrandimento Toggle between fit to width and fit to height - Passa tra adatta in larghezza ad altezza + Passa tra adatta in larghezza ad altezza + Page adjustement - Correzioni di pagna + Correzioni di pagna - + Autoscroll down - Autoscorri Giù + Autoscorri Giù - + Autoscroll up - Autoscorri Sù + Autoscorri Sù - + Autoscroll forward, horizontal first - Autoscorri avanti, priorità Orizzontale + Autoscorri avanti, priorità Orizzontale - + Autoscroll backward, horizontal first - Autoscorri indietro, priorità Orizzontale + Autoscorri indietro, priorità Orizzontale - + Autoscroll forward, vertical first - Autoscorri avanti, priorità Verticale + Autoscorri avanti, priorità Verticale - + Autoscroll backward, vertical first - Autoscorri indietro, priorità Verticale + Autoscorri indietro, priorità Verticale - + Move down - Muovi Giù + Muovi Giù - + Move up - Muovi Sù + Muovi Sù - + Move left - Muovi Sinistra + Muovi Sinistra - + Move right - Muovi Destra + Muovi Destra - + Go to the first page - Vai alla pagina iniziale + Vai alla pagina iniziale - + Go to the last page - Vai all'ultima pagina + Vai all'ultima pagina - + Offset double page to the left - + Doppia pagina spostata a sinistra - + Offset double page to the right - + Doppia pagina spostata a destra - + + Reading - Leggi + Leggi - + There is a new version available - Nuova versione disponibile + Nuova versione disponibile - + Do you want to download the new version? - Vuoi scaricare la nuova versione? + Vuoi scaricare la nuova versione? - + Remind me in 14 days - Ricordamelo in 14 giorni + Ricordamelo in 14 giorni - + Not now - Non ora + Non ora + + + + YACReader::TrayIconController + + + &Restore + &Rnegozio + + + + Systray + Area di notifica + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuerà a essere eseguito nella barra delle applicazioni. Per terminare il programma, scegli <b>Esci</b> nel menu contestuale dell'icona nella barra delle applicazioni. YACReader::WhatsNewDialog - Close - Chiudi + Chiudi @@ -1407,172 +4047,152 @@ YACReaderFlowConfigWidget - CoverFlow look - Aspetto flusso Copertine + Aspetto flusso Copertine - How to show covers: - Come mostrare le copertine: + Come mostrare le copertine: - Stripe look - Aspetto a strisce + Aspetto a strisce - Overlapped Stripe look - Aspetto a strisce sovrapposto + Aspetto a strisce sovrapposto YACReaderGLFlowConfigWidget - Zoom - Zoom + Ingrandimento - Light - Luce + Luce - Show advanced settings - Mostra opzioni avanzate + Mostra opzioni avanzate - Roulette look - Aspetto Roulette + Aspetto Roulette - Cover Angle - Angolo copertine + Angolo copertine - Stripe look - Aspetto a strisce + Aspetto a strisce - Position - Posizione + Posizione - Z offset - Compensazione Z + Compensazione Z - Y offset - Compensazione Y + Compensazione Y - Central gap - Distanza centrale + Distanza centrale - Presets: - Preselezioni: + Preselezioni: - Overlapped Stripe look - Aspetto a strisce sovrapposto + Aspetto a strisce sovrapposto - Modern look - Aspetto moderno + Aspetto moderno - View angle - Angolo di vista + Angolo di vista - Max angle - Angolo massimo + Angolo massimo - Custom: - Personalizzazione: + Personalizzazione: - Classic look - Aspetto Classico + Aspetto Classico - Cover gap - Distanza Copertine + Distanza Copertine - High Performance - Prestazioni Alte + Prestazioni Alte - Performance: - Prestazioni: + Prestazioni: - Use VSync (improve the image quality in fullscreen mode, worse performance) - Usa VSync (migliora la qualtà a tutto schermo, peggiora le prestazioni) + Usa VSync (migliora la qualtà a tutto schermo, peggiora le prestazioni) - Visibility - Visibilità + Visibilità - Low Performance - Prestazioni Basse + Prestazioni Basse YACReaderOptionsDialog - + Save Salva - Use hardware acceleration (restart needed) - Usa accelerazione Hardware (necessita restart) + Usa accelerazione Hardware (necessita restart) - + Cancel Cancella - + Shortcuts Scorciatoia - + Edit shortcuts Edita Scorciatoia + + YACReaderSearchLineEdit + + + type to search + Digita per cercare + + YACReaderSlider @@ -1584,23 +4204,23 @@ YACReaderTranslator - + clear Cancella - + Service not available Servizio non disponibile - - + + Translation Traduzione - + YACReader translator Traduttore YACReader diff --git a/YACReader/yacreader_nl.ts b/YACReader/yacreader_nl.ts index 30db16399..8d389ff04 100644 --- a/YACReader/yacreader_nl.ts +++ b/YACReader/yacreader_nl.ts @@ -6,1196 +6,3836 @@ None - + Geen - BookmarksDialog + AddLabelDialog - - Close - Sluiten + + Label name: + Labelnaam: - - - Loading... - Inladen... + + Choose a color: + Kies een kleur: - - Click on any image to go to the bookmark - Klik op een afbeelding om naar de bladwijzer te gaan + + accept + accepteren - - Lastest Page - Laatste Pagina + + cancel + annuleren - EditShortcutsDialog + AddLibraryDialog - - Restore defaults - + + Comics folder : + Strips map: - - To change a shortcut, double click in the key combination and type the new keys. - + + Library name : + Bibliotheek Naam : - - Shortcuts settings - + + Add + Toevoegen - - Shortcut in use - + + Cancel + Annuleren - - The shortcut "%1" is already assigned to other function - + + Add an existing library + Voeg een bestaand bibliotheek toe - FileComic + ApiKeyDialog - - 7z not found - 7Z Archiefbestand niet gevonden + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Voordat je verbinding kunt maken met Comic Vine, heb je een eigen API-sleutel nodig. Vraag er <a href="http://www.comicvine.com/api/">hier</a> één gratis aan - - CRC error on page (%1): some of the pages will not be displayed correctly - + + Paste here your Comic Vine API key + Plak hier uw Comic Vine API-sleutel - - Unknown error opening the file - + + Accept + Accepteren - - Format not supported - + + Cancel + Annuleren - GoToDialog + AppearanceTabWidget - - Go To - Ga Naar + + Color scheme + Kleurenschema - - Go to... - Ga naar... + + System + Systeem - - - Total pages : - Totaal aantal pagina's : + + Light + Licht - - Cancel - Annuleren + + Dark + Donker - - Page : - Pagina : + + Custom + Aangepast - - - GoToFlowToolBar - - Page : - Pagina : + + Remove + Verwijderen + + + + Remove this user-imported theme + Verwijder dit door de gebruiker geïmporteerde thema + + + + Light: + Licht: + + + + Dark: + Donker: + + + + Custom: + Aangepast: + + + + Import theme... + Thema importeren... + + + + Theme + Thema + + + + Theme editor + Thema-editor + + + + Open Theme Editor... + Thema-editor openen... + + + + Theme editor error + Fout in de thema-editor + + + + The current theme JSON could not be loaded. + De huidige thema-JSON kan niet worden geladen. + + + + Import theme + Thema importeren + + + + JSON files (*.json);;All files (*) + JSON-bestanden (*.json);;Alle bestanden (*) + + + + Could not import theme from: +%1 + Kan thema niet importeren uit: +%1 + + + + Could not import theme from: +%1 + +%2 + Kan thema niet importeren uit: +%1 + +%2 + + + + Import failed + Importeren is mislukt - HelpAboutDialog + BookmarksDialog - - Help - Help + + Close + Sluiten - - System info - + + + Loading... + Inladen... - - About - Over + + Click on any image to go to the bookmark + Klik op een afbeelding om naar de bladwijzer te gaan + + + + Lastest Page + Laatste Pagina - LogWindow + ClassicComicsView - - Log window - + + Hide comic flow + Sluit de Omslagbrowser + + + ComicModel - - &Pause - + + yes + Ja - - &Save - + + no + neen - - C&lear - + + Title + Titel - - &Copy - + + File Name + Bestandsnaam - - Level: - + + Pages + Pagina's - - &Auto scroll - + + Size + Grootte(MB) - - - MainWindowViewer - Help - Help + + Read + Gelezen - Save - Bewaar + + Current Page + Huidige pagina - &File - &Bestand + + Publication Date + Publicatiedatum - &Next - &Volgende + + Rating + Beoordeling - &Open - &Open + + Series + Serie - Close - Sluiten + + Volume + Deel - Open Comic - Open een Strip + + Story Arc + Verhaalboog + + + ComicVineDialog - Go To - Ga Naar + + skip + overslaan - Open image folder - Open afbeeldings map + + back + rug - Set bookmark - Bladwijzer instellen + + next + volgende - page_%1.jpg - pagina_%1.jpg + + search + zoekopdracht - Switch to double page mode - Naar dubbele bladzijde modus + + close + dichtbij - Save current page - Bewaren huidige pagina + + + comic %1 of %2 - %3 + strip %1 van %2 - %3 - Double page mode - Dubbele bladzijde modus + + + + Looking for volume... + Op zoek naar volumes... - Switch Magnifying glass - Overschakelen naar Vergrootglas + + %1 comics selected + %1 strips geselecteerd - Open Folder - Map Openen + + Error connecting to ComicVine + Fout bij verbinden met ComicVine - Comic files - Strip bestanden + + + Retrieving tags for : %1 + Tags ophalen voor: %1 - Go to previous page - Ga naar de vorige pagina + + Retrieving volume info... + Volume-informatie ophalen... - Open a comic - Open een strip + + Looking for comic... + Op zoek naar komische... + + + ContinuousPageWidget - Image files (*.jpg) - Afbeelding bestanden (*.jpg) + + Loading page %1 + Pagina laden %1 + + + CreateLibraryDialog - Next Comic - Volgende Strip + + Comics folder : + Strips map: - Fit Width - Vensterbreedte aanpassen + + Library Name : + Bibliotheek Naam : - Options - Opties + + Create + Aanmaken - Show Info - Info tonen + + Cancel + Annuleren - Open folder - Open een Map + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Een bibliotheek aanmaken kan enkele minuten duren. U kunt het proces stoppen en de bibliotheek later voltooien. - Go to page ... - Ga naar bladzijde ... + + Create new library + Een nieuwe Bibliotheek aanmaken - Fit image to width - Afbeelding aanpassen aan breedte + + Path not found + Pad niet gevonden - &Previous - &Vorige + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + De geselecteerde pad bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map + + + EditShortcutsDialog - Go to next page - Ga naar de volgende pagina + + Restore defaults + Standaardwaarden herstellen - Show keyboard shortcuts - Toon de sneltoetsen + + To change a shortcut, double click in the key combination and type the new keys. + Om een ​​snelkoppeling te wijzigen, dubbelklikt u op de toetsencombinatie en typt u de nieuwe toetsen. - There is a new version available - Er is een nieuwe versie beschikbaar + + Shortcuts settings + Instellingen voor snelkoppelingen - Open next comic - Open volgende strip + + Shortcut in use + Snelkoppeling in gebruik - Show bookmarks - Bladwijzers weergeven + + The shortcut "%1" is already assigned to other function + De sneltoets "%1" is al aan een andere functie toegewezen + + + EmptyFolderWidget - Open previous comic - Open de vorige strip + + This folder doesn't contain comics yet + Deze map bevat nog geen strips + + + EmptyLabelWidget - Rotate image to the left - Links omdraaien + + This label doesn't contain comics yet + Dit label bevat nog geen strips + + + EmptyReadingListWidget - Fit image to height - Afbeelding aanpassen aan hoogte + + This reading list does not contain any comics yet + Deze leeslijst bevat nog geen strips + + + EmptySpecialListWidget - Show the bookmarks of the current comic - Toon de bladwijzers van de huidige strip + + No favorites + Geen favorieten - Show Dictionary - Woordenlijst weergeven + + You are not reading anything yet, come on!! + Je leest nog niets, kom op!! - YACReader options - YACReader opties + + There are no recent comics! + Er zijn geen recente strips! + + + + ExportComicsInfoDialog + + + Output file : + Uitvoerbestand: - Help, About YACReader - Help, Over YACReader + + Create + Aanmaken - Show go to flow - Toon ga naar de Omslagbrowser + + Cancel + Annuleren - Previous Comic - Vorige Strip + + Export comics info + Strip info exporteren - Show full size - Volledig Scherm + + Destination database name + Bestemmingsdatabase naam - Magnifying glass - Vergrootglas + + Problem found while writing + Probleem bij het schrijven - General - Algemeen + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Het gekozen pad voor het uitvoerbestand bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map + + + ExportLibraryDialog - Set a bookmark on the current page - Een bladwijzer toevoegen aan de huidige pagina + + Output folder : + Uitvoermap : - Do you want to download the new version? - Wilt u de nieuwe versie downloaden? + + Create + Aanmaken - Rotate image to the right - Rechts omdraaien + + Cancel + Annuleren + + + + Create covers package + Aanmaken omslag pakket + + + + Problem found while writing + Probleem bij het schrijven + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Het gekozen pad voor het uitvoerbestand bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map + + + + Destination directory + Doeldirectory + + + + FileComic + + + 7z not found + 7Z Archiefbestand niet gevonden + + + + CRC error on page (%1): some of the pages will not be displayed correctly + CRC-fout op pagina (%1): sommige pagina's worden niet correct weergegeven + + + + Unknown error opening the file + Onbekende fout bij het openen van het bestand + + + + Format not supported + Formaat niet ondersteund + + + + GoToDialog + + + Go To + Ga Naar + + + + Go to... + Ga naar... + + + + + Total pages : + Totaal aantal pagina's : + + + + Cancel + Annuleren + + + + Page : + Pagina : + + + + GoToFlowToolBar + + + Page : + Pagina : + + + + GridComicsView + + + Show info + Toon informatie + + + + HelpAboutDialog + + + Help + Hulp + + + + System info + Systeeminformatie + + + + About + Over + + + + ImportComicsInfoDialog + + + Import comics info + Strip info Importeren + + + + Info database location : + Info database locatie : + + + + Import + Importeren + + + + Cancel + Annuleren + + + + Comics info file (*.ydb) + Strips info bestand ( * .ydb) + + + + ImportLibraryDialog + + + Library Name : + Bibliotheek Naam : + + + + Package location : + Arrangement locatie : + + + + Destination folder : + Doelmap: + + + + Unpack + Uitpakken + + + + Cancel + Annuleren + + + + Extract a catalog + Een catalogus uitpakken + + + + Compresed library covers (*.clc) + Compresed omslag- bibliotheek ( * .clc) + + + + ImportWidget + + + stop + Stoppen + + + + Some of the comics being added... + Enkele strips zijn toegevoegd ... + + + + Importing comics + Strips importeren + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <P>YACReaderLibrary maak nu een nieuwe bibliotheek. < /p> <p>Een bibliotheek aanmaken kan enkele minuten duren. U kunt het proces stoppen en de bibliotheek later voltooien. < /p> + + + + Updating the library + Actualisering van de bibliotheek + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <P>De huidige bibliotheek wordt bijgewerkt. Voor snellere updates, update uw bibliotheken regelmatig. < /p> <p>u kunt het proces stoppen om later bij te werken. < /p> + + + + Upgrading the library + Het upgraden van de bibliotheek + + + + <p>The current library is being upgraded, please wait.</p> + <p>De huidige bibliotheek wordt geüpgraded. Een ogenblik geduld.</p> + + + + Scanning the library + De bibliotheek scannen + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>De huidige bibliotheek wordt gescand op oudere XML-metadata-informatie.</p><p>Dit is slechts één keer nodig en alleen als de bibliotheek is ingepakt met YACReaderLibrary 9.8.2 of eerder.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Bibliotheek + + + + + + comic + grappig + + + + + + manga + Manga + + + + + + western manga (left to right) + westerse manga (van links naar rechts) + + + + + + web comic + web-strip + + + + + + 4koma (top to botom) + 4koma (van boven naar beneden) + + + + + + + Set type + Soort instellen + + + + Library + Bibliotheek + + + + Folder + Map + + + + Comic + Grappig + + + + Upgrade failed + Upgrade mislukt + + + + There were errors during library upgrade in: + Er zijn fouten opgetreden tijdens de bibliotheekupgrade in: + + + + Update needed + Bijwerken is nodig + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Deze bibliotheek is gemaakt met een vorige versie van YACReaderLibrary. Het moet worden bijgewerkt. Nu bijwerken? + + + + Download new version + Nieuwe versie ophalen + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Deze bibliotheek is gemaakt met een nieuwere versie van YACReaderLibrary. Download de nieuwe versie? + + + + Library not available + Bibliotheek niet beschikbaar + + + + Library '%1' is no longer available. Do you want to remove it? + Bibliotheek ' %1' is niet langer beschikbaar. Wilt u het verwijderen? + + + + Old library + Oude Bibliotheek + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Bibliotheek ' %1' is gemaakt met een oudere versie van YACReaderLibrary. Zij moet opnieuw worden aangemaakt. Wilt u de bibliotheek nu aanmaken? + + + + + Copying comics... + Strips kopiëren... + + + + + Moving comics... + Strips verplaatsen... + + + + Add new folder + Nieuwe map toevoegen + + + + Folder name: + Mapnaam: + + + + No folder selected + Geen map geselecteerd + + + + Please, select a folder first + Selecteer eerst een map + + + + Error in path + Fout in pad + + + + There was an error accessing the folder's path + Er is een fout opgetreden bij het verkrijgen van toegang tot het pad van de map + + + + Delete folder + Map verwijderen + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + De geselecteerde map en de volledige inhoud ervan worden van uw schijf verwijderd. Weet je het zeker? + + + + + Unable to delete + Kan niet verwijderen + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Er is een probleem opgetreden bij het verwijderen van de geselecteerde mappen. Controleer of er schrijfrechten zijn en zorg ervoor dat alle toepassingen deze mappen of een van de daarin opgenomen bestanden gebruiken. + + + + Add new reading lists + Voeg nieuwe leeslijsten toe + + + + + List name: + Lijstnaam: + + + + Delete list/label + Lijst/label verwijderen + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Het geselecteerde item wordt verwijderd, uw strips of mappen worden NIET van uw schijf verwijderd. Weet je het zeker? + + + + Rename list name + Hernoem de lijstnaam + + + + Open folder... + Map openen ... + + + + Update folder + Map bijwerken + + + + Rescan library for XML info + Bibliotheek opnieuw scannen op XML-info + + + + Set as uncompleted + Ingesteld als onvoltooid + + + + Set as completed + Instellen als voltooid + + + + Set as read + Instellen als gelezen + + + + + Set as unread + Instellen als ongelezen + + + + Set custom cover + Aangepaste omslag instellen + + + + Delete custom cover + Aangepaste omslag verwijderen + + + + Save covers + Bewaar hoesjes + + + + You are adding too many libraries. + U voegt te veel bibliotheken toe. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + U voegt te veel bibliotheken toe. + +Je hebt waarschijnlijk maar één bibliotheek nodig in je stripmap op het hoogste niveau. Je kunt door alle submappen bladeren met behulp van het mappengedeelte in de linkerzijbalk. + +YACReaderLibrary zal u er niet van weerhouden om meer bibliotheken te creëren, maar u moet het aantal bibliotheken laag houden. + + + + + YACReader not found + YACReader niet gevonden + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader niet gevonden. YACReader moet in dezelfde map worden geïnstalleerd als YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader niet gevonden. Er is mogelijk een probleem met uw YACReader-installatie. + + + + Error + Fout + + + + Error opening comic with third party reader. + Fout bij het openen van een strip met een lezer van een derde partij. + + + + Library not found + Bibliotheek niet gevonden + + + + The selected folder doesn't contain any library. + De geselecteerde map bevat geen bibliotheek. + + + + Are you sure? + Weet u het zeker? + + + + Do you want remove + Wilt u verwijderen + + + + library? + Bibliotheek? + + + + Remove and delete metadata + Verwijder metagegevens + + + + Library info + Bibliotheekinformatie + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Er is een probleem opgetreden bij het verwijderen van de geselecteerde strips. Controleer of er schrijfrechten zijn voor de geselecteerde bestanden of de map waarin deze zich bevinden. + + + + Assign comics numbers + Wijs stripnummers toe + + + + Assign numbers starting in: + Nummers toewijzen beginnend met: + + + + Invalid image + Ongeldige afbeelding + + + + The selected file is not a valid image. + Het geselecteerde bestand is geen geldige afbeelding. + + + + Error saving cover + Fout bij opslaan van dekking + + + + There was an error saving the cover image. + Er is een fout opgetreden bij het opslaan van de omslagafbeelding. + + + + Error creating the library + Fout bij aanmaken Bibliotheek + + + + Error updating the library + Fout bij bijwerken Bibliotheek + + + + Error opening the library + Fout bij openen Bibliotheek + + + + Delete comics + Strips verwijderen + + + + All the selected comics will be deleted from your disk. Are you sure? + Alle geselecteerde strips worden verwijderd van uw schijf. Weet u het zeker? + + + + Remove comics + Verwijder strips + + + + Comics will only be deleted from the current label/list. Are you sure? + Strips worden alleen verwijderd van het huidige label/de huidige lijst. Weet je het zeker? + + + + Library name already exists + Bibliotheek naam bestaat al + + + + There is another library with the name '%1'. + Er is al een bibliotheek met de naam ' %1 '. + + + + LibraryWindowActions + + + Create a new library + Maak een nieuwe Bibliotheek + + + + Open an existing library + Open een bestaande Bibliotheek + + + + + Export comics info + Strip info exporteren + + + + + Import comics info + Strip info Importeren + + + + Pack covers + Inpakken strip voorbladen + + + + Pack the covers of the selected library + Inpakken alle strip voorbladen van de geselecteerde Bibliotheek + + + + Unpack covers + Uitpakken voorbladen + + + + Unpack a catalog + Uitpaken van een catalogus + + + + Update library + Bibliotheek bijwerken + + + + Update current library + Huidige Bibliotheek bijwerken + + + + Rename library + Bibliotheek hernoemen + + + + Rename current library + Huidige Bibliotheek hernoemen + + + + Remove library + Bibliotheek verwijderen + + + + Remove current library from your collection + De huidige Bibliotheek verwijderen uit uw verzameling + + + + Rescan library for XML info + Bibliotheek opnieuw scannen op XML-info + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Probeert XML-informatie te vinden die is ingebed in stripbestanden. U hoeft dit alleen te doen als de bibliotheek is gemaakt met versie 9.8.2 of eerdere versies of als u software van derden gebruikt om XML-informatie in de bestanden in te sluiten. + + + + Show library info + Bibliotheekinfo tonen + + + + Show information about the current library + Toon informatie over de huidige bibliotheek + + + + Open current comic + Huidige strip openen + + + + Open current comic on YACReader + Huidige strip openen in YACReader + + + + Save selected covers to... + Geselecteerde omslagen opslaan in... + + + + Save covers of the selected comics as JPG files + Sla covers van de geselecteerde strips op als JPG-bestanden + + + + + Set as read + Instellen als gelezen + + + + Set comic as read + Strip Instellen als gelezen + + + + + Set as unread + Instellen als ongelezen + + + + Set comic as unread + Strip Instellen als ongelezen + + + + + manga + Manga + + + + Set issue as manga + Stel het probleem in als manga + + + + + comic + grappig + + + + Set issue as normal + Stel het probleem in als normaal + + + + western manga + westerse manga + + + + Set issue as western manga + Stel het probleem in als westerse manga + + + + + web comic + web-strip + + + + Set issue as web comic + Stel het probleem in als webstrip + + + + + yonkoma + yokoma + + + + Set issue as yonkoma + Stel het probleem in als yonkoma + + + + Show/Hide marks + Toon/Verberg markeringen + + + + Show or hide read marks + Toon of verberg leesmarkeringen + + + + Show/Hide recent indicator + Recente indicator tonen/verbergen + + + + Show or hide recent indicator + Toon of verberg recente indicator + + + + + Fullscreen mode on/off + Volledig scherm modus aan/of + + + + Help, About YACReader + Help, Over YACReader + + + + Add new folder + Nieuwe map toevoegen + + + + Add new folder to the current library + Voeg een nieuwe map toe aan de huidige bibliotheek + + + + Delete folder + Map verwijderen + + + + Delete current folder from disk + Verwijder de huidige map van schijf + + + + Select root node + Selecteer de hoofd categorie + + + + Expand all nodes + Alle categorieën uitklappen + + + + Collapse all nodes + Vouw alle knooppunten samen + + + + Show options dialog + Toon opties dialoog + + + + Show comics server options dialog + Toon strips-server opties dialoog + + + + + Change between comics views + Wisselen tussen stripweergaven + + + + Open folder... + Map openen ... + + + + Set as uncompleted + Ingesteld als onvoltooid + + + + Set as completed + Instellen als voltooid + + + + Set custom cover + Aangepaste omslag instellen + + + + Delete custom cover + Aangepaste omslag verwijderen + + + + western manga (left to right) + westerse manga (van links naar rechts) + + + + Open containing folder... + Open map ... + + + + Reset comic rating + Stripbeoordeling opnieuw instellen + + + + Select all comics + Selecteer alle strips + + + + Edit + Bewerken + + + + Assign current order to comics + Wijs de huidige volgorde toe aan strips + + + + Update cover + Strip omslagen bijwerken + + + + Delete selected comics + Geselecteerde strips verwijderen + + + + Delete metadata from selected comics + Verwijder metadata uit geselecteerde strips + + + + Download tags from Comic Vine + Tags downloaden van Comic Vine + + + + Focus search line + Focus zoeklijn + + + + Focus comics view + Focus stripweergave + + + + Edit shortcuts + Snelkoppelingen bewerken + + + + &Quit + &Afsluiten + + + + Update folder + Map bijwerken + + + + Update current folder + Werk de huidige map bij + + + + Scan legacy XML metadata + Scan oudere XML-metagegevens + + + + Add new reading list + Nieuwe leeslijst toevoegen + + + + Add a new reading list to the current library + Voeg een nieuwe leeslijst toe aan de huidige bibliotheek + + + + Remove reading list + Leeslijst verwijderen + + + + Remove current reading list from the library + Verwijder de huidige leeslijst uit de bibliotheek + + + + Add new label + Nieuw etiket toevoegen + + + + Add a new label to this library + Voeg een nieuw label toe aan deze bibliotheek + + + + Rename selected list + Hernoem de geselecteerde lijst + + + + Rename any selected labels or lists + Hernoem alle geselecteerde labels of lijsten + + + + Add to... + Toevoegen aan... + + + + Favorites + Favorieten + + + + Add selected comics to favorites list + Voeg geselecteerde strips toe aan de favorietenlijst + + + + LocalComicListModel + + + file name + bestandsnaam + + + + MainWindowViewer + + Help + Hulp + + + Save + Bewaar + + + &File + &Bestand + + + &Next + &Volgende + + + &Open + &Openen + + + Close + Sluiten + + + Open Comic + Open een Strip + + + Go To + Ga Naar + + + Open image folder + Open afbeeldings map + + + Set bookmark + Bladwijzer instellen + + + page_%1.jpg + pagina_%1.jpg + + + Switch to double page mode + Naar dubbele bladzijde modus + + + Save current page + Bewaren huidige pagina + + + Double page mode + Dubbele bladzijde modus + + + Switch Magnifying glass + Overschakelen naar Vergrootglas + + + Open Folder + Map Openen + + + Comic files + Strip bestanden + + + Go to previous page + Ga naar de vorige pagina + + + Open a comic + Open een strip + + + Image files (*.jpg) + Afbeelding bestanden (*.jpg) + + + Next Comic + Volgende Strip + + + Fit Width + Vensterbreedte aanpassen + + + Options + Opties + + + Show Info + Info tonen + + + Open folder + Open een Map + + + Go to page ... + Ga naar bladzijde ... + + + Fit image to width + Afbeelding aanpassen aan breedte + + + &Previous + &Vorige + + + Go to next page + Ga naar de volgende pagina + + + Show keyboard shortcuts + Toon de sneltoetsen + + + There is a new version available + Er is een nieuwe versie beschikbaar + + + Open next comic + Open volgende strip + + + Show bookmarks + Bladwijzers weergeven + + + Open previous comic + Open de vorige strip + + + Rotate image to the left + Links omdraaien + + + Fit image to height + Afbeelding aanpassen aan hoogte + + + Show the bookmarks of the current comic + Toon de bladwijzers van de huidige strip + + + Show Dictionary + Woordenlijst weergeven + + + YACReader options + YACReader opties + + + Help, About YACReader + Help, Over YACReader + + + Show go to flow + Toon ga naar de Omslagbrowser + + + Previous Comic + Vorige Strip + + + Show full size + Volledig Scherm + + + Magnifying glass + Vergrootglas + + + General + Algemeen + + + Set a bookmark on the current page + Een bladwijzer toevoegen aan de huidige pagina + + + Do you want to download the new version? + Wilt u de nieuwe versie downloaden? + + + Rotate image to the right + Rechts omdraaien + + + Always on top + Altijd op voorgrond + + + + NoLibrariesWidget + + + You don't have any libraries yet + Je hebt geen nog libraries + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <P>u kunt een bibliotheek maken in een willekeurige map, YACReaderLibrary importeert alle strips en mappen uit deze map. Alle bibliotheek aangemaakt in het verleden kan je openen. < /p> <p>vergeet niet dat u YACReader kan gebruiken als stand-alone applicatie voor het lezen van de strips op de computer. < /p> + + + + create your first library + Maak uw eerste bibliotheek + + + + add an existing one + voeg een bestaande bibliotheek toe + + + + NoSearchResultsWidget + + + No results + Geen resultaten + + + + OptionsDialog + + + Gamma + Gammawaarde + + + + Reset + Standaardwaarden terugzetten + + + + My comics path + Pad naar mijn strips + + + + Scaling + Schalen + + + + Scaling method + Schaalmethode + + + + Nearest (fast, low quality) + Dichtstbijzijnde (snel, lage kwaliteit) + + + + Bilinear + Bilineair + + + + Lanczos (better quality) + Lanczos (betere kwaliteit) + + + + Image adjustment + Beeldaanpassing + + + + "Go to flow" size + "Naar Omslagbrowser" afmetingen + + + + Choose + Kies + + + + Image options + Afbeelding opties + + + + Contrast + Contrastwaarde + + + + + Libraries + Bibliotheken + + + + Comic Flow + Komische stroom + + + + Grid view + Rasterweergave + + + + + Appearance + Verschijning + + + + + Options + Opties + + + + + Language + Taal + + + + + Application language + Applicatietaal + + + + + System default + Standaard van het systeem + + + + Tray icon settings (experimental) + Instellingen voor ladepictogram (experimenteel) + + + + Close to tray + Dicht bij lade + + + + Start into the system tray + Begin in het systeemvak + + + + Edit Comic Vine API key + Bewerk de Comic Vine API-sleutel + + + + Comic Vine API key + Comic Vine API-sleutel + + + + ComicInfo.xml legacy support + ComicInfo.xml verouderde ondersteuning + + + + Import metadata from ComicInfo.xml when adding new comics + Importeer metagegevens uit ComicInfo.xml wanneer u nieuwe strips toevoegt + + + + Consider 'recent' items added or updated since X days ago + Overweeg 'recente' items die sinds X dagen geleden zijn toegevoegd of bijgewerkt + + + + Third party reader + Lezer van derden + + + + Write {comic_file_path} where the path should go in the command + Schrijf {comic_file_path} waar het pad naartoe moet in de opdracht + + + + + Clear + Duidelijk + + + + Update libraries at startup + Update bibliotheken bij het opstarten + + + + Try to detect changes automatically + Probeer wijzigingen automatisch te detecteren + + + + Update libraries periodically + Update bibliotheken regelmatig + + + + Interval: + Tijdsinterval: + + + + 30 minutes + 30 minuten + + + + 1 hour + 1 uur + + + + 2 hours + 2 uur + + + + 4 hours + 4 uur + + + + 8 hours + 8 uur + + + + 12 hours + 12 uur + + + + daily + dagelijks + + + + Update libraries at certain time + Update bibliotheken op een bepaald tijdstip + + + + Time: + Tijd: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + WAARSCHUWING! Tijdens bibliotheekupdates is schrijven naar de database uitgeschakeld! +Plan geen updates terwijl u de app mogelijk actief gebruikt. +During automatic updates the app will block some of the actions until the update is finished. +Om een ​​automatische update te stoppen, tikt u op de laadindicator naast de titel van Bibliotheken. + + + + Modifications detection + Detectie van wijzigingen + + + + Compare the modified date of files when updating a library (not recommended) + Vergelijk de wijzigingsdatum van bestanden bij het updaten van een bibliotheek (niet aanbevolen) + + + + Enable background image + Achtergrondafbeelding inschakelen + + + + Opacity level + Dekkingsniveau + + + + Blur level + Vervagingsniveau + + + + Use selected comic cover as background + Gebruik geselecteerde stripomslag als achtergrond + + + + Restore defautls + Standaardwaarden herstellen + + + + Background + Achtergrond + + + + Display continue reading banner + Toon de banner voor verder lezen + + + + Display current comic banner + Toon huidige stripbanner + + + + Continue reading + Lees verder + + + + Comics directory + Strips map + + + + Background color + Achtergrondkleur + + + + Page Flow + Omslagbrowser + + + + + General + Algemeen + + + + Brightness + Helderheid + + + + + Restart is needed + Herstart is nodig + + + + Quick Navigation Mode + Snelle navigatiemodus + + + + Display + Weergave + + + + Show time in current page information label + Toon de tijd in het informatielabel van de huidige pagina + + + + Scroll behaviour + Scrollgedrag + + + + Disable scroll animations and smooth scrolling + Schakel scrollanimaties en soepel scrollen uit + + + + Do not turn page using scroll + Sla de pagina niet om met scrollen + + + + Use single scroll step to turn page + Gebruik een enkele scrollstap om de pagina om te slaan + + + + Mouse mode + Muismodus + + + + Only Back/Forward buttons can turn pages + Alleen de knoppen Terug/Vooruit kunnen pagina's omslaan + + + + Use the Left/Right buttons to turn pages. + Gebruik de knoppen Links/Rechts om pagina's om te slaan. + + + + Click left or right half of the screen to turn pages. + Klik op de linker- of rechterhelft van het scherm om pagina's om te slaan. + + + + Disable mouse over activation + Schakel muis-over-activering uit + + + + Fit options + Pas opties + + + + Enlarge images to fit width/height + Vergroot afbeeldingen zodat ze in de breedte/hoogte passen + + + + Double Page options + Opties voor dubbele pagina's + + + + Show covers as single page + Toon omslagen als enkele pagina + + + + PropertiesDialog + + + General info + Algemene Info + + + + Plot + Verhaal + + + + Authors + Auteurs + + + + Publishing + Uitgever + + + + Notes + Opmerkingen + + + + Cover page + Omslag + + + + Load previous page as cover + Laad de vorige pagina als omslag + + + + Load next page as cover + Laad de volgende pagina als omslag + + + + Reset cover to the default image + Zet de omslag terug naar de standaardafbeelding + + + + Load custom cover image + Aangepaste omslagafbeelding laden + + + + Series: + Serie: + + + + Title: + Titel: + + + + + + of: + van: + + + + Issue number: + Ids: + + + + Volume: + Inhoud: + + + + Arc number: + Boognummer: + + + + Story arc: + Verhaallijn: + + + + alt. number: + alt. nummer: + + + + Alternate series: + Alternatieve serie: + + + + Series Group: + Seriegroep: + + + + Genre: + Genretype: + + + + Size: + Grootte(MB): + + + + Writer(s): + Schrijver(s): + + + + Penciller(s): + Tekenaar(s): + + + + Inker(s): + Inkt(en): + + + + Colorist(s): + Inkleurder(s): + + + + Letterer(s): + Letterzetter(s): + + + + Cover Artist(s): + Omslag ontwikkelaar(s): + + + + Editor(s): + Redacteur(en): + + + + Imprint: + Opdruk: + + + + Day: + Dag: + + + + Month: + Maand: + + + + Year: + Jaar: + + + + Publisher: + Uitgever: + + + + Format: + Formaat: + + + + Color/BW: + Kleur/ZW: + + + + Age rating: + Leeftijdsbeperking: + + + + Type: + Soort: + + + + Language (ISO): + Taal (ISO): + + + + Synopsis: + Samenvatting: + + + + Characters: + Personages: + + + + Teams: + Ploegen: + + + + Locations: + Locaties: + + + + Main character or team: + Hoofdpersoon of team: + + + + Review: + Beoordeling: + + + + Notes: + Opmerkingen: + + + + Tags: + Labels: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine-link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> bekijken </a> + + + + Not found + Niet gevonden + + + + Comic not found. You should update your library. + Strip niet gevonden. U moet uw bibliotheek.bijwerken. + + + + Edit comic information + Strip informatie bijwerken + + + + Edit selected comics information + Geselecteerde strip informatie bijwerken + + + + Invalid cover + Ongeldige dekking + + + + The image is invalid. + De afbeelding is ongeldig. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer is de headless (geen gui) versie van YACReaderLibrary. + +Deze applicatie ondersteunt permanente instellingen. Om ze in te stellen, bewerk dit bestand %1 +Voor meer informatie over de beschikbare instellingen kunt u de documentatie raadplegen op https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + 7z lib not found + 7z-lib niet gevonden + + + + unable to load 7z lib from ./utils + kan 7z lib niet laden vanuit ./utils + + + + Trace + Spoor + + + + Debug + Foutopsporing + + + + Info + Informatie + + + + Warning + Waarschuwing + + + + Error + Fout + + + + Fatal + Fataal + + + + Select custom cover + Selecteer een aangepaste omslag + + + + Images (%1) + Afbeeldingen (%1) + + + + The file could not be read or is not valid JSON. + Het bestand kan niet worden gelezen of is geen geldige JSON. + + + + This theme is for %1, not %2. + Dit thema is voor %1, niet voor %2. + + + + Libraries + Bibliotheken + + + + Folders + Mappen + + + + Reading Lists + Leeslijsten + + + + RenameLibraryDialog + + + New Library Name : + Nieuwe Bibliotheek Naam : + + + + Rename + Hernoem + + + + Cancel + Annuleren + + + + Rename current library + Huidige Bibliotheek hernoemen + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Aantal gevonden volumes: %1 + + + + + page %1 of %2 + pagina %1 van %2 + + + + Number of %1 found : %2 + Aantal %1 gevonden: %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Geef wat aanvullende informatie op voor deze strip. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Gebruik exacte matchzoekopdrachten. Schakel dit uit als u volumes wilt vinden die overeenkomen met enkele woorden in de naam. + + + + SearchVolume + + + Please provide some additional information. + Geef alstublieft wat aanvullende informatie op. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Gebruik exacte matchzoekopdrachten. Schakel dit uit als u volumes wilt vinden die overeenkomen met enkele woorden in de naam. + + + + SelectComic + + + Please, select the right comic info. + Selecteer de juiste stripinformatie. + + + + comics + strips + + + + loading cover + laaddeksel + + + + loading description + beschrijving laden + + + + comic description unavailable + komische beschrijving niet beschikbaar + + + + SelectVolume + + + Please, select the right series for your comic. + Selecteer de juiste serie voor jouw strip. + + + + Filter: + Selectiefilter: + + + + volumes + delen + + + + Nothing found, clear the filter if any. + Niets gevonden. Wis eventueel het filter. + + + + loading cover + laaddeksel + + + + loading description + beschrijving laden + + + + volume description unavailable + volumebeschrijving niet beschikbaar + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Je probeert informatie voor verschillende strips tegelijk te krijgen. Maken ze deel uit van dezelfde serie? + + + + yes + Ja + + + + no + neen + + + + ServerConfigDialog + + + set port + Poort instellen + + + + Server connectivity information + Informatie over serverconnectiviteit + + + + Scan it! + Scan het! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader is beschikbaar voor iOS- en Android-apparaten.<br/>Ontdek het voor <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> of <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Kies een IP-adres + + + + Port + Poort + + + + enable the server + De server instellen + + + + ShortcutsDialog + + Close + Sluiten + + + YACReader keyboard shortcuts + YACReader sneltoetsen + + + Keyboard Shortcuts + Sneltoetsen + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Sorteer de lijst met strips aan de linkerkant totdat deze overeenkomt met de informatie over de strips. + + + + sort comics to match comic information + sorteer strips zodat ze overeenkomen met stripinformatie + + + + issues + problemen + + + + remove selected comics + verwijder geselecteerde strips + + + + restore all removed comics + herstel alle verwijderde strips + + + + ThemeEditorDialog + + + Theme Editor + Thema-editor + + + + + + + + + + + - + - + + + + i + ? + + + + Expand all + Alles uitvouwen + + + + Collapse all + Alles samenvouwen + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Houd ingedrukt om de geselecteerde waarde in de gebruikersinterface te laten knipperen (magenta / geschakeld / 0↔10). Releases herstellen het origineel. - Always on top - Altijd op voorgrond + + Search… + Zoekopdracht… - - - OptionsDialog - - Gamma - Gamma + + Light + Licht - - Reset - Standaardwaarden terugzetten + + Dark + Donker - - My comics path - Pad naar mijn strips + + ID: + Identiteitskaart: - - Image adjustment - Beeldaanpassing + + Display name: + Weergavenaam: - - "Go to flow" size - "Naar Omslagbrowser" afmetingen + + Variant: + Variatie: - - Choose - Kies + + Theme info + Thema-informatie - - Image options - Afbeelding opties + + Parameter + Instelwaarde - - Contrast - Contrast + + Value + Waarde - - Options - Opties + + Save and apply + Opslaan en toepassen - - Comics directory - Strips map + + Export to file... + Exporteren naar bestand... - - Background color - Achtergrondkleur + + Load from file... + Laden uit bestand... - - Page Flow - Omslagbrowser + + Close + Sluiten - - General - Algemeen + + Double-click to edit color + Dubbelklik om de kleur te bewerken - - Brightness - Helderheid + + + + + + + true + WAAR - - Restart is needed - Herstart is nodig + + + + + false + vals - - Quick Navigation Mode - + + Double-click to toggle + Dubbelklik om te schakelen - - Display - + + Double-click to edit value + Dubbelklik om de waarde te bewerken - - Show time in current page information label - + + + + Edit: %1 + Bewerken: %1 - - Scroll behaviour - + + Save theme + Thema opslaan - - Disable scroll animations and smooth scrolling - + + + JSON files (*.json);;All files (*) + JSON-bestanden (*.json);;Alle bestanden (*) - - Do not turn page using scroll - + + Save failed + Opslaan mislukt - - Use single scroll step to turn page - + + Could not open file for writing: +%1 + Kan bestand niet openen om te schrijven: +%1 - - Mouse mode - + + Load theme + Thema laden - - Only Back/Forward buttons can turn pages - + + + + Load failed + Laden mislukt - - Use the Left/Right buttons to turn pages. - + + Could not open file: +%1 + Kan bestand niet openen: +%1 - - Click left or right half of the screen to turn pages. - + + Invalid JSON: +%1 + Ongeldige JSON: +%1 - - Disable mouse over activation - + + Expected a JSON object. + Er werd een JSON-object verwacht. + + + TitleHeader - - Fit options - + + SEARCH + ZOEKOPDRACHT + + + UpdateLibraryDialog - - Enlarge images to fit width/height - + + Updating.... + Bijwerken.... - - Double Page options - + + Cancel + Annuleren - - Show covers as single page - + + Update library + Bibliotheek bijwerken - QObject + Viewer - - 7z lib not found - + + + Press 'O' to open comic. + Druk 'O' om een strip te openen. - - unable to load 7z lib from ./utils - + + Cover! + Omslag! - - Trace - + + Comic not found + Strip niet gevonden - - Debug - + + Not found + Niet gevonden - - Info - + + Last page! + Laatste pagina! - - Warning - + + Loading...please wait! + Inladen...even wachten! - - Error - + + Error opening comic + Fout bij openen strip - - Fatal - + + CRC Error + CRC-fout - - Select custom cover - + + Page not available! + Pagina niet beschikbaar! + + + VolumeComicsModel - - Images (%1) - + + title + titel - QsLogging::LogWindowModel + VolumesModel - - Time - + + year + jaar - - Level - + + issues + problemen - - Message - + + publisher + uitgever - QsLogging::Window + YACReader3DFlowConfigWidget - - &Pause - + + Presets: + Voorinstellingen: - - &Resume - + + Classic look + Klassiek - - Save log - + + Stripe look + Brede band - - Log file (*.log) - + + Overlapped Stripe look + Overlappende band - - - ShortcutsDialog - Close - Sluiten + + Modern look + Modern - YACReader keyboard shortcuts - YACReader sneltoetsen + + Roulette look + Roulette - Keyboard Shortcuts - Sneltoetsen + + Show advanced settings + Toon geavanceerde instellingen - - - Viewer - - - Press 'O' to open comic. - Druk 'O' om een strip te openen. + + Custom: + Aangepast: - - Cover! - Omslag! + + View angle + Kijkhoek - - Comic not found - Strip niet gevonden + + Position + Positie - - Not found - Niet gevonden + + Cover gap + Ruimte tss Omslag - - Last page! - Laatste pagina! + + Central gap + Centrale ruimte - - Loading...please wait! - Inladen...even wachten! + + Zoom + Vergroting - - Error opening comic - + + Y offset + Y-positie - - CRC Error - + + Z offset + Z- positie - - Page not available! - + + Cover Angle + Omslag hoek + + + + Visibility + Zichtbaarheid + + + + Light + Licht + + + + Max angle + Maximale hoek + + + + Low Performance + Lage Prestaties + + + + High Performance + Hoge Prestaties + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) + + + + Performance: + Prestatie: YACReader::MainWindowViewer - + &Open - &Open + &Openen - + Open a comic - Open een strip + Open een strip - + New instance - + Nieuw exemplaar - + Open Folder - Map Openen + Map Openen - + Open image folder - Open afbeeldings map + Open afbeeldings map - + Open latest comic - + Open de nieuwste strip - + Open the latest comic opened in the previous reading session - + Open de nieuwste strip die in de vorige leessessie is geopend - + Clear - + Duidelijk - + Clear open recent list - + Wis geopende recente lijst - + Save - Bewaar + Bewaar - + Save current page - Bewaren huidige pagina + Bewaren huidige pagina Previous Comic - Vorige Strip + Vorige Strip - - - + + + Open previous comic - Open de vorige strip + Open de vorige strip - + Next Comic - Volgende Strip + Volgende Strip - - - + + + Open next comic - Open volgende strip + Open volgende strip - + &Previous - &Vorige + &Vorige - - - + + + Go to previous page - Ga naar de vorige pagina + Ga naar de vorige pagina - + &Next - &Volgende + &Volgende - - - + + + Go to next page - Ga naar de volgende pagina + Ga naar de volgende pagina - + Fit Height - + Geschikte hoogte - + Fit image to height - Afbeelding aanpassen aan hoogte + Afbeelding aanpassen aan hoogte - + Fit Width - Vensterbreedte aanpassen + Vensterbreedte aanpassen - + Fit image to width - Afbeelding aanpassen aan breedte + Afbeelding aanpassen aan breedte - + Show full size - Volledig Scherm + Volledig Scherm - + Fit to page - + Aanpassen aan pagina + + + + Continuous scroll + Continu scrollen + + + + Switch to continuous scroll mode + Schakel over naar de continue scrollmodus - + Reset zoom - + Zoom opnieuw instellen - + Show zoom slider - + Zoomschuifregelaar tonen - + Zoom+ - + Inzoomen - + Zoom- - + Uitzoomen - + Rotate image to the left - Links omdraaien + Links omdraaien - + Rotate image to the right - Rechts omdraaien + Rechts omdraaien - + Double page mode - Dubbele bladzijde modus + Dubbele bladzijde modus - + Switch to double page mode - Naar dubbele bladzijde modus + Naar dubbele bladzijde modus - + Double page manga mode - + Manga-modus met dubbele pagina - + Reverse reading order in double page mode - + Omgekeerde leesvolgorde in dubbele paginamodus - + Go To - Ga Naar + Ga Naar - + Go to page ... - Ga naar bladzijde ... + Ga naar bladzijde ... - + Options - Opties + Opties - + YACReader options - YACReader opties + YACReader opties - - + + Help - Help + Hulp - + Help, About YACReader - Help, Over YACReader + Help, Over YACReader - + Magnifying glass - Vergrootglas + Vergrootglas - + Switch Magnifying glass - Overschakelen naar Vergrootglas + Overschakelen naar Vergrootglas - + Set bookmark - Bladwijzer instellen + Bladwijzer instellen - + Set a bookmark on the current page - Een bladwijzer toevoegen aan de huidige pagina + Een bladwijzer toevoegen aan de huidige pagina - + Show bookmarks - Bladwijzers weergeven + Bladwijzers weergeven - + Show the bookmarks of the current comic - Toon de bladwijzers van de huidige strip + Toon de bladwijzers van de huidige strip - + Show keyboard shortcuts - Toon de sneltoetsen + Toon de sneltoetsen - + Show Info - Info tonen + Info tonen - + Close - Sluiten + Sluiten - + Show Dictionary - Woordenlijst weergeven + Woordenlijst weergeven - + Show go to flow - Toon ga naar de Omslagbrowser + Toon ga naar de Omslagbrowser - + Edit shortcuts - + Snelkoppelingen bewerken - + &File - &Bestand + &Bestand - - + + Open recent - + Recent geopend - + File - + Bestand - + Edit - + Bewerken - + View - + Weergave - + Go - + Gaan - + Window - + Raam - - - + + + Open Comic - Open een Strip + Open een Strip - - - + + + Comic files - Strip bestanden + Strip bestanden - + Open folder - Open een Map + Open een Map - + page_%1.jpg - pagina_%1.jpg + pagina_%1.jpg - + Image files (*.jpg) - Afbeelding bestanden (*.jpg) + Afbeelding bestanden (*.jpg) + Comics - + Strips Toggle fullscreen mode - + Schakel de modus Volledig scherm in Hide/show toolbar - + Werkbalk verbergen/tonen + General - Algemeen + Algemeen Size up magnifying glass - + Vergrootglas vergroten Size down magnifying glass - + Vergrootglas kleiner maken Zoom in magnifying glass - + Zoom in vergrootglas Zoom out magnifying glass - + Uitzoomen vergrootglas Reset magnifying glass - + Vergrootglas opnieuw instellen + Magnifiying glass - + Vergrootglas Toggle between fit to width and fit to height - + Schakel tussen Aanpassen aan breedte en Aanpassen aan hoogte + Page adjustement - + Pagina-aanpassing - + Autoscroll down - + Automatisch naar beneden scrollen - + Autoscroll up - + Automatisch omhoog scrollen - + Autoscroll forward, horizontal first - + Automatisch vooruit scrollen, eerst horizontaal - + Autoscroll backward, horizontal first - + Automatisch achteruit scrollen, eerst horizontaal - + Autoscroll forward, vertical first - + Automatisch vooruit scrollen, eerst verticaal - + Autoscroll backward, vertical first - + Automatisch achteruit scrollen, eerst verticaal - + Move down - + Ga naar beneden - + Move up - + Ga omhoog - + Move left - + Ga naar links - + Move right - + Ga naar rechts - + Go to the first page - + Ga naar de eerste pagina - + Go to the last page - + Ga naar de laatste pagina - + Offset double page to the left - + Dubbele pagina naar links verschoven - + Offset double page to the right - + Offset dubbele pagina naar rechts - + + Reading - + Lezing - + There is a new version available - Er is een nieuwe versie beschikbaar + Er is een nieuwe versie beschikbaar - + Do you want to download the new version? - Wilt u de nieuwe versie downloaden? + Wilt u de nieuwe versie downloaden? - + Remind me in 14 days - + Herinner mij er over 14 dagen aan - + Not now - + Niet nu + + + + YACReader::TrayIconController + + + &Restore + &Herstellen + + + + Systray + Systeemvak + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary blijft actief in het systeemvak. Om het programma te beëindigen, kiest u <b>Quit</b> in het contextmenu van het systeemvakpictogram. YACReader::WhatsNewDialog - Close - Sluiten + Sluiten @@ -1231,170 +3871,150 @@ YACReaderFlowConfigWidget - CoverFlow look - Omslagbrowser uiterlijk + Omslagbrowser uiterlijk - How to show covers: - Omslagbladen bekijken: + Omslagbladen bekijken: - Stripe look - Brede band + Brede band - Overlapped Stripe look - Overlappende band + Overlappende band YACReaderGLFlowConfigWidget - Zoom - Zoom + Vergroting - Light - Licht + Licht - Show advanced settings - Toon geavanceerde instellingen + Toon geavanceerde instellingen - Roulette look - Roulette + Roulette - Cover Angle - Omslag hoek + Omslag hoek - Stripe look - Brede band + Brede band - Position - Positie + Positie - Z offset - Z- positie + Z- positie - Y offset - Y-positie + Y-positie - Central gap - Centrale ruimte + Centrale ruimte - Presets: - Voorinstellingen: + Voorinstellingen: - Overlapped Stripe look - Overlappende band + Overlappende band - Modern look - Modern + Modern - View angle - Kijkhoek + Kijkhoek - Max angle - Maximale hoek + Maximale hoek - Custom: - Aangepast: + Aangepast: - Classic look - Klassiek + Klassiek - Cover gap - Ruimte tss Omslag + Ruimte tss Omslag - High Performance - Hoge Prestaties + Hoge Prestaties - Performance: - Prestatie: + Prestatie: - Use VSync (improve the image quality in fullscreen mode, worse performance) - Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) + Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) - Visibility - Zichtbaarheid + Zichtbaarheid - Low Performance - Lage Prestaties + Lage Prestaties YACReaderOptionsDialog - + Save Bewaar - Use hardware acceleration (restart needed) - Gebruik hardware versnelling (opnieuw opstarten vereist) + Gebruik hardware versnelling (opnieuw opstarten vereist) - + Cancel Annuleren - + Edit shortcuts - + Snelkoppelingen bewerken - + Shortcuts - + Snelkoppelingen + + + + YACReaderSearchLineEdit + + + type to search + typ om te zoeken @@ -1408,25 +4028,25 @@ YACReaderTranslator - + YACReader translator - + YACReader-vertaler - - + + Translation - + Vertaling - + clear - + duidelijk - + Service not available - + Dienst niet beschikbaar diff --git a/YACReader/yacreader_pt.ts b/YACReader/yacreader_pt.ts index fce9c111e..12d6d5106 100644 --- a/YACReader/yacreader_pt.ts +++ b/YACReader/yacreader_pt.ts @@ -6,7 +6,197 @@ None - + Nenhum + + + + AddLabelDialog + + + Label name: + Nome da etiqueta: + + + + Choose a color: + Escolha uma cor: + + + + accept + aceitar + + + + cancel + cancelar + + + + AddLibraryDialog + + + Comics folder : + Pasta dos quadrinhos : + + + + Library name : + Nome da Biblioteca : + + + + Add + Adicionar + + + + Cancel + Cancelar + + + + Add an existing library + Adicionar uma biblioteca existente + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Antes de se conectar ao Comic Vine, você precisa de sua própria chave de API. Por favor, ganhe um <a href="http://www.comicvine.com/api/">aqui</a> grátis + + + + Paste here your Comic Vine API key + Cole aqui sua chave API do Comic Vine + + + + Accept + Aceitar + + + + Cancel + Cancelar + + + + AppearanceTabWidget + + + Color scheme + Esquema de cores + + + + System + Sistema + + + + Light + Luz + + + + Dark + Escuro + + + + Custom + Personalizado + + + + Remove + Remover + + + + Remove this user-imported theme + Remova este tema importado pelo usuário + + + + Light: + Luz: + + + + Dark: + Escuro: + + + + Custom: + Personalizado: + + + + Import theme... + Importar tema... + + + + Theme + Tema + + + + Theme editor + Editor de tema + + + + Open Theme Editor... + Abra o Editor de Tema... + + + + Theme editor error + Erro no editor de tema + + + + The current theme JSON could not be loaded. + O tema atual JSON não pôde ser carregado. + + + + Import theme + Importar tema + + + + JSON files (*.json);;All files (*) + Arquivos JSON (*.json);;Todos os arquivos (*) + + + + Could not import theme from: +%1 + Não foi possível importar o tema de: +%1 + + + + Could not import theme from: +%1 + +%2 + Não foi possível importar o tema de: +%1 + +%2 + + + + Import failed + Falha na importação @@ -34,1124 +224,3574 @@ - EditShortcutsDialog + ClassicComicsView - - Restore defaults - + + Hide comic flow + Ocultar fluxo de quadrinhos + + + ComicModel - - To change a shortcut, double click in the key combination and type the new keys. - + + yes + sim - - Shortcuts settings - + + no + não - - Shortcut in use - + + Title + Título - - The shortcut "%1" is already assigned to other function - + + File Name + Nome do arquivo - - - FileComic - - 7z not found - 7z não encontrado + + Pages + Páginas - - CRC error on page (%1): some of the pages will not be displayed correctly - + + Size + Tamanho - - Unknown error opening the file - + + Read + Ler - - Format not supported - + + Current Page + Página atual - - - GoToDialog - - Go To - Ir Para + + Publication Date + Data de publicação - - Go to... - Ir para... + + Rating + Avaliação - - - Total pages : - Total de páginas : + + Series + Série - - Cancel - Cancelar + + Volume + Tomo - - Page : - Página : + + Story Arc + Arco de história - GoToFlowToolBar + ComicVineDialog - - Page : - Página : + + skip + pular - - - HelpAboutDialog - - Help - Ajuda + + back + voltar - - System info - + + next + próximo - - About - + + search + procurar - - - LogWindow - - Log window - + + close + fechar - - &Pause - + + + comic %1 of %2 - %3 + história em quadrinhos %1 de %2 - %3 - - &Save - + + + + Looking for volume... + Procurando volume... - - C&lear - + + %1 comics selected + %1 quadrinhos selecionados - - &Copy - + + Error connecting to ComicVine + Erro ao conectar-se ao ComicVine - - Level: - + + + Retrieving tags for : %1 + Recuperando tags para: %1 - - &Auto scroll - + + Retrieving volume info... + Recuperando informações de volume... + + + + Looking for comic... + Procurando quadrinhos... - MainWindowViewer + ContinuousPageWidget - Help - Ajuda + + Loading page %1 + Carregando página %1 + + + CreateLibraryDialog - Save - Salvar + + Comics folder : + Pasta dos quadrinhos : - &File - &Arquivo + + Library Name : + Nome da Biblioteca : - &Next - &Próxima + + Create + Criar - &Open - &Abrir + + Cancel + Cancelar - Close - Fechar + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Criar uma biblioteca pode levar vários minutos. Você pode interromper o processo e atualizar a biblioteca posteriormente para concluir a tarefa. - Open Comic - Abrir Quadrinho + + Create new library + Criar uma nova biblioteca - Go To - Ir Para + + Path not found + Caminho não encontrado - Set bookmark - Definir marcador + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + O caminho selecionado não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta + + + EditShortcutsDialog - Switch to double page mode - Alternar para o modo dupla página + + Restore defaults + Restaurar padrões - Save current page - Salvar página atual + + To change a shortcut, double click in the key combination and type the new keys. + Para alterar um atalho, clique duas vezes na combinação de teclas e digite as novas teclas. - Double page mode - Modo dupla página + + Shortcuts settings + Configurações de atalhos - Switch Magnifying glass - Alternar Lupa + + Shortcut in use + Atalho em uso - Open Folder - Abrir Pasta + + The shortcut "%1" is already assigned to other function + O atalho "%1" já está atribuído a outra função + + + EmptyFolderWidget - Go to previous page - Ir para a página anterior + + This folder doesn't contain comics yet + Esta pasta ainda não contém quadrinhos + + + EmptyLabelWidget - Open a comic - Abrir um quadrinho + + This label doesn't contain comics yet + Este rótulo ainda não contém quadrinhos + + + EmptyReadingListWidget - Image files (*.jpg) - Arquivos de imagem (*.jpg) + + This reading list does not contain any comics yet + Esta lista de leitura ainda não contém quadrinhos + + + EmptySpecialListWidget - Next Comic - Próximo Quadrinho + + No favorites + Sem favoritos - Fit Width - Ajustar à Largura + + You are not reading anything yet, come on!! + Você ainda não está lendo nada, vamos lá!! - Options - Opções + + There are no recent comics! + Não há quadrinhos recentes! + + + ExportComicsInfoDialog - Show Info - Mostrar Informações + + Output file : + Arquivo de saída: - Open folder - Abrir pasta + + Create + Criar - Go to page ... - Ir para a página... + + Cancel + Cancelar - &Previous - A&nterior + + Export comics info + Exportar informações de quadrinhos - Go to next page - Ir para a próxima página + + Destination database name + Nome do banco de dados de destino - Show keyboard shortcuts - Mostrar teclas de atalhos + + Problem found while writing + Problema encontrado ao escrever - There is a new version available - Há uma nova versão disponível + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + O caminho selecionado para o arquivo de saída não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta + + + ExportLibraryDialog - Open next comic - Abrir próximo quadrinho + + Output folder : + Pasta de saída : - Show bookmarks - Mostrar marcadores + + Create + Criar - Open previous comic - Abrir quadrinho anterior + + Cancel + Cancelar - Rotate image to the left - Girar imagem à esquerda + + Create covers package + Criar pacote de capas - Show the bookmarks of the current comic - Mostrar os marcadores do quadrinho atual + + Problem found while writing + Problema encontrado ao escrever - YACReader options - Opções do YACReader + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + O caminho selecionado para o arquivo de saída não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta - Help, About YACReader - Ajuda, Sobre o YACReader + + Destination directory + Diretório de destino + + + FileComic - Previous Comic - Quadrinho Anterior + + 7z not found + 7z não encontrado - Magnifying glass - Lupa + + CRC error on page (%1): some of the pages will not be displayed correctly + Erro CRC na página (%1): algumas páginas não serão exibidas corretamente - Set a bookmark on the current page - Definir um marcador na página atual + + Unknown error opening the file + Erro desconhecido ao abrir o arquivo - Do you want to download the new version? - Você deseja baixar a nova versão? + + Format not supported + Formato não suportado + + + + GoToDialog + + + Go To + Ir Para + + + + Go to... + Ir para... + + + + + Total pages : + Total de páginas : + + + + Cancel + Cancelar + + + + Page : + Página : + + + + GoToFlowToolBar + + + Page : + Página : + + + + GridComicsView + + + Show info + Mostrar informações + + + + HelpAboutDialog + + + Help + Ajuda + + + + System info + Informações do sistema + + + + About + Sobre + + + + ImportComicsInfoDialog + + + Import comics info + Importar informações de quadrinhos + + + + Info database location : + Localização do banco de dados de informações: + + + + Import + Importar + + + + Cancel + Cancelar + + + + Comics info file (*.ydb) + Arquivo de informações de quadrinhos (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Nome da Biblioteca : + + + + Package location : + Local do pacote : + + + + Destination folder : + Pasta de destino : + + + + Unpack + Desempacotar + + + + Cancel + Cancelar + + + + Extract a catalog + Extrair um catálogo + + + + Compresed library covers (*.clc) + Capas da biblioteca compactada (*.clc) + + + + ImportWidget + + + stop + parar + + + + Some of the comics being added... + Alguns dos quadrinhos sendo adicionados... + + + + Importing comics + Importando quadrinhos + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary está criando uma nova biblioteca.</p><p>A criação de uma biblioteca pode levar vários minutos. Você pode interromper o processo e atualizar a biblioteca posteriormente para concluir a tarefa.</p> + + + + Updating the library + Atualizando a biblioteca + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>A biblioteca atual está sendo atualizada. Para atualizações mais rápidas, atualize suas bibliotecas com frequência.</p><p>Você pode interromper o processo e continuar atualizando esta biblioteca mais tarde.</p> + + + + Upgrading the library + Atualizando a biblioteca + + + + <p>The current library is being upgraded, please wait.</p> + <p>A biblioteca atual está sendo atualizada. Aguarde.</p> + + + + Scanning the library + Digitalizando a biblioteca + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>A biblioteca atual está sendo verificada em busca de informações de metadados XML legados.</p><p>Isso só será necessário uma vez e somente se a biblioteca tiver sido criada com YACReaderLibrary 9.8.2 ou anterior.</p> + + + + LibraryWindow + + + YACReader Library + Biblioteca YACReader + + + + + + comic + cômico + + + + + + manga + mangá + + + + + + western manga (left to right) + mangá ocidental (da esquerda para a direita) + + + + + + web comic + quadrinhos da web + + + + + + 4koma (top to botom) + 4koma (de cima para baixo) + + + + + + + Set type + Definir tipo + + + + Library + Biblioteca + + + + Folder + Pasta + + + + Comic + Quadrinhos + + + + Upgrade failed + Falha na atualização + + + + There were errors during library upgrade in: + Ocorreram erros durante a atualização da biblioteca em: + + + + Update needed + Atualização necessária + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Esta biblioteca foi criada com uma versão anterior do YACReaderLibrary. Ele precisa ser atualizado. Atualizar agora? + + + + Download new version + Baixe a nova versão + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Esta biblioteca foi criada com uma versão mais recente do YACReaderLibrary. Baixe a nova versão agora? + + + + Library not available + Biblioteca não disponível + + + + Library '%1' is no longer available. Do you want to remove it? + A biblioteca '%1' não está mais disponível. Você quer removê-lo? + + + + Old library + Biblioteca antiga + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + A biblioteca '%1' foi criada com uma versão mais antiga do YACReaderLibrary. Deve ser criado novamente. Deseja criar a biblioteca agora? + + + + + Copying comics... + Copiando quadrinhos... + + + + + Moving comics... + Quadrinhos em movimento... + + + + Add new folder + Adicionar nova pasta + + + + Folder name: + Nome da pasta: + + + + No folder selected + Nenhuma pasta selecionada + + + + Please, select a folder first + Por favor, selecione uma pasta primeiro + + + + Error in path + Erro no caminho + + + + There was an error accessing the folder's path + Ocorreu um erro ao acessar o caminho da pasta + + + + Delete folder + Excluir pasta + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + A pasta selecionada e todo o seu conteúdo serão excluídos do disco. Tem certeza? + + + + + Unable to delete + Não foi possível excluir + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Ocorreu um problema ao tentar excluir as pastas selecionadas. Por favor, verifique as permissões de gravação e certifique-se de que algum aplicativo esteja usando essas pastas ou qualquer um dos arquivos contidos. + + + + Add new reading lists + Adicione novas listas de leitura + + + + + List name: + Nome da lista: + + + + Delete list/label + Excluir lista/rótulo + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + O item selecionado será excluído, seus quadrinhos ou pastas NÃO serão excluídos do disco. Tem certeza? + + + + Rename list name + Renomear nome da lista + + + + Open folder... + Abrir pasta... + + + + Update folder + Atualizar pasta + + + + Rescan library for XML info + Digitalizar novamente a biblioteca em busca de informações XML + + + + Set as uncompleted + Definir como incompleto + + + + Set as completed + Definir como concluído + + + + Set as read + Definir como lido + + + + + Set as unread + Definir como não lido + + + + Set custom cover + Definir capa personalizada + + + + Delete custom cover + Excluir capa personalizada + + + + Save covers + Salvar capas + + + + You are adding too many libraries. + Você está adicionando muitas bibliotecas. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Você está adicionando muitas bibliotecas. + +Você provavelmente só precisa de uma biblioteca em sua pasta de quadrinhos de nível superior. Você pode navegar em qualquer subpasta usando a seção de pastas na barra lateral esquerda. + +YACReaderLibrary não impedirá você de criar mais bibliotecas, mas você deve manter o número de bibliotecas baixo. + + + + + YACReader not found + YACReader não encontrado + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader não encontrado. YACReader deve ser instalado na mesma pasta que YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader não encontrado. Pode haver um problema com a instalação do YACReader. + + + + Error + Erro + + + + Error opening comic with third party reader. + Erro ao abrir o quadrinho com leitor de terceiros. + + + + Library not found + Biblioteca não encontrada + + + + The selected folder doesn't contain any library. + A pasta selecionada não contém nenhuma biblioteca. + + + + Are you sure? + Você tem certeza? + + + + Do you want remove + Você deseja remover + + + + library? + biblioteca? + + + + Remove and delete metadata + Remover e excluir metadados + + + + Library info + Informações da biblioteca + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Ocorreu um problema ao tentar excluir os quadrinhos selecionados. Por favor, verifique as permissões de gravação nos arquivos selecionados ou na pasta que os contém. + + + + Assign comics numbers + Atribuir números de quadrinhos + + + + Assign numbers starting in: + Atribua números começando em: + + + + Invalid image + Imagem inválida + + + + The selected file is not a valid image. + O arquivo selecionado não é uma imagem válida. + + + + Error saving cover + Erro ao salvar a capa + + + + There was an error saving the cover image. + Ocorreu um erro ao salvar a imagem da capa. + + + + Error creating the library + Erro ao criar a biblioteca + + + + Error updating the library + Erro ao atualizar a biblioteca + + + + Error opening the library + Erro ao abrir a biblioteca + + + + Delete comics + Excluir quadrinhos + + + + All the selected comics will be deleted from your disk. Are you sure? + Todos os quadrinhos selecionados serão excluídos do seu disco. Tem certeza? + + + + Remove comics + Remover quadrinhos + + + + Comics will only be deleted from the current label/list. Are you sure? + Os quadrinhos serão excluídos apenas do rótulo/lista atual. Tem certeza? + + + + Library name already exists + O nome da biblioteca já existe + + + + There is another library with the name '%1'. + Existe outra biblioteca com o nome '%1'. + + + + LibraryWindowActions + + + Create a new library + Criar uma nova biblioteca + + + + Open an existing library + Abrir uma biblioteca existente + + + + + Export comics info + Exportar informações de quadrinhos + + + + + Import comics info + Importar informações de quadrinhos + + + + Pack covers + Capas de pacote + + + + Pack the covers of the selected library + Pacote de capas da biblioteca selecionada + + + + Unpack covers + Desembale as capas + + + + Unpack a catalog + Desempacotar um catálogo + + + + Update library + Atualizar biblioteca + + + + Update current library + Atualizar biblioteca atual + + + + Rename library + Renomear biblioteca + + + + Rename current library + Renomear biblioteca atual + + + + Remove library + Remover biblioteca + + + + Remove current library from your collection + Remover biblioteca atual da sua coleção + + + + Rescan library for XML info + Digitalizar novamente a biblioteca em busca de informações XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Tenta encontrar informações XML incorporadas em arquivos de quadrinhos. Você só precisa fazer isso se a biblioteca foi criada com versões 9.8.2 ou anteriores ou se você estiver usando software de terceiros para incorporar informações XML nos arquivos. + + + + Show library info + Mostrar informações da biblioteca + + + + Show information about the current library + Mostrar informações sobre a biblioteca atual + + + + Open current comic + Abrir quadrinho atual + + + + Open current comic on YACReader + Abrir quadrinho atual no YACReader + + + + Save selected covers to... + Salvar capas selecionadas em... + + + + Save covers of the selected comics as JPG files + Salve as capas dos quadrinhos selecionados como arquivos JPG + + + + + Set as read + Definir como lido + + + + Set comic as read + Definir quadrinhos como lidos + + + + + Set as unread + Definir como não lido + + + + Set comic as unread + Definir quadrinhos como não lidos + + + + + manga + mangá + + + + Set issue as manga + Definir problema como mangá + + + + + comic + cômico + + + + Set issue as normal + Defina o problema como normal + + + + western manga + mangá ocidental + + + + Set issue as western manga + Definir problema como mangá ocidental + + + + + web comic + quadrinhos da web + + + + Set issue as web comic + Definir o problema como web comic + + + + + yonkoma + tira yonkoma + + + + Set issue as yonkoma + Definir problema como yonkoma + + + + Show/Hide marks + Mostrar/ocultar marcas + + + + Show or hide read marks + Mostrar ou ocultar marcas de leitura + + + + Show/Hide recent indicator + Mostrar/ocultar indicador recente + + + + Show or hide recent indicator + Mostrar ou ocultar indicador recente + + + + + Fullscreen mode on/off + Modo tela cheia ativado/desativado + + + + Help, About YACReader + Ajuda, Sobre o YACReader + + + + Add new folder + Adicionar nova pasta + + + + Add new folder to the current library + Adicionar nova pasta à biblioteca atual + + + + Delete folder + Excluir pasta + + + + Delete current folder from disk + Exclua a pasta atual do disco + + + + Select root node + Selecionar raiz + + + + Expand all nodes + Expandir todos + + + + Collapse all nodes + Recolher todos os nós + + + + Show options dialog + Mostrar opções + + + + Show comics server options dialog + Mostrar caixa de diálogo de opções do servidor de quadrinhos + + + + + Change between comics views + Alterar entre visualizações de quadrinhos + + + + Open folder... + Abrir pasta... + + + + Set as uncompleted + Definir como incompleto + + + + Set as completed + Definir como concluído + + + + Set custom cover + Definir capa personalizada + + + + Delete custom cover + Excluir capa personalizada + + + + western manga (left to right) + mangá ocidental (da esquerda para a direita) + + + + Open containing folder... + Abrir a pasta contendo... + + + + Reset comic rating + Redefinir classificação de quadrinhos + + + + Select all comics + Selecione todos os quadrinhos + + + + Edit + Editar + + + + Assign current order to comics + Atribuir ordem atual aos quadrinhos + + + + Update cover + Atualizar capa + + + + Delete selected comics + Excluir quadrinhos selecionados + + + + Delete metadata from selected comics + Excluir metadados dos quadrinhos selecionados + + + + Download tags from Comic Vine + Baixe tags do Comic Vine + + + + Focus search line + Linha de pesquisa de foco + + + + Focus comics view + Visualização de quadrinhos em foco + + + + Edit shortcuts + Editar atalhos + + + + &Quit + &Qfato + + + + Update folder + Atualizar pasta + + + + Update current folder + Atualizar pasta atual + + + + Scan legacy XML metadata + Digitalize metadados XML legados + + + + Add new reading list + Adicionar nova lista de leitura + + + + Add a new reading list to the current library + Adicione uma nova lista de leitura à biblioteca atual + + + + Remove reading list + Remover lista de leitura + + + + Remove current reading list from the library + Remover lista de leitura atual da biblioteca + + + + Add new label + Adicionar novo rótulo + + + + Add a new label to this library + Adicione um novo rótulo a esta biblioteca + + + + Rename selected list + Renomear lista selecionada + + + + Rename any selected labels or lists + Renomeie quaisquer rótulos ou listas selecionados + + + + Add to... + Adicionar à... + + + + Favorites + Favoritos + + + + Add selected comics to favorites list + Adicione quadrinhos selecionados à lista de favoritos + + + + LocalComicListModel + + + file name + nome do arquivo + + + + MainWindowViewer + + Help + Ajuda + + + Save + Salvar + + + &File + &Arquivo + + + &Next + &Próxima + + + &Open + &Abrir + + + Close + Fechar + + + Open Comic + Abrir Quadrinho + + + Go To + Ir Para + + + Set bookmark + Definir marcador + + + Switch to double page mode + Alternar para o modo dupla página + + + Save current page + Salvar página atual + + + Double page mode + Modo dupla página + + + Switch Magnifying glass + Alternar Lupa + + + Open Folder + Abrir Pasta + + + Go to previous page + Ir para a página anterior + + + Open a comic + Abrir um quadrinho + + + Image files (*.jpg) + Arquivos de imagem (*.jpg) + + + Next Comic + Próximo Quadrinho + + + Fit Width + Ajustar à Largura + + + Options + Opções + + + Show Info + Mostrar Informações + + + Open folder + Abrir pasta + + + Go to page ... + Ir para a página... + + + &Previous + A&nterior + + + Go to next page + Ir para a próxima página + + + Show keyboard shortcuts + Mostrar teclas de atalhos + + + There is a new version available + Há uma nova versão disponível + + + Open next comic + Abrir próximo quadrinho + + + Show bookmarks + Mostrar marcadores + + + Open previous comic + Abrir quadrinho anterior + + + Rotate image to the left + Girar imagem à esquerda + + + Show the bookmarks of the current comic + Mostrar os marcadores do quadrinho atual + + + YACReader options + Opções do YACReader + + + Help, About YACReader + Ajuda, Sobre o YACReader + + + Previous Comic + Quadrinho Anterior + + + Magnifying glass + Lupa + + + Set a bookmark on the current page + Definir um marcador na página atual + + + Do you want to download the new version? + Você deseja baixar a nova versão? + + + Rotate image to the right + Girar imagem à direita + + + + NoLibrariesWidget + + + You don't have any libraries yet + Você ainda não tem nenhuma biblioteca + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Você pode criar uma biblioteca em qualquer pasta, YACReaderLibrary importará todos os quadrinhos e pastas desta pasta. Se você já criou alguma biblioteca, poderá abri-la.</p><p>Não se esqueça de que você pode usar o YACReader como um aplicativo independente para ler quadrinhos em seu computador.</p> + + + + create your first library + crie sua primeira biblioteca + + + + add an existing one + adicione um existente + + + + NoSearchResultsWidget + + + No results + Nenhum resultado + + + + OptionsDialog + + + My comics path + Meu caminho de quadrinhos + + + + "Go to flow" size + Tamanho do "Ir para cheia" + + + + + Libraries + Bibliotecas + + + + Comic Flow + Fluxo de quadrinhos + + + + Grid view + Visualização em grade + + + + + Appearance + Aparência + + + + + Options + Opções + + + + + Language + Idioma + + + + + Application language + Idioma do aplicativo + + + + + System default + Padrão do sistema + + + + Tray icon settings (experimental) + Configurações do ícone da bandeja (experimental) + + + + Close to tray + Perto da bandeja + + + + Start into the system tray + Comece na bandeja do sistema + + + + Edit Comic Vine API key + Editar chave da API Comic Vine + + + + Comic Vine API key + Chave de API do Comic Vine + + + + ComicInfo.xml legacy support + Suporte legado ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importe metadados de ComicInfo.xml ao adicionar novos quadrinhos + + + + Consider 'recent' items added or updated since X days ago + Considere itens 'recentes' adicionados ou atualizados há X dias + + + + Third party reader + Leitor de terceiros + + + + Write {comic_file_path} where the path should go in the command + Escreva {comic_file_path} onde o caminho deve ir no comando + + + + + Clear + Claro + + + + Update libraries at startup + Atualizar bibliotecas na inicialização + + + + Try to detect changes automatically + Tente detectar alterações automaticamente + + + + Update libraries periodically + Atualize bibliotecas periodicamente + + + + Interval: + Intervalo: + + + + 30 minutes + 30 minutos + + + + 1 hour + 1 hora + + + + 2 hours + 2 horas + + + + 4 hours + 4 horas + + + + 8 hours + 8 horas + + + + 12 hours + 12 horas + + + + daily + diário + + + + Update libraries at certain time + Atualizar bibliotecas em determinado momento + + + + Time: + Tempo: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + AVISO! Durante as atualizações da biblioteca, as gravações no banco de dados são desativadas! +Não agende atualizações enquanto estiver usando o aplicativo ativamente. +Durante as atualizações automáticas, o aplicativo bloqueará algumas ações até que a atualização seja concluída. +Para interromper uma atualização automática, toque no indicador de carregamento próximo ao título Bibliotecas. + + + + Modifications detection + Detecção de modificações + + + + Compare the modified date of files when updating a library (not recommended) + Compare a data de modificação dos arquivos ao atualizar uma biblioteca (não recomendado) + + + + Enable background image + Ativar imagem de fundo + + + + Opacity level + Nível de opacidade + + + + Blur level + Nível de desfoque + + + + Use selected comic cover as background + Use a capa de quadrinhos selecionada como plano de fundo + + + + Restore defautls + Restaurar padrões + + + + Background + Fundo + + + + Display continue reading banner + Exibir banner para continuar lendo + + + + Display current comic banner + Exibir banner de quadrinhos atual + + + + Continue reading + Continuar lendo + + + + Comics directory + Diretório de quadrinhos + + + + + Restart is needed + Reiniciar é necessário + + + + Display + Mostrar + + + + Show time in current page information label + Mostrar hora no rótulo de informações da página atual + + + + Background color + Cor de fundo + + + + Choose + Escolher + + + + Scroll behaviour + Comportamento de rolagem + + + + Disable scroll animations and smooth scrolling + Desative animações de rolagem e rolagem suave + + + + Do not turn page using scroll + Não vire a página usando scroll + + + + Use single scroll step to turn page + Use uma única etapa de rolagem para virar a página + + + + Mouse mode + Modo mouse + + + + Only Back/Forward buttons can turn pages + Apenas os botões Voltar/Avançar podem virar páginas + + + + Use the Left/Right buttons to turn pages. + Use os botões Esquerda/Direita para virar as páginas. + + + + Click left or right half of the screen to turn pages. + Clique na metade esquerda ou direita da tela para virar as páginas. + + + + Quick Navigation Mode + Modo de navegação rápida + + + + Disable mouse over activation + Desativar ativação do mouse sobre + + + + Brightness + Brilho + + + + Contrast + Contraste + + + + Gamma + Gama + + + + Reset + Reiniciar + + + + Image options + Opções de imagem + + + + Fit options + Opções de ajuste + + + + Enlarge images to fit width/height + Amplie as imagens para caber na largura/altura + + + + Double Page options + Opções de página dupla + + + + Show covers as single page + Mostrar capas como página única + + + + Scaling + Dimensionamento + + + + Scaling method + Método de dimensionamento + + + + Nearest (fast, low quality) + Mais próximo (rápido, baixa qualidade) + + + + Bilinear + Interpola??o bilinear + + + + Lanczos (better quality) + Lanczos (melhor qualidade) + + + + + General + Em geral + + + + Page Flow + Fluxo de página + + + + Image adjustment + Ajuste de imagem + + + + PropertiesDialog + + + General info + Informações gerais + + + + Plot + Trama + + + + Authors + Autores + + + + Publishing + Publicação + + + + Notes + Notas + + + + Cover page + Página de rosto + + + + Load previous page as cover + Carregar página anterior como capa + + + + Load next page as cover + Carregar a próxima página como capa + + + + Reset cover to the default image + Redefinir a capa para a imagem padrão + + + + Load custom cover image + Carregar imagem de capa personalizada + + + + Series: + Série: + + + + Title: + Título: + + + + + + of: + de: + + + + Issue number: + Número de emissão: + + + + Volume: + Tomo: + + + + Arc number: + Número do arco: + + + + Story arc: + Arco da história: + + + + alt. number: + alt. número: - Rotate image to the right - Girar imagem à direita + + Alternate series: + Série alternativa: + + + + Series Group: + Grupo de séries: + + + + Genre: + Gênero: + + + + Size: + Tamanho: + + + + Writer(s): + Escritor(es): + + + + Penciller(s): + Desenhador(es): + + + + Inker(s): + Tinteiro(s): + + + + Colorist(s): + Colorista(s): + + + + Letterer(s): + Letrista(s): + + + + Cover Artist(s): + Artista(s) da capa: + + + + Editor(s): + Editor(es): + + + + Imprint: + Imprimir: + + + + Day: + Dia: + + + + Month: + Mês: + + + + Year: + Ano: + + + + Publisher: + Editor: + + + + Format: + Formatar: + + + + Color/BW: + Cor/PB: + + + + Age rating: + Classificação etária: + + + + Type: + Tipo: + + + + Language (ISO): + Idioma (ISO): + + + + Synopsis: + Sinopse: + + + + Characters: + Personagens: + + + + Teams: + Equipes: + + + + Locations: + Locais: + + + + Main character or team: + Personagem principal ou equipe: + + + + Review: + Análise: + + + + Notes: + Notas: + + + + Tags: + Etiquetas: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Link do Comic Vine: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> visualizar </a> + + + + Not found + Não encontrado + + + + Comic not found. You should update your library. + Quadrinho não encontrado. Você deve atualizar sua biblioteca. + + + + Edit comic information + Editar informações dos quadrinhos + + + + Edit selected comics information + Edite as informações dos quadrinhos selecionados + + + + Invalid cover + Capa inválida + + + + The image is invalid. + A imagem é inválida. - OptionsDialog + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer é a versão sem cabeça (sem interface gráfica) do YACReaderLibrary. + +Este aplicativo suporta configurações persistentes, para configurá-las edite este arquivo %1 +Para saber mais sobre as configurações disponíveis, verifique a documentação em https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject - - My comics path - Meu caminho de quadrinhos + + 7z lib not found + Biblioteca 7z não encontrada + + + + unable to load 7z lib from ./utils + não é possível carregar 7z lib de ./utils + + + + Trace + Rastreamento + + + + Debug + Depurar + + + + Info + Informações + + + + Warning + Aviso + + + + Error + Erro + + + + Fatal + Cr?tico + + + + Select custom cover + Selecione a capa personalizada + + + + Images (%1) + Imagens (%1) + + + + The file could not be read or is not valid JSON. + O arquivo não pôde ser lido ou não é JSON válido. + + + + This theme is for %1, not %2. + Este tema é para %1, não %2. + + + + Libraries + Bibliotecas + + + + Folders + Pastas + + + + Reading Lists + Listas de leitura + + + + RenameLibraryDialog + + + New Library Name : + Novo nome da biblioteca : + + + + Rename + Renomear + + + + Cancel + Cancelar + + + + Rename current library + Renomear biblioteca atual + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Número de volumes encontrados: %1 + + + + + page %1 of %2 + página %1 de %2 + + + + Number of %1 found : %2 + Número de %1 encontrado: %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Forneça algumas informações adicionais para esta história em quadrinhos. + + + + Series: + Série: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Use a pesquisa de correspondência exata. Desative se quiser encontrar volumes que correspondam a algumas das palavras do nome. + + + + SearchVolume + + + Please provide some additional information. + Forneça algumas informações adicionais. + + + + Series: + Série: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Use a pesquisa de correspondência exata. Desative se quiser encontrar volumes que correspondam a algumas das palavras do nome. + + + + SelectComic + + + Please, select the right comic info. + Por favor, selecione as informações corretas dos quadrinhos. + + + + comics + quadrinhos + + + + loading cover + tampa de carregamento + + + + loading description + descrição de carregamento + + + + comic description unavailable + descrição do quadrinho indisponível + + + + SelectVolume + + + Please, select the right series for your comic. + Por favor, selecione a série certa para o seu quadrinho. + + + + Filter: + Filtro: + + + + volumes + tomos + + + + Nothing found, clear the filter if any. + Nada encontrado, limpe o filtro, se houver. + + + + loading cover + tampa de carregamento + + + + loading description + descrição de carregamento + + + + volume description unavailable + descrição do volume indisponível + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Você está tentando obter informações sobre vários quadrinhos ao mesmo tempo. Eles fazem parte da mesma série? + + + + yes + sim + + + + no + não + + + + ServerConfigDialog + + + set port + definir porta + + + + Server connectivity information + Informações de conectividade do servidor + + + + Scan it! + Digitalize! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + O YACReader está disponível para dispositivos iOS e Android.<br/>Descubra-o para <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> ou <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Escolha um endereço IP + + + + Port + Porta + + + + enable the server + habilitar o servidor + + + + ShortcutsDialog + + Close + Fechar + + + YACReader keyboard shortcuts + Teclas de atalhos do YACReader + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Por favor, classifique a lista de quadrinhos à esquerda até que corresponda às informações dos quadrinhos. + + + + sort comics to match comic information + classifique os quadrinhos para corresponder às informações dos quadrinhos + + + + issues + problemas + + + + remove selected comics + remover quadrinhos selecionados + + + + restore all removed comics + restaurar todos os quadrinhos removidos + + + + ThemeEditorDialog + + + Theme Editor + Editor de Tema + + + + + + + + + + + - + - + + + + i + eu + + + + Expand all + Expandir tudo + + + + Collapse all + Recolher tudo + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Segure para piscar o valor selecionado na UI (magenta/alternado/0↔10). Os lançamentos restauram o original. + + + + Search… + Procurar… + + + + Light + Luz - - "Go to flow" size - Tamanho do "Ir para cheia" + + Dark + Escuro - - Options - Opções + + ID: + EU IA: - - Comics directory - Diretório de quadrinhos + + Display name: + Nome de exibição: - - Restart is needed - Reiniciar é necessário + + Variant: + Variante: - - Display - + + Theme info + Informações do tema - - Show time in current page information label - + + Parameter + Parâmetro - - Background color - + + Value + Valor - - Choose - + + Save and apply + Salvar e aplicar - - Scroll behaviour - + + Export to file... + Exportar para arquivo... - - Disable scroll animations and smooth scrolling - + + Load from file... + Carregar do arquivo... - - Do not turn page using scroll - + + Close + Fechar - - Use single scroll step to turn page - + + Double-click to edit color + Clique duas vezes para editar a cor - - Mouse mode - + + + + + + + true + verdadeiro - - Only Back/Forward buttons can turn pages - + + + + + false + falso - - Use the Left/Right buttons to turn pages. - + + Double-click to toggle + Clique duas vezes para alternar - - Click left or right half of the screen to turn pages. - + + Double-click to edit value + Clique duas vezes para editar o valor - - Quick Navigation Mode - + + + + Edit: %1 + Editar: %1 - - Disable mouse over activation - + + Save theme + Salvar tema - - Brightness - + + + JSON files (*.json);;All files (*) + Arquivos JSON (*.json);;Todos os arquivos (*) - - Contrast - + + Save failed + Falha ao salvar - - Gamma - + + Could not open file for writing: +%1 + Não foi possível abrir o arquivo para gravação: +%1 - - Reset - + + Load theme + Carregar tema - - Image options - + + + + Load failed + Falha no carregamento - - Fit options - + + Could not open file: +%1 + Não foi possível abrir o arquivo: +%1 - - Enlarge images to fit width/height - + + Invalid JSON: +%1 + JSON inválido: +%1 - - Double Page options - + + Expected a JSON object. + Esperava um objeto JSON. + + + TitleHeader - - Show covers as single page - + + SEARCH + PROCURAR + + + UpdateLibraryDialog - - General - + + Updating.... + Atualizando.... - - Page Flow - + + Cancel + Cancelar - - Image adjustment - + + Update library + Atualizar biblioteca - QObject + Viewer - - 7z lib not found - + + + Press 'O' to open comic. + Pressione 'O' para abrir um quadrinho. - - unable to load 7z lib from ./utils - + + Loading...please wait! + Carregando... por favor, aguarde! - - Trace - + + Not found + Não encontrado - - Debug - + + Comic not found + Quadrinho não encontrado - - Info - + + Error opening comic + Erro ao abrir quadrinho - - Warning - + + CRC Error + Erro CRC - - Error - + + Page not available! + Página não disponível! - - Fatal - + + Cover! + Cobrir! - - Select custom cover - + + Last page! + Última página! + + + VolumeComicsModel - - Images (%1) - + + title + título - QsLogging::LogWindowModel + VolumesModel - - Time - + + year + ano - - Level - + + issues + problemas - - Message - + + publisher + editor - QsLogging::Window + YACReader3DFlowConfigWidget - - &Pause - + + Presets: + Predefinições: - - &Resume - + + Classic look + Aparência clássica - - Save log - + + Stripe look + Olhar lista - - Log file (*.log) - + + Overlapped Stripe look + Olhar lista sobreposta - - - ShortcutsDialog - Close - Fechar + + Modern look + Aparência moderna - YACReader keyboard shortcuts - Teclas de atalhos do YACReader + + Roulette look + Aparência de roleta - - - Viewer - - - Press 'O' to open comic. - Pressione 'O' para abrir um quadrinho. + + Show advanced settings + Mostrar configurações avançadas - - Loading...please wait! - Carregando... por favor, aguarde! + + Custom: + Personalizado: - - Not found - + + View angle + Ângulo de visão - - Comic not found - + + Position + Posição - - Error opening comic - + + Cover gap + Cubra a lacuna - - CRC Error - + + Central gap + Lacuna central - - Page not available! - + + Zoom + Amplia??o - - Cover! - + + Y offset + Deslocamento Y - - Last page! - + + Z offset + Deslocamento Z + + + + Cover Angle + Ângulo de cobertura + + + + Visibility + Visibilidade + + + + Light + Luz + + + + Max angle + Ângulo máximo + + + + Low Performance + Baixo desempenho + + + + High Performance + Alto desempenho + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Use VSync (melhora a qualidade da imagem em modo tela cheia, pior desempenho) + + + + Performance: + Desempenho: YACReader::MainWindowViewer - + &Open - &Abrir + &Abrir - + Open a comic - Abrir um quadrinho + Abrir um quadrinho - + New instance - + Nova instância - + Open Folder - Abrir Pasta + Abrir Pasta - + Open image folder - + Abra a pasta de imagens - + Open latest comic - + Abra o último quadrinho - + Open the latest comic opened in the previous reading session - + Abra o último quadrinho aberto na sessão de leitura anterior - + Clear - + Claro - + Clear open recent list - + Limpar lista recente aberta - + Save - Salvar + Salvar - + Save current page - Salvar página atual + Salvar página atual Previous Comic - Quadrinho Anterior + Quadrinho Anterior - - - + + + Open previous comic - Abrir quadrinho anterior + Abrir quadrinho anterior - + Next Comic - Próximo Quadrinho + Próximo Quadrinho - - - + + + Open next comic - Abrir próximo quadrinho + Abrir próximo quadrinho - + &Previous - A&nterior + A&nterior - - - + + + Go to previous page - Ir para a página anterior + Ir para a página anterior - + &Next - &Próxima + &Próxima - - - + + + Go to next page - Ir para a próxima página + Ir para a próxima página - + Fit Height - + Ajustar Altura - + Fit image to height - + Ajustar imagem à altura - + Fit Width - Ajustar à Largura + Ajustar à Largura - + Fit image to width - + Ajustar imagem à largura - + Show full size - + Mostrar tamanho grande - + Fit to page - + Ajustar à página + + + + Continuous scroll + Rolagem contínua + + + + Switch to continuous scroll mode + Mudar para o modo de rolagem contínua - + Reset zoom - + Redefinir zoom - + Show zoom slider - + Mostrar controle deslizante de zoom - + Zoom+ - + Ampliar - + Zoom- - + Reduzir - + Rotate image to the left - Girar imagem à esquerda + Girar imagem à esquerda - + Rotate image to the right - Girar imagem à direita + Girar imagem à direita - + Double page mode - Modo dupla página + Modo dupla página - + Switch to double page mode - Alternar para o modo dupla página + Alternar para o modo dupla página - + Double page manga mode - + Modo mangá de página dupla - + Reverse reading order in double page mode - + Ordem de leitura inversa no modo de página dupla - + Go To - Ir Para + Ir Para - + Go to page ... - Ir para a página... + Ir para a página... - + Options - Opções + Opções - + YACReader options - Opções do YACReader + Opções do YACReader - - + + Help - Ajuda + Ajuda - + Help, About YACReader - Ajuda, Sobre o YACReader + Ajuda, Sobre o YACReader - + Magnifying glass - Lupa + Lupa - + Switch Magnifying glass - Alternar Lupa + Alternar Lupa - + Set bookmark - Definir marcador + Definir marcador - + Set a bookmark on the current page - Definir um marcador na página atual + Definir um marcador na página atual - + Show bookmarks - Mostrar marcadores + Mostrar marcadores - + Show the bookmarks of the current comic - Mostrar os marcadores do quadrinho atual + Mostrar os marcadores do quadrinho atual - + Show keyboard shortcuts - Mostrar teclas de atalhos + Mostrar teclas de atalhos - + Show Info - Mostrar Informações + Mostrar Informações - + Close - Fechar + Fechar - + Show Dictionary - + Mostrar dicionário - + Show go to flow - + Mostrar ir para o fluxo - + Edit shortcuts - + Editar atalhos - + &File - &Arquivo + &Arquivo - - + + Open recent - + Abrir recente - + File - + Arquivo - + Edit - + Editar - + View - + Visualizar - + Go - + Ir - + Window - + Janela - - - + + + Open Comic - Abrir Quadrinho + Abrir Quadrinho - - - + + + Comic files - + Arquivos de quadrinhos - + Open folder - Abrir pasta + Abrir pasta - + page_%1.jpg - + página_%1.jpg - + Image files (*.jpg) - Arquivos de imagem (*.jpg) + Arquivos de imagem (*.jpg) + Comics - + Quadrinhos Toggle fullscreen mode - + Alternar modo de tela cheia Hide/show toolbar - + Ocultar/mostrar barra de ferramentas + General - + Em geral Size up magnifying glass - + Dimensione a lupa Size down magnifying glass - + Diminuir o tamanho da lupa Zoom in magnifying glass - + Zoom na lupa Zoom out magnifying glass - + Diminuir o zoom da lupa Reset magnifying glass - + Redefinir lupa + Magnifiying glass - + Lupa Toggle between fit to width and fit to height - + Alternar entre ajustar à largura e ajustar à altura + Page adjustement - + Ajuste de página - + Autoscroll down - + Rolagem automática para baixo - + Autoscroll up - + Rolagem automática para cima - + Autoscroll forward, horizontal first - + Rolagem automática para frente, horizontal primeiro - + Autoscroll backward, horizontal first - + Rolagem automática para trás, horizontal primeiro - + Autoscroll forward, vertical first - + Rolagem automática para frente, vertical primeiro - + Autoscroll backward, vertical first - + Rolagem automática para trás, vertical primeiro - + Move down - + Mover para baixo - + Move up - + Subir - + Move left - + Mover para a esquerda - + Move right - + Mover para a direita - + Go to the first page - + Vá para a primeira página - + Go to the last page - + Ir para a última página - + Offset double page to the left - + Deslocar página dupla para a esquerda - + Offset double page to the right - + Deslocar página dupla para a direita - + + Reading - + Leitura - + There is a new version available - Há uma nova versão disponível + Há uma nova versão disponível - + Do you want to download the new version? - Você deseja baixar a nova versão? + Você deseja baixar a nova versão? - + Remind me in 14 days - + Lembre-me em 14 dias - + Not now - + Agora não + + + + YACReader::TrayIconController + + + &Restore + &Rloja + + + + Systray + Bandeja do sistema + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuará em execução na bandeja do sistema. Para encerrar o programa, escolha <b>Quit</b> no menu de contexto do ícone da bandeja do sistema. YACReader::WhatsNewDialog - Close - Fechar + Fechar @@ -1160,12 +3800,12 @@ Click to overwrite - + Clique para substituir Restore to default - + Restaurar para o padrão @@ -1176,181 +3816,69 @@ Click to overwrite - + Clique para substituir Restore to default - + Restaurar para o padrão YACReaderFlowConfigWidget - CoverFlow look - Olhar capa cheia + Olhar capa cheia - Stripe look - Olhar lista + Olhar lista - Overlapped Stripe look - Olhar lista sobreposta - - - - How to show covers: - + Olhar lista sobreposta YACReaderGLFlowConfigWidget - Stripe look - Olhar lista + Olhar lista - Overlapped Stripe look - Olhar lista sobreposta - - - - Presets: - - - - - Classic look - - - - - Modern look - - - - - Roulette look - - - - - Show advanced settings - - - - - Custom: - - - - - View angle - - - - - Position - - - - - Cover gap - - - - - Central gap - - - - - Zoom - - - - - Y offset - - - - - Z offset - - - - - Cover Angle - - - - - Visibility - - - - - Light - - - - - Max angle - - - - - Low Performance - - - - - High Performance - - - - - Use VSync (improve the image quality in fullscreen mode, worse performance) - - - - - Performance: - + Olhar lista sobreposta YACReaderOptionsDialog - + Save Salvar - + Cancel Cancelar - + Edit shortcuts - + Editar atalhos - + Shortcuts - + Atalhos + + + YACReaderSearchLineEdit - - Use hardware acceleration (restart needed) - + + type to search + digite para pesquisar @@ -1358,31 +3886,31 @@ Reset - + Reiniciar YACReaderTranslator - + YACReader translator - + Tradutor YACReader - - + + Translation - + Tradução - + clear - + claro - + Service not available - + Serviço não disponível diff --git a/YACReader/yacreader_ru.ts b/YACReader/yacreader_ru.ts index 875b78020..62c6c5ac2 100644 --- a/YACReader/yacreader_ru.ts +++ b/YACReader/yacreader_ru.ts @@ -6,7 +6,197 @@ None - + Никто + + + + AddLabelDialog + + + Label name: + Название ярлыка: + + + + Choose a color: + Выбрать цвет: + + + + accept + добавить + + + + cancel + отменить + + + + AddLibraryDialog + + + Comics folder : + Папка комиксов : + + + + Library name : + Имя библиотеки : + + + + Add + Добавить + + + + Cancel + Отмена + + + + Add an existing library + Добавить в существующую библиотеку + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Для подключения к Comic Vine вам потребуется ваш личный API ключ. Приобретите его бесплатно вот <a href="http://www.comicvine.com/api/">здесь</a> + + + + Paste here your Comic Vine API key + Вставьте сюда ваш Comic Vine API ключ + + + + Accept + Принять + + + + Cancel + Отмена + + + + AppearanceTabWidget + + + Color scheme + Цветовая гамма + + + + System + Система + + + + Light + Осветить + + + + Dark + Темный + + + + Custom + Обычай + + + + Remove + Удалять + + + + Remove this user-imported theme + Удалить эту импортированную пользователем тему + + + + Light: + Свет: + + + + Dark: + Темный: + + + + Custom: + Пользовательский: + + + + Import theme... + Импортировать тему... + + + + Theme + Тема + + + + Theme editor + Редактор тем + + + + Open Theme Editor... + Открыть редактор тем... + + + + Theme editor error + Ошибка редактора темы + + + + The current theme JSON could not be loaded. + Не удалось загрузить JSON текущей темы. + + + + Import theme + Импортировать тему + + + + JSON files (*.json);;All files (*) + Файлы JSON (*.json);;Все файлы (*) + + + + Could not import theme from: +%1 + Не удалось импортировать тему из: +%1 + + + + Could not import theme from: +%1 + +%2 + Не удалось импортировать тему из: +%1 + +%2 + + + + Import failed + Импорт не удался @@ -33,10 +223,204 @@ Последняя страница + + ClassicComicsView + + + Hide comic flow + Показать/скрыть поток комиксов + + + + ComicModel + + + yes + да + + + + no + нет + + + + Title + Заголовок + + + + File Name + Имя файла + + + + Pages + Всего страниц + + + + Size + Размер + + + + Read + Прочитано + + + + Current Page + Текущая страница + + + + Publication Date + Дата публикации + + + + Rating + Рейтинг + + + + Series + Ряд + + + + Volume + Объем + + + + Story Arc + Сюжетная арка + + + + ComicVineDialog + + + skip + пропустить + + + + back + назад + + + + next + дальше + + + + search + искать + + + + close + закрыть + + + + + comic %1 of %2 - %3 + комикс %1 of %2 - %3 + + + + + + Looking for volume... + Поиск информации... + + + + %1 comics selected + %1 было выбрано + + + + Error connecting to ComicVine + Ошибка поключения к ComicVine + + + + + Retrieving tags for : %1 + Получение тегов для : %1 + + + + Retrieving volume info... + Получение информации... + + + + Looking for comic... + Поиск комикса... + + + + ContinuousPageWidget + + + Loading page %1 + Загрузка страницы %1 + + + + CreateLibraryDialog + + + Comics folder : + Папка комиксов : + + + + Library Name : + Имя библиотеки: + + + + Create + Создать + + + + Cancel + Отмена + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Создание библиотеки может занять несколько минут. Вы можете остановить процесс и обновить библиотеку позже для завершения задачи. + + + + Create new library + Создать новую библиотеку + + + + Path not found + Путь не найден + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Выбранный путь отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке + + EditShortcutsDialog - + Shortcut in use Горячая клавиша уже занята @@ -51,7 +435,7 @@ Горячие клавиши - + The shortcut "%1" is already assigned to other function Сочетание клавиш "%1" уже назначено для другой функции @@ -61,6 +445,124 @@ Чтобы изменить горячую клавишу дважды щелкните по выбранной комбинации клавиш и введите новые сочетания клавиш. + + EmptyFolderWidget + + + This folder doesn't contain comics yet + В этой папке еще нет комиксов + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Этот ярлык пока ничего не содержит + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Этот список чтения пока ничего не содержит + + + + EmptySpecialListWidget + + + No favorites + Нет избранного + + + + You are not reading anything yet, come on!! + Вы пока ничего не читаете. Может самое время почитать? + + + + There are no recent comics! + Свежих комиксов нет! + + + + ExportComicsInfoDialog + + + Output file : + Выходной файл (*.ydb) : + + + + Create + Создать + + + + Cancel + Отмена + + + + Export comics info + Экспортировать информацию комикса + + + + Destination database name + Имя этой базы данных + + + + Problem found while writing + Обнаружена Ошибка записи + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Выбранный путь для импортируемого файла отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке + + + + ExportLibraryDialog + + + Output folder : + Папка вывода : + + + + Create + Создать + + + + Cancel + Отмена + + + + Create covers package + Создать комплект обложек + + + + Problem found while writing + Обнаружена Ошибка записи + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Выбранный путь для импортируемого файла отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке + + + + Destination directory + Назначенная директория + + FileComic @@ -116,1262 +618,3400 @@ GoToFlowToolBar - + Page : Страница : + + GridComicsView + + + Show info + Показать информацию + + HelpAboutDialog - + Help Справка - + System info - + Информация о системе - + About О программе - LogWindow + ImportComicsInfoDialog + + + Import comics info + Импортировать информацию комикса + + + + Info database location : + Путь к файлу (*.ydb) : + + + + Import + Импортировать + + + + Cancel + Отмена + + + + Comics info file (*.ydb) + Инфо файл комикса (*.ydb) + + + + ImportLibraryDialog - - Log window - + + Library Name : + Имя библиотеки: - - &Pause - + + Package location : + Местоположение комплекта : - - &Save - + + Destination folder : + Папка назначения : - - C&lear - + + Unpack + Распаковать - - &Copy - + + Cancel + Отмена - - Level: - + + Extract a catalog + Извлечь каталог - - &Auto scroll - + + Compresed library covers (*.clc) + Сжатая библиотека обложек (*.clc) - MainWindowViewer + ImportWidget - Go - Перейти + + stop + Остановить - Edit - Редактировать + + Some of the comics being added... + Поиск новых комиксов... - File - Файл + + Importing comics + Импорт комиксов - Help - Справка + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary сейчас создает библиотеку.</p><p> Создание библиотеки может занять несколько минут. Вы можете остановить процесс и обновить библиотеку позже для завершения задачи.</p> - Save - Сохранить + + Updating the library + Обновление библиотеки - View - Посмотреть + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Текущая библиотека обновляется. Для более быстрого обновления в дальнейшем старайтесь почаще обновлять вашу библиотеку после добавления новых комиксов.</p><p>Вы можете остановить этот процесс и продолжить обновление этой библиотеки позже.</p> - &File + + Upgrading the library + Обновление библиотеки + + + + <p>The current library is being upgraded, please wait.</p> + <p>Текущая библиотека обновляется, подождите.</p> + + + + Scanning the library + Сканирование библиотеки + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Текущая библиотека сканируется на предмет устаревших метаданных XML.</p><p>Это необходимо только один раз и только в том случае, если библиотека была создана с помощью YACReaderLibrary 9.8.2 или более ранней версии.</p> + + + + LibraryWindow + + + YACReader Library + Библиотека YACReader + + + + + + comic + комикс + + + + + + manga + манга + + + + + + western manga (left to right) + западная манга (слева направо) + + + + + + web comic + веб-комикс + + + + + + 4koma (top to botom) + 4кома (сверху вниз) + + + + + + + Set type + Тип установки + + + + Library + Библиотека + + + + Folder + Папка + + + + Comic + Комикс + + + + Upgrade failed + Обновление не удалось + + + + There were errors during library upgrade in: + При обновлении библиотеки возникли ошибки: + + + + Update needed + Необходимо обновление + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Эта библиотека была создана с предыдущей версией YACReaderLibrary. Она должна быть обновлена. Обновить сейчас? + + + + Download new version + Загрузить новую версию + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Эта библиотека была создана новой версией YACReaderLibrary. Скачать новую версию сейчас? + + + + Library not available + Библиотека не доступна + + + + Library '%1' is no longer available. Do you want to remove it? + Библиотека '%1' больше не доступна. Вы хотите удалить ее? + + + + Old library + Библиотека из старой версии YACreader + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Библиотека '%1' была создана старой версией YACReaderLibrary. Она должна быть вновь создана. Вы хотите создать библиотеку сейчас? + + + + + Copying comics... + Скопировать комиксы... + + + + + Moving comics... + Переместить комиксы... + + + + Add new folder + Добавить новую папку + + + + Folder name: + Имя папки: + + + + No folder selected + Ни одна папка не была выбрана + + + + Please, select a folder first + Пожалуйста, сначала выберите папку + + + + Error in path + Ошибка в пути + + + + There was an error accessing the folder's path + Ошибка доступа к пути папки + + + + Delete folder + Удалить папку + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Выбранная папка и все ее содержимое будет удалено с вашего жёсткого диска. Вы уверены? + + + + + Unable to delete + Не удалось удалить + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Возникла проблема при удалении выбранных папок. Пожалуйста, проверьте права на запись и убедитесь что другие приложения не используют эти папки или файлы. + + + + Add new reading lists + Добавить новый список чтения + + + + + List name: + Имя списка: + + + + Delete list/label + Удалить список/ярлык + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Выбранные элементы будут удалены, ваши комиксы или папки НЕ БУДУТ удалены с вашего жёсткого диска. Вы уверены? + + + + Rename list name + Изменить имя списка + + + + Open folder... + Открыть папку... + + + + Update folder + Обновить папку + + + + Rescan library for XML info + Повторное сканирование библиотеки для получения информации XML + + + + Set as uncompleted + Отметить как не завершено + + + + Set as completed + Отметить как завершено + + + + Set as read + Отметить как прочитано + + + + + Set as unread + Отметить как не прочитано + + + + Set custom cover + Установить собственную обложку + + + + Delete custom cover + Удалить пользовательскую обложку + + + + Save covers + Сохранить обложки + + + + You are adding too many libraries. + Вы добавляете слишком много библиотек. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Вы добавляете слишком много библиотек. + +Вероятно, вам нужна только одна библиотека в папке комиксов верхнего уровня, вы можете просматривать любые подпапки, используя раздел папок на левой боковой панели. + +YACReaderLibrary не помешает вам создать больше библиотек, но вы должны иметь не большое количество библиотек. + + + + + YACReader not found + YACReader не найден + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader не найден. YACReader должен быть установлен в ту же папку, что и YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader не найден. Возможно, возникла проблема с установкой YACReader. + + + + Error + Ошибка + + + + Error opening comic with third party reader. + Ошибка при открытии комикса с помощью сторонней программы чтения. + + + + Library not found + Библиотека не найдена + + + + The selected folder doesn't contain any library. + Выбранная папка не содержит ни одной библиотеки. + + + + Are you sure? + Вы уверены? + + + + Do you want remove + Вы хотите удалить библиотеку + + + + library? + ? + + + + Remove and delete metadata + Удаление метаданных + + + + Library info + Информация о библиотеке + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Возникла проблема при удалении выбранных комиксов. Пожалуйста, проверьте права на запись для выбранных файлов или содержащую их папку. + + + + Assign comics numbers + Порядковый номер + + + + Assign numbers starting in: + Назначить порядковый номер начиная с: + + + + Invalid image + Неверное изображение + + + + The selected file is not a valid image. + Выбранный файл не является допустимым изображением. + + + + Error saving cover + Не удалось сохранить обложку. + + + + There was an error saving the cover image. + Не удалось сохранить изображение обложки. + + + + Error creating the library + Ошибка создания библиотеки + + + + Error updating the library + Ошибка обновления библиотеки + + + + Error opening the library + Ошибка открытия библиотеки + + + + Delete comics + Удалить комиксы + + + + All the selected comics will be deleted from your disk. Are you sure? + Все выбранные комиксы будут удалены с вашего жёсткого диска. Вы уверены? + + + + Remove comics + Убрать комиксы + + + + Comics will only be deleted from the current label/list. Are you sure? + Комиксы будут удалены только из выбранного списка/ярлыка. Вы уверены? + + + + Library name already exists + Имя папки уже используется + + + + There is another library with the name '%1'. + Уже существует другая папка с именем '%1'. + + + + LibraryWindowActions + + + Create a new library + Создать новую библиотеку + + + + Open an existing library + Открыть существующую библиотеку + + + + + Export comics info + Экспортировать информацию комикса + + + + + Import comics info + Импортировать информацию комикса + + + + Pack covers + Запаковать обложки + + + + Pack the covers of the selected library + Запаковать обложки выбранной библиотеки + + + + Unpack covers + Распаковать обложки + + + + Unpack a catalog + Распаковать каталог + + + + Update library + Обновить библиотеку + + + + Update current library + Обновить эту библиотеку + + + + Rename library + Переименовать библиотеку + + + + Rename current library + Переименовать эту библиотеку + + + + Remove library + Удалить библиотеку + + + + Remove current library from your collection + Удалить эту библиотеку из своей коллекции + + + + Rescan library for XML info + Повторное сканирование библиотеки для получения информации XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Пытается найти информацию XML, встроенную в файлы комиксов. Это необходимо делать только в том случае, если библиотека была создана с помощью версии 9.8.2 или более ранней, или если вы используете стороннее программное обеспечение для встраивания информации XML в файлы. + + + + Show library info + Показать информацию о библиотеке + + + + Show information about the current library + Показать информацию о текущей библиотеке + + + + Open current comic + Открыть выбранный комикс + + + + Open current comic on YACReader + Открыть комикс в YACReader + + + + Save selected covers to... + Сохранить выбранные обложки в... + + + + Save covers of the selected comics as JPG files + Сохранить обложки выбранных комиксов как JPG файлы + + + + + Set as read + Отметить как прочитано + + + + Set comic as read + Отметить комикс как прочитано + + + + + Set as unread + Отметить как не прочитано + + + + Set comic as unread + Отметить комикс как не прочитано + + + + + manga + манга + + + + Set issue as manga + Установить выпуск как мангу + + + + + comic + комикс + + + + Set issue as normal + Установите проблему как обычно + + + + western manga + вестерн манга + + + + Set issue as western manga + Установить выпуск как западную мангу + + + + + web comic + веб-комикс + + + + Set issue as web comic + Установить выпуск как веб-комикс + + + + + yonkoma + йонкома + + + + Set issue as yonkoma + Установить проблему как йонкома + + + + Show/Hide marks + Показать/Спрятать пометки + + + + Show or hide read marks + Показать или спрятать отметку прочтено + + + + Show/Hide recent indicator + Показать/скрыть индикатор последних событий + + + + Show or hide recent indicator + Показать или скрыть недавний индикатор + + + + + Fullscreen mode on/off + Полноэкранный режим включить/выключить + + + + Help, About YACReader + Справка + + + + Add new folder + Добавить новую папку + + + + Add new folder to the current library + Добавить новую папку в текущую библиотеку + + + + Delete folder + Удалить папку + + + + Delete current folder from disk + Удалить выбранную папку с жёсткого диска + + + + Select root node + Домашняя папка + + + + Expand all nodes + Раскрыть все папки + + + + Collapse all nodes + Свернуть все папки + + + + Show options dialog + Настройки + + + + Show comics server options dialog + Настройки сервера YACReader + + + + + Change between comics views + Изменение внешнего вида потока комиксов + + + + Open folder... + Открыть папку... + + + + Set as uncompleted + Отметить как не завершено + + + + Set as completed + Отметить как завершено + + + + Set custom cover + Установить собственную обложку + + + + Delete custom cover + Удалить пользовательскую обложку + + + + western manga (left to right) + западная манга (слева направо) + + + + Open containing folder... + Открыть выбранную папку... + + + + Reset comic rating + Сбросить рейтинг комикса + + + + Select all comics + Выбрать все комиксы + + + + Edit + Редактировать + + + + Assign current order to comics + Назначить порядковый номер + + + + Update cover + Обновить обложки + + + + Delete selected comics + Удалить выбранное + + + + Delete metadata from selected comics + Удалить метаданные из выбранных комиксов + + + + Download tags from Comic Vine + Скачать теги из Comic Vine + + + + Focus search line + Строка поиска фокуса + + + + Focus comics view + Просмотр комиксов в фокусе + + + + Edit shortcuts + Редактировать горячие клавиши + + + + &Quit + &Qкостюм + + + + Update folder + Обновить папку + + + + Update current folder + Обновить выбранную папку + + + + Scan legacy XML metadata + Сканировать устаревшие метаданные XML + + + + Add new reading list + Создать новый список чтения + + + + Add a new reading list to the current library + Создать новый список чтения + + + + Remove reading list + Удалить список чтения + + + + Remove current reading list from the library + Удалить выбранный ярлык/список чтения + + + + Add new label + Создать новый ярлык + + + + Add a new label to this library + Создать новый ярлык + + + + Rename selected list + Переименовать выбранный список + + + + Rename any selected labels or lists + Переименовать выбранный ярлык/список чтения + + + + Add to... + Добавить в... + + + + Favorites + Избранное + + + + Add selected comics to favorites list + Добавить выбранные комиксы в список избранного + + + + LocalComicListModel + + + file name + имя файла + + + + MainWindowViewer + + Go + Перейти + + + Edit + Редактировать + + + File + Файл + + + Help + Справка + + + Save + Сохранить + + + View + Посмотреть + + + &File &Отображать панель инструментов - &Next - &Следующий + &Next + &Следующий + + + &Open + &Открыть + + + Clear + Очистить + + + Close + Закрыть + + + Open Comic + Открыть комикс + + + Go To + Перейти к странице... + + + Zoom+ + Увеличить масштаб + + + Zoom- + Уменьшить масштаб + + + Open image folder + Открыть папку с изображениями + + + Size down magnifying glass + Уменьшение размера окошка увеличительного стекла + + + Zoom out magnifying glass + Уменьшить + + + Open latest comic + Открыть последний комикс + + + Autoscroll up + Автопрокрутка вверх + + + Set bookmark + Установить закладку + + + page_%1.jpg + страница_%1.jpg + + + Autoscroll forward, vertical first + Автопрокрутка вперед, вертикальная + + + Switch to double page mode + Двухстраничный режим + + + Save current page + Сохранить текущию страницу + + + Size up magnifying glass + Увеличение размера окошка увеличительного стекла + + + Double page mode + Двухстраничный режим + + + Move up + Переместить вверх + + + Switch Magnifying glass + Увеличительное стекло + + + Open Folder + Открыть папку + + + Comics + Комикс + + + Fit Height + Подогнать по высоте + + + Autoscroll backward, vertical first + Автопрокрутка назад, вертикальная + + + Comic files + Файлы комикса + + + Not now + Не сейчас + + + Go to the first page + Перейти к первой странице + + + Go to previous page + Перейти к предыдущей странице + + + Window + Окно + + + Open the latest comic opened in the previous reading session + Открыть комикс открытый в предыдущем сеансе чтения + + + Open a comic + Открыть комикс + + + Image files (*.jpg) + Файлы изображений (*.jpg) + + + Next Comic + Следующий комикс + + + Fit Width + Подогнать по ширине + + + Options + Настройки + + + Show Info + Показать/скрыть номер страницы и текущее время + + + Open folder + Открыть папку + + + Go to page ... + Перейти к странице... + + + Magnifiying glass + Увеличительное стекло + + + Fit image to width + Подогнать по ширине + + + Toggle fullscreen mode + Полноэкранный режим включить/выключить + + + Toggle between fit to width and fit to height + Переключение режима подгонки страницы по ширине/высоте + + + Move right + Переместить вправо + + + Zoom in magnifying glass + Увеличить + + + Open recent + Открыть недавние + + + Reading + Чтение + + + &Previous + &Предыдущий + + + Autoscroll forward, horizontal first + Автопрокрутка вперед, горизонтальная + + + Go to next page + Перейти к следующей странице + + + Show keyboard shortcuts + Показать горячие клавиши + + + Double page manga mode + Двухстраничный режим манги + + + There is a new version available + Доступна новая версия + + + Autoscroll down + Автопрокрутка вниз + + + Open next comic + Открыть следующий комикс + + + Remind me in 14 days + Напомнить через 14 дней + + + Fit to page + Подогнать под размер страницы + + + Show bookmarks + Показать закладки + + + Open previous comic + Открыть предыдуший комикс + + + Rotate image to the left + Повернуть изображение против часовой стрелки + + + Fit image to height + Подогнать по высоте + + + Reset zoom + Сбросить масштаб + + + Show the bookmarks of the current comic + Показать закладки в текущем комиксе + + + Show Dictionary + Переводчик YACreader + + + Move down + Переместить вниз + + + Move left + Переместить влево + + + Reverse reading order in double page mode + Двухстраничный режим манги + + + YACReader options + Настройки + + + Clear open recent list + Очистить список недавно открытых файлов + + + Help, About YACReader + Справка + + + Show go to flow + Показать поток страниц + + + Previous Comic + Предыдущий комикс + + + Show full size + Показать в полном размере + + + Hide/show toolbar + Показать/скрыть панель инструментов + + + Magnifying glass + Увеличительное стекло + + + Edit shortcuts + Редактировать горячие клавиши + + + General + Общие + + + Set a bookmark on the current page + Установить закладку на текущей странице + + + Page adjustement + Настройка страницы + + + Show zoom slider + Показать ползунок масштабирования + + + Go to the last page + Перейти к последней странице + + + Do you want to download the new version? + Хотите загрузить новую версию ? + + + Rotate image to the right + Повернуть изображение по часовой стрелке + + + Always on top + Всегда сверху + + + Autoscroll backward, horizontal first + Автопрокрутка назад, горизонтальная + + + + NoLibrariesWidget + + + You don't have any libraries yet + У вас нет ни одной библиотеки + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Вы можете создать библиотеку в любой папке, YACReaderLibrary будет импортировать все комиксы и папки из этой папки. Если вы уже ранее создавали библиотеки, их можно будет открыть.< / p > <p>Не забывайте, что Вы можете использовать YACReader в качестве отдельного приложения для чтения комиксов на вашем компьютере.</п> + + + + create your first library + создайте свою первую библиотеку + + + + add an existing one + добавить уже существующую + + + + NoSearchResultsWidget + + + No results + Нет результатов + + + + OptionsDialog + + + Gamma + Гамма + + + + Reset + Вернуть к первоначальным значениям + + + + My comics path + Папка комиксов + + + + Image adjustment + Настройка изображения + + + + "Go to flow" size + Размер потока страниц + + + + Choose + Выбрать + + + + Image options + Настройки изображения + + + + Contrast + Контраст + + + + + Libraries + Библиотеки + + + + Comic Flow + Поток комиксов + + + + Grid view + Фоновое изображение + + + + + Appearance + Появление + + + + + Options + Настройки + + + + + Language + Язык + + + + + Application language + Язык приложения + + + + + System default + Системный по умолчанию + + + + Tray icon settings (experimental) + Настройки значков в трее (экспериментально) + + + + Close to tray + Рядом с лотком + + + + Start into the system tray + Запустите в системном трее + + + + Edit Comic Vine API key + Редактировать Comic Vine API ключ + + + + Comic Vine API key + Comic Vine API ключ + + + + ComicInfo.xml legacy support + Поддержка устаревших версий ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Импортируйте метаданные из ComicInfo.xml при добавлении новых комиксов. + + + + Consider 'recent' items added or updated since X days ago + Учитывайте «недавние» элементы, добавленные или обновленные X дней назад. + + + + Third party reader + Сторонний читатель + + + + Write {comic_file_path} where the path should go in the command + Напишите {comic_file_path}, где должен идти путь в команде. + + + + + Clear + Очистить + + + + Update libraries at startup + Обновлять библиотеки при запуске + + + + Try to detect changes automatically + Попробуйте обнаружить изменения автоматически + + + + Update libraries periodically + Периодически обновляйте библиотеки + + + + Interval: + Интервал: + + + + 30 minutes + 30 минут + + + + 1 hour + 1 час + + + + 2 hours + 2 часа + + + + 4 hours + 4 часа + + + + 8 hours + 8 часов + + + + 12 hours + 12 часов + + + + daily + ежедневно + + + + Update libraries at certain time + Обновлять библиотеки в определенное время + + + + Time: + Время: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + ПРЕДУПРЕЖДЕНИЕ! Во время обновления библиотеки запись в базу данных отключена! +Не планируйте обновления, пока вы активно используете приложение. +Во время автоматического обновления приложение будет блокировать некоторые действия до завершения обновления. +Чтобы остановить автоматическое обновление, нажмите на индикатор загрузки рядом с названием «Библиотеки». + + + + Modifications detection + Обнаружение модификаций + + + + Compare the modified date of files when updating a library (not recommended) + Сравните дату изменения файлов при обновлении библиотеки (не рекомендуется) + + + + Enable background image + Включить фоновое изображение + + + + Opacity level + Уровень непрозрачности + + + + Blur level + Уровень размытия + + + + Use selected comic cover as background + Обложка комикса фоновое изображение + + + + Restore defautls + Вернуть к первоначальным значениям + + + + Background + Фоновое изображение + + + + Display continue reading banner + Отображение баннера продолжения чтения + + + + Display current comic banner + Отображать текущий комикс-баннер + + + + Continue reading + Продолжить чтение + + + + Comics directory + Папка комиксов + + + + Quick Navigation Mode + Ползунок для быстрой навигации по страницам + + + + Display + Отображать + + + + Show time in current page information label + Показывать время в информационной метке текущей страницы + + + + Background color + Фоновый цвет + + + + Scroll behaviour + Поведение прокрутки + + + + Disable scroll animations and smooth scrolling + Отключить анимацию прокрутки и плавную прокрутку + + + + Do not turn page using scroll + Не переворачивайте страницу с помощью прокрутки + + + + Use single scroll step to turn page + Используйте один шаг прокрутки, чтобы перевернуть страницу + + + + Mouse mode + Режим мыши + + + + Only Back/Forward buttons can turn pages + Только кнопки «Назад/Вперед» могут перелистывать страницы. + + + + Use the Left/Right buttons to turn pages. + Используйте кнопки «Влево/Вправо», чтобы перелистывать страницы. + + + + Click left or right half of the screen to turn pages. + Нажмите левую или правую половину экрана, чтобы перелистывать страницы. + + + + Disable mouse over activation + Отключить активацию потока при наведении мыши + + + + Scaling + Масштабирование + + + + Scaling method + Метод масштабирования + + + + Nearest (fast, low quality) + Ближайший (быстро, низкое качество) + + + + Bilinear + Билинейный + + + + Lanczos (better quality) + Ланцос (лучшее качество) + + + + Page Flow + Поток Страниц + + + + + General + Общие + + + + Brightness + Яркость + + + + + Restart is needed + Требуется перезагрузка + + + + Fit options + Варианты подгонки + + + + Enlarge images to fit width/height + Увеличьте изображения по ширине/высоте + + + + Double Page options + Параметры двойной страницы + + + + Show covers as single page + Показывать обложки на одной странице + + + + PropertiesDialog + + + General info + Общая информация + + + + Plot + Сюжет + + + + Authors + Авторы + + + + Publishing + Издатели + + + + Notes + Примечания + + + + Cover page + Страница обложки + + + + Load previous page as cover + Загрузить предыдущую страницу в качестве обложки + + + + Load next page as cover + Загрузить следующую страницу в качестве обложки + + + + Reset cover to the default image + Сбросить обложку к изображению по умолчанию + + + + Load custom cover image + Загрузить собственное изображение обложки + + + + Series: + Серия: + + + + Title: + Заголовок: - &Open - &Открыть + + + + of: + из: - Clear - Очистить + + Issue number: + Номер выпуска - Close - Закрыть + + Volume: + Объём : - Open Comic - Открыть комикс + + Arc number: + Номер дуги: - Go To - Перейти к странице... + + Story arc: + Сюжетная арка: - Zoom+ - Увеличить масштаб + + alt. number: + альт. число: - Zoom- - Уменьшить масштаб + + Alternate series: + Альтернативный сериал: - Open image folder - Открыть папку с изображениями + + Series Group: + Группа серий: - Size down magnifying glass - Уменьшение размера окошка увеличительного стекла + + Genre: + Жанр: - Zoom out magnifying glass - Уменьшить + + Size: + Размер: - Open latest comic - Открыть последний комикс + + Writer(s): + Писатель(и): - Autoscroll up - Автопрокрутка вверх + + Penciller(s): + Художник(и): - Set bookmark - Установить закладку + + Inker(s): + Контуровщик(и): - page_%1.jpg - страница_%1.jpg + + Colorist(s): + Колорист(ы): - Autoscroll forward, vertical first - Автопрокрутка вперед, вертикальная + + Letterer(s): + Гравёр-шрифтовик(и): - Switch to double page mode - Двухстраничный режим + + Cover Artist(s): + Художник(и) Обложки: - Save current page - Сохранить текущию страницу + + Editor(s): + Редактор(ы): - Size up magnifying glass - Увеличение размера окошка увеличительного стекла + + Imprint: + Выходные данные: - Double page mode - Двухстраничный режим + + Day: + День: - Move up - Переместить вверх + + Month: + Месяц: - Switch Magnifying glass - Увеличительное стекло + + Year: + Год: - Open Folder - Открыть папку + + Publisher: + Издатель: - Comics - Комикс + + Format: + Формат: - Fit Height - Подогнать по высоте + + Color/BW: + Цвет/BW: - Autoscroll backward, vertical first - Автопрокрутка назад, вертикальная + + Age rating: + Возрастной рейтинг: - Comic files - Файлы комикса + + Type: + Тип: - Not now - Не сейчас + + Language (ISO): + Язык (ISO): - Go to the first page - Перейти к первой странице + + Synopsis: + Описание: - Go to previous page - Перейти к предыдущей странице + + Characters: + Персонажи: - Window - Окно + + Teams: + Команды: - Open the latest comic opened in the previous reading session - Открыть комикс открытый в предыдущем сеансе чтения + + Locations: + Местоположение: - Open a comic - Открыть комикс + + Main character or team: + Главный герой или команда: - Image files (*.jpg) - Файлы изображений (*.jpg) + + Review: + Обзор: - Next Comic - Следующий комикс + + Notes: + Заметки: - Fit Width - Подогнать по ширине + + Tags: + Теги: - Options - Настройки + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + <a style='color: ##666666; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> Открыть страницу этого комикса на сайте Comic Vine </a> - Show Info - Показать/скрыть номер страницы и текущее время + + Not found + Не найдено - Open folder - Открыть папку + + Comic not found. You should update your library. + Комикс не найден. Обновите вашу библиотеку. - Go to page ... - Перейти к странице... + + Edit comic information + Редактировать информацию комикса - Magnifiying glass - Увеличительное стекло + + Edit selected comics information + Редактировать информацию выбранного комикса - Fit image to width - Подогнать по ширине + + Invalid cover + Неверное покрытие - Toggle fullscreen mode - Полноэкранный режим включить/выключить + + The image is invalid. + Изображение недействительно. + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer — это безголовая (без графического интерфейса) версия YACReaderLibrary. + +Это приложение поддерживает постоянные настройки. Чтобы настроить их, отредактируйте этот файл %1. +Чтобы узнать о доступных настройках, ознакомьтесь с документацией по адресу https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md. + + + + QObject - Toggle between fit to width and fit to height - Переключение режима подгонки страницы по ширине/высоте + + 7z lib not found + Библиотека распаковщика 7z не найдена - Move right - Переместить вправо + + unable to load 7z lib from ./utils + не удается загрузить 7z lib из ./ utils - Zoom in magnifying glass - Увеличить + + Trace + След - Open recent - Открыть недавние + + Debug + Отлаживать - Reading - Чтение + + Info + Информация - &Previous - &Предыдущий + + Warning + Предупреждение - Autoscroll forward, horizontal first - Автопрокрутка вперед, горизонтальная + + Error + Ошибка - Go to next page - Перейти к следующей странице + + Fatal + Фатальный - Show keyboard shortcuts - Показать горячие клавиши + + Select custom cover + Выбрать индивидуальную обложку - Double page manga mode - Двухстраничный режим манги + + Images (%1) + Изображения (%1) - There is a new version available - Доступна новая версия + + The file could not be read or is not valid JSON. + Файл не может быть прочитан или имеет недопустимый формат JSON. - Autoscroll down - Автопрокрутка вниз + + This theme is for %1, not %2. + Эта тема предназначена для %1, а не для %2. - Open next comic - Открыть следующий комикс + + Libraries + Библиотеки - Remind me in 14 days - Напомнить через 14 дней + + Folders + Папки - Fit to page - Подогнать под размер страницы + + Reading Lists + Списки чтения + + + RenameLibraryDialog - Show bookmarks - Показать закладки + + New Library Name : + Новое имя библиотеки: - Open previous comic - Открыть предыдуший комикс + + Rename + Переименовать - Rotate image to the left - Повернуть изображение против часовой стрелки + + Cancel + Отмена - Fit image to height - Подогнать по высоте + + Rename current library + Переименовать эту библиотеку + + + ScraperResultsPaginator - Reset zoom - Сбросить масштаб + + Number of volumes found : %1 + Количество найденных томов : %1 - Show the bookmarks of the current comic - Показать закладки в текущем комиксе + + + page %1 of %2 + страница %1 из %2 - Show Dictionary - Переводчик YACreader + + Number of %1 found : %2 + Количество из %1 найдено : %2 + + + SearchSingleComic - Move down - Переместить вниз + + Please provide some additional information for this comic. + Пожалуйста, введите инфомарцию для поиска. - Move left - Переместить влево + + Series: + Серия: - Reverse reading order in double page mode - Двухстраничный режим манги + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Используйте поиск по точному совпадению. Отключите, если хотите найти тома, соответствующие некоторым словам в названии. + + + SearchVolume - YACReader options - Настройки + + Please provide some additional information. + Пожалуйста, введите инфомарцию для поиска. - Clear open recent list - Очистить список недавно открытых файлов + + Series: + Серия: - Help, About YACReader - Справка + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Используйте поиск по точному совпадению. Отключите, если хотите найти тома, соответствующие некоторым словам в названии. + + + SelectComic - Show go to flow - Показать поток страниц + + Please, select the right comic info. + Пожалуйста, выберите правильную информацию об комиксе. - Previous Comic - Предыдущий комикс + + comics + комиксы - Show full size - Показать в полном размере + + loading cover + загрузка обложки - Hide/show toolbar - Показать/скрыть панель инструментов + + loading description + загрузка описания - Magnifying glass - Увеличительное стекло + + comic description unavailable + Описание комикса недоступно + + + SelectVolume - Edit shortcuts - Редактировать горячие клавиши + + Please, select the right series for your comic. + Пожалуйста, выберите правильную серию для вашего комикса. - General - Общие + + Filter: + Фильтр: - Set a bookmark on the current page - Установить закладку на текущей странице + + volumes + тома - Page adjustement - Настройка страницы + + Nothing found, clear the filter if any. + Ничего не найдено, очистите фильтр, если есть. - Show zoom slider - Показать ползунок масштабирования + + loading cover + загрузка обложки - Go to the last page - Перейти к последней странице + + loading description + загрузка описания - Do you want to download the new version? - Хотите загрузить новую версию ? + + volume description unavailable + описание тома недоступно + + + SeriesQuestion - Rotate image to the right - Повернуть изображение по часовой стрелке + + You are trying to get information for various comics at once, are they part of the same series? + Вы пытаетесь получить информацию для нескольких комиксов одновременно, являются ли они все частью одной серии? - Always on top - Всегда сверху + + yes + да - Autoscroll backward, horizontal first - Автопрокрутка назад, горизонтальная + + no + нет - OptionsDialog + ServerConfigDialog - - Gamma - Гамма + + set port + указать порт - - Reset - Вернуть к первоначальным значениям + + Server connectivity information + Информация о подключении - - My comics path - Папка комиксов + + Scan it! + Сканируйте! - - Image adjustment - Настройка изображения + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader доступен для устройств iOS и Android.<br/>Найдите его для <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> или <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - - "Go to flow" size - Размер потока страниц + + Choose an IP address + Выбрать IP адрес - - Choose - Выбрать + + Port + Порт - - Image options - Настройки изображения + + enable the server + активировать сервер + + + ShortcutsDialog - - Contrast - Контраст + Close + Закрыть - - Options - Настройки + YACReader keyboard shortcuts + Клавиатурные комбинации YACReader - - Comics directory - Папка комиксов + Keyboard Shortcuts + Клавиатурные комбинации + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Пожалуйста, отсортируйте список комиксов слева, пока он не будет соответствовать информации комикса. - - Quick Navigation Mode - Ползунок для быстрой навигации по страницам + + sort comics to match comic information + сортировать комиксы, чтобы соответствовать информации комиксов + + + + issues + выпуск + + + + remove selected comics + удалить выбранные комиксы - - Display - + + restore all removed comics + восстановить все удаленные комиксы + + + ThemeEditorDialog - - Show time in current page information label - + + Theme Editor + Редактор тем - - Background color - Фоновый цвет + + + + + - - Scroll behaviour - + + - + - - - Disable scroll animations and smooth scrolling - + + i + я - - Do not turn page using scroll - + + Expand all + Развернуть все - - Use single scroll step to turn page - + + Collapse all + Свернуть все - - Mouse mode - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Удерживайте, чтобы выбранное значение мигало в пользовательском интерфейсе (пурпурный / переключено / 0↔10). Релизы восстанавливают оригинал. - - Only Back/Forward buttons can turn pages - + + Search… + Поиск… - - Use the Left/Right buttons to turn pages. - + + Light + Осветить - - Click left or right half of the screen to turn pages. - + + Dark + Темный - - Disable mouse over activation - Отключить активацию потока при наведении мыши + + ID: + ИДЕНТИФИКАТОР: - - Page Flow - Поток Страниц + + Display name: + Отображаемое имя: - - General - Общие + + Variant: + Вариант: - - Brightness - Яркость + + Theme info + Информация о теме - - Restart is needed - + + Parameter + Параметр - - Fit options - + + Value + Ценить - - Enlarge images to fit width/height - + + Save and apply + Сохраните и примените - - Double Page options - + + Export to file... + Экспортировать в файл... - - Show covers as single page - + + Load from file... + Загрузить из файла... - - - QObject - - 7z lib not found - Библиотека распаковщика 7z не найдена + + Close + Закрыть - - unable to load 7z lib from ./utils - не удается загрузить 7z lib из ./ utils + + Double-click to edit color + Дважды щелкните, чтобы изменить цвет - - Trace - + + + + + + + true + истинный - - Debug - + + + + + false + ЛОЖЬ - - Info - + + Double-click to toggle + Дважды щелкните, чтобы переключиться - - Warning - + + Double-click to edit value + Дважды щелкните, чтобы изменить значение - - Error - + + + + Edit: %1 + Изменить: %1 - - Fatal - + + Save theme + Сохранить тему - - Select custom cover - + + + JSON files (*.json);;All files (*) + Файлы JSON (*.json);;Все файлы (*) - - Images (%1) - + + Save failed + Сохранить не удалось - - - QsLogging::LogWindowModel - - Time - + + Could not open file for writing: +%1 + Не удалось открыть файл для записи: +%1 - - Level - + + Load theme + Загрузить тему - - Message - + + + + Load failed + Загрузка не удалась - - - QsLogging::Window - - &Pause - + + Could not open file: +%1 + Не удалось открыть файл: +%1 - - &Resume - + + Invalid JSON: +%1 + Неверный JSON: +%1 - - Save log - + + Expected a JSON object. + Ожидается объект JSON. + + + TitleHeader - - Log file (*.log) - + + SEARCH + ПОИСК - ShortcutsDialog + UpdateLibraryDialog - Close - Закрыть + + Updating.... + Обновление... - YACReader keyboard shortcuts - Клавиатурные комбинации YACReader + + Cancel + Отмена - Keyboard Shortcuts - Клавиатурные комбинации + + Update library + Обновить библиотеку Viewer - + Page not available! Страница недоступна! - - + + Press 'O' to open comic. Нажмите "O" чтобы открыть комикс. - + Error opening comic Ошибка открытия комикса - + Cover! Начало! - + CRC Error Ошибка CRC - + Comic not found Комикс не найден - + Not found Не найдено - + Last page! Конец! - + Loading...please wait! Загрузка... Пожалуйста подождите! + + VolumeComicsModel + + + title + название + + + + VolumesModel + + + year + год + + + + issues + выпуск + + + + publisher + издатель + + + + YACReader3DFlowConfigWidget + + + Presets: + Предустановки: + + + + Classic look + Классический вид + + + + Stripe look + Вид полосами + + + + Overlapped Stripe look + Вид перекрывающимися полосами + + + + Modern look + Современный вид + + + + Roulette look + Вид рулеткой + + + + Show advanced settings + Показать дополнительные настройки + + + + Custom: + Пользовательский: + + + + View angle + Угол зрения + + + + Position + Позиция + + + + Cover gap + Осветить разрыв + + + + Central gap + Сфокусировать разрыв + + + + Zoom + Масштабировать + + + + Y offset + Смещение по Y + + + + Z offset + Смещение по Z + + + + Cover Angle + Охватить угол + + + + Visibility + Прозрачность + + + + Light + Осветить + + + + Max angle + Максимальный угол + + + + Low Performance + Минимальная производительность + + + + High Performance + Максимальная производительность + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Использовать VSync (повысить формат изображения в полноэкранном режиме , хуже производительность) + + + + Performance: + Производительность: + + YACReader::MainWindowViewer - + &Open - &Открыть + &Открыть - + Open a comic - Открыть комикс + Открыть комикс - + New instance - + Новый экземпляр - + Open Folder - Открыть папку + Открыть папку - + Open image folder - Открыть папку с изображениями + Открыть папку с изображениями - + Open latest comic - Открыть последний комикс + Открыть последний комикс - + Open the latest comic opened in the previous reading session - Открыть комикс открытый в предыдущем сеансе чтения + Открыть комикс открытый в предыдущем сеансе чтения - + Clear - Очистить + Очистить - + Clear open recent list - Очистить список недавно открытых файлов + Очистить список недавно открытых файлов - + Save - Сохранить + Сохранить - + Save current page - Сохранить текущию страницу + Сохранить текущию страницу Previous Comic - Предыдущий комикс + Предыдущий комикс - - - + + + Open previous comic - Открыть предыдуший комикс + Открыть предыдуший комикс - + Next Comic - Следующий комикс + Следующий комикс - - - + + + Open next comic - Открыть следующий комикс + Открыть следующий комикс - + &Previous - &Предыдущий + &Предыдущий - - - + + + Go to previous page - Перейти к предыдущей странице + Перейти к предыдущей странице - + &Next - &Следующий + &Следующий - - - + + + Go to next page - Перейти к следующей странице + Перейти к следующей странице - + Fit Height - Подогнать по высоте + Подогнать по высоте - + Fit image to height - Подогнать по высоте + Подогнать по высоте - + Fit Width - Подогнать по ширине + Подогнать по ширине - + Fit image to width - Подогнать по ширине + Подогнать по ширине - + Show full size - Показать в полном размере + Показать в полном размере - + Fit to page - Подогнать под размер страницы + Подогнать под размер страницы + + + + Continuous scroll + Непрерывная прокрутка + + + + Switch to continuous scroll mode + Переключиться в режим непрерывной прокрутки - + Reset zoom - Сбросить масштаб + Сбросить масштаб - + Show zoom slider - Показать ползунок масштабирования + Показать ползунок масштабирования - + Zoom+ - Увеличить масштаб + Увеличить масштаб - + Zoom- - Уменьшить масштаб + Уменьшить масштаб - + Rotate image to the left - Повернуть изображение против часовой стрелки + Повернуть изображение против часовой стрелки - + Rotate image to the right - Повернуть изображение по часовой стрелке + Повернуть изображение по часовой стрелке - + Double page mode - Двухстраничный режим + Двухстраничный режим - + Switch to double page mode - Двухстраничный режим + Двухстраничный режим - + Double page manga mode - Двухстраничный режим манги + Двухстраничный режим манги - + Reverse reading order in double page mode - Двухстраничный режим манги + Двухстраничный режим манги - + Go To - Перейти к странице... + Перейти к странице... - + Go to page ... - Перейти к странице... + Перейти к странице... - + Options - Настройки + Настройки - + YACReader options - Настройки + Настройки - - + + Help - Справка + Справка - + Help, About YACReader - Справка + Справка - + Magnifying glass - Увеличительное стекло + Увеличительное стекло - + Switch Magnifying glass - Увеличительное стекло + Увеличительное стекло - + Set bookmark - Установить закладку + Установить закладку - + Set a bookmark on the current page - Установить закладку на текущей странице + Установить закладку на текущей странице - + Show bookmarks - Показать закладки + Показать закладки - + Show the bookmarks of the current comic - Показать закладки в текущем комиксе + Показать закладки в текущем комиксе - + Show keyboard shortcuts - Показать горячие клавиши + Показать горячие клавиши - + Show Info - Показать/скрыть номер страницы и текущее время + Показать/скрыть номер страницы и текущее время - + Close - Закрыть + Закрыть - + Show Dictionary - Переводчик YACreader + Переводчик YACreader - + Show go to flow - Показать поток страниц + Показать поток страниц - + Edit shortcuts - Редактировать горячие клавиши + Редактировать горячие клавиши - + &File - &Отображать панель инструментов + &Отображать панель инструментов - - + + Open recent - Открыть недавние + Открыть недавние - + File - Файл + Файл - + Edit - Редактировать + Редактировать - + View - Посмотреть + Посмотреть - + Go - Перейти + Перейти - + Window - Окно + Окно - - - + + + Open Comic - Открыть комикс + Открыть комикс - - - + + + Comic files - Файлы комикса + Файлы комикса - + Open folder - Открыть папку + Открыть папку - + page_%1.jpg - страница_%1.jpg + страница_%1.jpg - + Image files (*.jpg) - Файлы изображений (*.jpg) + Файлы изображений (*.jpg) + Comics - Комикс + Комикс Toggle fullscreen mode - Полноэкранный режим включить/выключить + Полноэкранный режим включить/выключить Hide/show toolbar - Показать/скрыть панель инструментов + Показать/скрыть панель инструментов + General - Общие + Общие Size up magnifying glass - Увеличение размера окошка увеличительного стекла + Увеличение размера окошка увеличительного стекла Size down magnifying glass - Уменьшение размера окошка увеличительного стекла + Уменьшение размера окошка увеличительного стекла Zoom in magnifying glass - Увеличить + Увеличить Zoom out magnifying glass - Уменьшить + Уменьшить Reset magnifying glass - + Сбросить увеличительное стекло + Magnifiying glass - Увеличительное стекло + Увеличительное стекло Toggle between fit to width and fit to height - Переключение режима подгонки страницы по ширине/высоте + Переключение режима подгонки страницы по ширине/высоте + Page adjustement - Настройка страницы + Настройка страницы - + Autoscroll down - Автопрокрутка вниз + Автопрокрутка вниз - + Autoscroll up - Автопрокрутка вверх + Автопрокрутка вверх - + Autoscroll forward, horizontal first - Автопрокрутка вперед, горизонтальная + Автопрокрутка вперед, горизонтальная - + Autoscroll backward, horizontal first - Автопрокрутка назад, горизонтальная + Автопрокрутка назад, горизонтальная - + Autoscroll forward, vertical first - Автопрокрутка вперед, вертикальная + Автопрокрутка вперед, вертикальная - + Autoscroll backward, vertical first - Автопрокрутка назад, вертикальная + Автопрокрутка назад, вертикальная - + Move down - Переместить вниз + Переместить вниз - + Move up - Переместить вверх + Переместить вверх - + Move left - Переместить влево + Переместить влево - + Move right - Переместить вправо + Переместить вправо - + Go to the first page - Перейти к первой странице + Перейти к первой странице - + Go to the last page - Перейти к последней странице + Перейти к последней странице - + Offset double page to the left - + Смещение разворота влево - + Offset double page to the right - + Смещение разворота вправо - + + Reading - Чтение + Чтение - + There is a new version available - Доступна новая версия + Доступна новая версия - + Do you want to download the new version? - Хотите загрузить новую версию ? + Хотите загрузить новую версию ? - + Remind me in 14 days - Напомнить через 14 дней + Напомнить через 14 дней - + Not now - Не сейчас + Не сейчас + + + + YACReader::TrayIconController + + + &Restore + &Rмагазин + + + + Systray + Систрей + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary продолжит работать в системном трее. Чтобы завершить работу программы, выберите <b>Quit</b> в контекстном меню значка на панели задач. YACReader::WhatsNewDialog - Close - Закрыть + Закрыть @@ -1407,172 +4047,152 @@ YACReaderFlowConfigWidget - CoverFlow look - Вид рулеткой + Вид рулеткой - How to show covers: - Как отображать обложки: + Как отображать обложки: - Stripe look - Вид полосами + Вид полосами - Overlapped Stripe look - Вид перекрывающимися полосами + Вид перекрывающимися полосами YACReaderGLFlowConfigWidget - Zoom - Масштабировать + Масштабировать - Light - Осветить + Осветить - Show advanced settings - Показать дополнительные настройки + Показать дополнительные настройки - Roulette look - Вид рулеткой + Вид рулеткой - Cover Angle - Охватить угол + Охватить угол - Stripe look - Вид полосами + Вид полосами - Position - Позиция + Позиция - Z offset - Смещение по Z + Смещение по Z - Y offset - Смещение по Y + Смещение по Y - Central gap - Сфокусировать разрыв + Сфокусировать разрыв - Presets: - Предустановки: + Предустановки: - Overlapped Stripe look - Вид перекрывающимися полосами + Вид перекрывающимися полосами - Modern look - Современный вид + Современный вид - View angle - Угол зрения + Угол зрения - Max angle - Максимальный угол + Максимальный угол - Custom: - Пользовательский: + Пользовательский: - Classic look - Классический вид + Классический вид - Cover gap - Осветить разрыв + Осветить разрыв - High Performance - Максимальная производительность + Максимальная производительность - Performance: - Производительность: + Производительность: - Use VSync (improve the image quality in fullscreen mode, worse performance) - Использовать VSync (повысить формат изображения в полноэкранном режиме , хуже производительность) + Использовать VSync (повысить формат изображения в полноэкранном режиме , хуже производительность) - Visibility - Прозрачность + Прозрачность - Low Performance - Минимальная производительность + Минимальная производительность YACReaderOptionsDialog - + Save Сохранить - Use hardware acceleration (restart needed) - Использовать аппаратное ускорение (Требуется перезагрузка) + Использовать аппаратное ускорение (Требуется перезагрузка) - + Cancel Отмена - + Shortcuts Горячие клавиши - + Edit shortcuts Редактировать горячие клавиши + + YACReaderSearchLineEdit + + + type to search + Начать поиск + + YACReaderSlider @@ -1584,23 +4204,23 @@ YACReaderTranslator - + clear очистить - + Service not available Сервис недоступен - - + + Translation Перевод - + YACReader translator Переводчик YACReader diff --git a/YACReader/yacreader_tr.ts b/YACReader/yacreader_tr.ts index 105ce7f30..05e874c7b 100644 --- a/YACReader/yacreader_tr.ts +++ b/YACReader/yacreader_tr.ts @@ -9,6 +9,196 @@ Hiçbiri + + AddLabelDialog + + + Label name: + Etiket adı: + + + + Choose a color: + Renk seçiniz: + + + + accept + kabul et + + + + cancel + vazgeç + + + + AddLibraryDialog + + + Comics folder : + Çizgi roman klasörü : + + + + Library name : + Kütüphane adı : + + + + Add + Ekle + + + + Cancel + Vazgeç + + + + Add an existing library + Kütüphaneye ekle + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Comic Vine'a bağlanmadan önce kendi API anahtarınıza ihtiyacınız var. Lütfen <a href="http://www.comicvine.com/api/">buradan</a> ücretsiz bir tane edinin + + + + Paste here your Comic Vine API key + Comic Vine API anahtarınızı buraya yapıştırın + + + + Accept + Kabul et + + + + Cancel + Vazgeç + + + + AppearanceTabWidget + + + Color scheme + Renk şeması + + + + System + Sistem + + + + Light + Işık + + + + Dark + Karanlık + + + + Custom + Gelenek + + + + Remove + Kaldırmak + + + + Remove this user-imported theme + Kullanıcı tarafından içe aktarılan bu temayı kaldır + + + + Light: + Işık: + + + + Dark: + Karanlık: + + + + Custom: + Kişisel: + + + + Import theme... + Temayı içe aktar... + + + + Theme + Tema + + + + Theme editor + Tema düzenleyici + + + + Open Theme Editor... + Tema Düzenleyiciyi Aç... + + + + Theme editor error + Tema düzenleyici hatası + + + + The current theme JSON could not be loaded. + Geçerli tema JSON yüklenemedi. + + + + Import theme + Temayı içe aktar + + + + JSON files (*.json);;All files (*) + JSON dosyaları (*.json);;Tüm dosyalar (*) + + + + Could not import theme from: +%1 + Tema şu kaynaktan içe aktarılamadı: +%1 + + + + Could not import theme from: +%1 + +%2 + Tema şu kaynaktan içe aktarılamadı: +%1 + +%2 + + + + Import failed + İçe aktarma başarısız oldu + + BookmarksDialog @@ -33,6 +223,200 @@ Son Sayfa + + ClassicComicsView + + + Hide comic flow + Çizgi roman akışını gizle + + + + ComicModel + + + yes + evet + + + + no + hayır + + + + Title + Başlık + + + + File Name + Dosya Adı + + + + Pages + Sayfalar + + + + Size + Boyut + + + + Read + Oku + + + + Current Page + Geçreli Sayfa + + + + Publication Date + Yayın Tarihi + + + + Rating + Reyting + + + + Series + Seri + + + + Volume + Hacim + + + + Story Arc + Hikaye Arkı + + + + ComicVineDialog + + + skip + geç + + + + back + geri + + + + next + sonraki + + + + search + ara + + + + close + kapat + + + + + comic %1 of %2 - %3 + çizgi roman %1 / %2 - %3 + + + + + + Looking for volume... + Sayılar aranıyor... + + + + %1 comics selected + %1 çizgi roman seçildi + + + + Error connecting to ComicVine + ComicVine sitesine bağlanılırken hata + + + + + Retrieving tags for : %1 + %1 için etiketler alınıyor + + + + Retrieving volume info... + Sayı bilgileri alınıyor... + + + + Looking for comic... + Çizgi romanlar aranıyor... + + + + ContinuousPageWidget + + + Loading page %1 + %1 sayfası yükleniyor + + + + CreateLibraryDialog + + + Comics folder : + Çizgi roman klasörü : + + + + Library Name : + Kütüphane Adı : + + + + Create + Oluştur + + + + Cancel + Vazgeç + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Yeni kütüphanenin oluşturulması birkaç dakika sürecek. + + + + Create new library + Yeni kütüphane oluştur + + + + Path not found + Dizin bulunamadı + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol + + EditShortcutsDialog @@ -51,16 +435,134 @@ Kısayol oyarları - + Shortcut in use Kısayol kullanımda - + The shortcut "%1" is already assigned to other function "%1" kısayolu bir başka işleve zaten atanmış + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Bu klasör henüz çizgi roman içermiyor + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Bu etiket henüz çizgi roman içermiyor + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Bu okuma listesi henüz çizgi roman içermiyor + + + + EmptySpecialListWidget + + + No favorites + Favoriler boş + + + + You are not reading anything yet, come on!! + Henüz bir şey okumuyorsun, hadi ama! + + + + There are no recent comics! + Yeni çizgi roman yok! + + + + ExportComicsInfoDialog + + + Output file : + Çıkış dosyası : + + + + Create + Oluştur + + + + Cancel + Vazgeç + + + + Export comics info + Çizgi roman bilgilerini göster + + + + Destination database name + Hedef adı + + + + Problem found while writing + Yazma sırasında bir problem oldu + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol + + + + ExportLibraryDialog + + + Output folder : + Çıktı klasörü : + + + + Create + Oluştur + + + + Cancel + Vazgeç + + + + Create covers package + Kapak paketi oluştur + + + + Problem found while writing + Yazma sırasında bir problem oldu + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol + + + + Destination directory + Hedef dizin + + FileComic @@ -116,1266 +618,3466 @@ GoToFlowToolBar - + Page : Sayfa : + + GridComicsView + + + Show info + Bilgi göster + + HelpAboutDialog - + Help Yardım - + System info - + Sistem bilgisi - + About Hakkında - LogWindow + ImportComicsInfoDialog - - Log window - Günlük penceresi + + Import comics info + Çizgi roman bilgilerini çıkart - - &Pause - &Duraklat + + Info database location : + Bilgi veritabanı konumu : - - &Save - &Kaydet + + Import + Çıkart - - C&lear - &Temizle + + Cancel + Vazgeç - - &Copy - &Kopyala + + Comics info file (*.ydb) + Çizgi roman bilgi dosyası (*.ydb) + + + ImportLibraryDialog - - Level: - + + Library Name : + Kütüphane Adı : - - &Auto scroll - &Otomatik kaydır + + Package location : + Paket konumu : - - - MainWindowViewer - Help - Yardım + + Destination folder : + Hedef klasör : - Save - Kaydet + + Unpack + Paketten çıkar - &File - &Dosya + + Cancel + Vazgeç - &Next - &İleri + + Extract a catalog + Katalog ayıkla - &Open - &Aç + + Compresed library covers (*.clc) + Sıkıştırılmış kütüphane kapakları (*.clc) + + + ImportWidget - Close - Kapat + + stop + dur + + + + Some of the comics being added... + Bazı çizgi romanlar önceden eklenmiş... + + + + Importing comics + önemli çizgi romanlar + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderKütüphane şu anda yeni bir kütüphane oluşturuyor</p><p>Kütüphanenin oluşturulması birkaç dakika alacak.</p> + + + + Updating the library + Kütüphaneyi güncelle + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Kütüphane güncelleniyor</p><p>Güncellemeyi daha sonra iptal edebilirsin.</p> + + + + Upgrading the library + Kütüphane güncelleniyor + + + + <p>The current library is being upgraded, please wait.</p> + <p>Mevcut kütüphane güncelleniyor, lütfen bekleyin.</p> + + + + Scanning the library + Kütüphaneyi taramak + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Geçerli kitaplık, eski XML meta veri bilgileri için taranıyor.</p><p>Bu yalnızca bir kez gereklidir ve yalnızca kitaplığın YACReaderLibrary 9.8.2 veya daha eski bir sürümle oluşturulmuş olması durumunda gereklidir.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Kütüphane + + + + + + comic + komik + + + + + + manga + manga t?r? + + + + + + western manga (left to right) + Batı mangası (soldan sağa) + + + + + + web comic + web çizgi romanı + + + + + + 4koma (top to botom) + 4koma (yukarıdan aşağıya) + + + + + + + Set type + Türü ayarla + + + + Library + Kütüphane + + + + Folder + Klasör + + + + Comic + Çizgi roman + + + + Upgrade failed + Yükseltme başarısız oldu + + + + There were errors during library upgrade in: + Kütüphane yükseltmesi sırasında hatalar oluştu: + + + + Update needed + Güncelleme gerekli + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Bu kütüphane YACReaderKütüphabenin bir önceki versiyonun oluşturulmuş, güncellemeye ihtiyacın var. Şimdi güncellemek ister misin ? + + + + Download new version + Yeni versiyonu indir + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Bu kütüphane YACRKütüphanenin üst bir versiyonunda oluşturulmu. Yeni versiyonu indirmek ister misiniz ? + + + + + Library not available + Kütüphane ulaşılabilir değil + + + + Library '%1' is no longer available. Do you want to remove it? + Kütüphane '%1'ulaşılabilir değil. Kaldırmak ister misin? + + + + Old library + Eski kütüphane + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Kütüphane '%1 YACRKütüphanenin eski bir sürümünde oluşturulmuş, Kütüphaneyi yeniden oluşturmak ister misin? + + + + + Copying comics... + Çizgi romanlar kopyalanıyor... + + + + + Moving comics... + Çizgi romanlar taşınıyor... + + + + Add new folder + Yeni klasör ekle + + + + Folder name: + Klasör adı: + + + + No folder selected + Hiçbir klasör seçilmedi + + + + Please, select a folder first + Lütfen, önce bir klasör seçiniz + + + + Error in path + Yolda hata + + + + There was an error accessing the folder's path + Klasörün yoluna erişilirken hata oluştu + + + + Delete folder + Klasörü sil + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Seçilen klasör ve tüm içeriği diskinizden silinecek. Emin misin? + + + + + Unable to delete + Silinemedi + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Seçili klasörleri silmeye çalışırken bir sorun oluştu. Lütfen yazma izinlerini kontrol edin ve herhangi bir uygulamanın bu klasörleri veya içerdiği dosyalardan herhangi birini kullandığından emin olun. + + + + Add new reading lists + Yeni okuma listeleri ekle + + + + + List name: + Liste adı: + + + + Delete list/label + Listeyi/Etiketi sil + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Seçilen öğe silinecek, çizgi romanlarınız veya klasörleriniz diskinizden SİLİNMEYECEKTİR. Emin misin? + + + + Rename list name + Listeyi yeniden adlandır + + + + Open folder... + Dosyayı aç... + + + + Update folder + Klasörü güncelle + + + + Rescan library for XML info + XML bilgisi için kitaplığı yeniden tarayın + + + + Set as uncompleted + Tamamlanmamış olarak ayarla + + + + Set as completed + Tamamlanmış olarak ayarla + + + + Set as read + Okundu olarak işaretle + + + + + Set as unread + Hepsini okunmadı işaretle + + + + Set custom cover + Özel kapak ayarla + + + + Delete custom cover + Özel kapağı sil + + + + Save covers + Kapakları kaydet + + + + You are adding too many libraries. + Çok fazla kütüphane ekliyorsunuz. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Çok fazla kütüphane ekliyorsunuz. + +Muhtemelen üst düzey çizgi roman klasörünüzde yalnızca bir kütüphaneye ihtiyacınız vardır, sol kenar çubuğundaki klasörler bölümünü kullanarak herhangi bir alt klasöre göz atabilirsiniz. + +YACReaderLibrary daha fazla kütüphane oluşturmanıza engel olmaz ancak kütüphane sayısını düşük tutmalısınız. + + + + + YACReader not found + YACReader bulunamadı + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader bulunamadı. YACReader, YACReaderLibrary ile aynı klasöre kurulmalıdır. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader bulunamadı. YACReader kurulumunuzda bir sorun olabilir. + + + + Error + Hata + + + + Error opening comic with third party reader. + Çizgi roman üçüncü taraf okuyucuyla açılırken hata oluştu. + + + + Library not found + Kütüphane bulunamadı + + + + The selected folder doesn't contain any library. + Seçilen dosya kütüphanede yok. + + + + Are you sure? + Emin misin? + + + + Do you want remove + Kaldırmak ister misin + + + + library? + kütüphane? + + + + Remove and delete metadata + Metadata'yı kaldır ve sil + + + + Library info + Kütüphane bilgisi + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Seçilen çizgi romanlar silinmeye çalışılırken bir sorun oluştu. Lütfen seçilen dosyalarda veya klasörleri içeren yazma izinlerini kontrol edin. + + + + Assign comics numbers + Çizgi roman numaraları ata + + + + Assign numbers starting in: + Şunlardan başlayarak numaralar ata: + + + + Invalid image + Geçersiz resim + + + + The selected file is not a valid image. + Seçilen dosya geçerli bir resim değil. + + + + Error saving cover + Kapak kaydedilirken hata oluştu + + + + There was an error saving the cover image. + Kapak resmi kaydedilirken bir hata oluştu. + + + + Error creating the library + Kütüphane oluşturma sorunu + + + + Error updating the library + Kütüphane güncelleme sorunu + + + + Error opening the library + Haa kütüphanesini aç + + + + Delete comics + Çizgi romanları sil + + + + All the selected comics will be deleted from your disk. Are you sure? + Seçilen tüm çizgi romanlar diskten silinecek emin misin ? + + + + Remove comics + Çizgi romanları kaldır + + + + Comics will only be deleted from the current label/list. Are you sure? + Çizgi romanlar yalnızca mevcut etiketten/listeden silinecektir. Emin misin? + + + + Library name already exists + Kütüphane ismi zaten alınmış + + + + There is another library with the name '%1'. + Bu başka bir kütüphanenin adı '%1'. + + + + LibraryWindowActions + + + Create a new library + Yeni kütüphane oluştur + + + + Open an existing library + Çıkış kütüphanesini aç + + + + + Export comics info + Çizgi roman bilgilerini göster + + + + + Import comics info + Çizgi roman bilgilerini çıkart + + + + Pack covers + Paket kapakları + + + + Pack the covers of the selected library + Kütüphanede ki kapakları paketle + + + + Unpack covers + Kapakları aç + + + + Unpack a catalog + Kataloğu çkart + + + + Update library + Kütüphaneyi güncelle + + + + Update current library + Kütüphaneyi güncelle + + + + Rename library + Kütüphaneyi yeniden adlandır + + + + Rename current library + Kütüphaneyi adlandır + + + + Remove library + Kütüphaneyi sil + + + + Remove current library from your collection + Kütüphaneyi koleksiyonundan kaldır + + + + Rescan library for XML info + XML bilgisi için kitaplığı yeniden tarayın + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Komik dosyalara gömülü XML bilgilerini bulmaya çalışır. Bunu yalnızca kitaplık 9.8.2 veya önceki sürümlerle oluşturulmuşsa veya XML bilgilerini dosyalara eklemek için üçüncü taraf yazılım kullanıyorsanız yapmanız gerekir. + + + + Show library info + Kitaplık bilgilerini göster + + + + Show information about the current library + Geçerli kitaplık hakkındaki bilgileri göster + + + + Open current comic + Seçili çizgi romanı aç + + + + Open current comic on YACReader + YACReader'ı geçerli çizgi roman okuyucsu seç + + + + Save selected covers to... + Seçilen kapakları şuraya kaydet... + + + + Save covers of the selected comics as JPG files + Seçilen çizgi romanların kapaklarını JPG dosyaları olarak kaydet + + + + + Set as read + Okundu olarak işaretle + + + + Set comic as read + Çizgi romanı okundu olarak işaretle + + + + + Set as unread + Hepsini okunmadı işaretle + + + + Set comic as unread + Çizgi Romanı okunmadı olarak seç + + + + + manga + manga t?r? + + + + Set issue as manga + Sayıyı manga olarak ayarla + + + + + comic + komik + + + + Set issue as normal + Sayıyı normal olarak ayarla + + + + western manga + batı mangası + + + + Set issue as western manga + Konuyu western mangası olarak ayarla + + + + + web comic + web çizgi romanı + + + + Set issue as web comic + Sorunu web çizgi romanı olarak ayarla + + + + + yonkoma + d?rt panelli + + + + Set issue as yonkoma + Sorunu yonkoma olarak ayarla + + + + Show/Hide marks + Altçizgileri aç/kapa + + + + Show or hide read marks + Okundu işaretlerini göster yada gizle + + + + Show/Hide recent indicator + Son göstergeyi Göster/Gizle + + + + Show or hide recent indicator + Son göstergeyi göster veya gizle + + + + + Fullscreen mode on/off + Tam ekran modu açık/kapalı + + + + Help, About YACReader + YACReader hakkında yardım ve bilgi + + + + Add new folder + Yeni klasör ekle + + + + Add new folder to the current library + Geçerli kitaplığa yeni klasör ekle + + + + Delete folder + Klasörü sil + + + + Delete current folder from disk + Geçerli klasörü diskten sil + + + + Select root node + Kökü seçin + + + + Expand all nodes + Tüm düğümleri büyüt + + + + Collapse all nodes + Tüm düğümleri kapat + + + + Show options dialog + Ayarları göster + + + + Show comics server options dialog + Çizgi romanların server ayarlarını göster + + + + + Change between comics views + Çizgi roman görünümleri arasında değiştir + + + + Open folder... + Dosyayı aç... + + + + Set as uncompleted + Tamamlanmamış olarak ayarla + + + + Set as completed + Tamamlanmış olarak ayarla + + + + Set custom cover + Özel kapak ayarla + + + + Delete custom cover + Özel kapağı sil + + + + western manga (left to right) + Batı mangası (soldan sağa) + + + + Open containing folder... + Klasör açılıyor... + + + + Reset comic rating + Çizgi roman reytingini sıfırla + + + + Select all comics + Tüm çizgi romanları seç + + + + Edit + Düzen + + + + Assign current order to comics + Geçerli sırayı çizgi romanlara ata + + + + Update cover + Kapağı güncelle + + + + Delete selected comics + Seçili çizgi romanları sil + + + + Delete metadata from selected comics + Seçilen çizgi romanlardan meta verileri sil + + + + Download tags from Comic Vine + Etiketleri Comic Vine sitesinden indir + + + + Focus search line + Arama satırına odaklan + + + + Focus comics view + Çizgi roman görünümüne odaklanın + + + + Edit shortcuts + Kısayolları düzenle + + + + &Quit + &Çıkış + + + + Update folder + Klasörü güncelle + + + + Update current folder + Geçerli klasörü güncelle + + + + Scan legacy XML metadata + Eski XML meta verilerini tarayın + + + + Add new reading list + Yeni okuma listesi ekle + + + + Add a new reading list to the current library + Geçerli kitaplığa yeni bir okuma listesi ekle + + + + Remove reading list + Okuma listesini kaldır + + + + Remove current reading list from the library + Geçerli okuma listesini kütüphaneden kaldır + + + + Add new label + Yeni etiket ekle + + + + Add a new label to this library + Bu kitaplığa yeni bir etiket ekle + + + + Rename selected list + Seçilen listeyi yeniden adlandır + + + + Rename any selected labels or lists + Seçilen etiketleri ya da listeleri yeniden adlandır + + + + Add to... + Şuraya ekle... + + + + Favorites + Favoriler + + + + Add selected comics to favorites list + Seçilen çizgi romanları favoriler listesine ekle + + + + LocalComicListModel + + + file name + dosya adı + + + + LogWindow + + Log window + Günlük penceresi + + + &Pause + &Duraklat + + + &Save + &Kaydet + + + C&lear + &Temizle + + + &Copy + &Kopyala + + + &Auto scroll + &Otomatik kaydır + + + + MainWindowViewer + + Help + Yardım + + + Save + Kaydet + + + &File + &Dosya + + + &Next + &İleri + + + &Open + &Aç + + + Close + Kapat Open Comic Çizgi Romanı Aç - Go To - Git + Go To + Git + + + Open image folder + Resim dosyasınıaç + + + Set bookmark + Yer imi yap + + + page_%1.jpg + sayfa_%1.jpg + + + Switch to double page mode + Çift sayfa moduna geç + + + Save current page + Geçerli sayfayı kaydet + + + Double page mode + Çift sayfa modu + + + Switch Magnifying glass + Büyüteç + + + Open Folder + Dosyayı Aç + + + Comic files + Çizgi Roman Dosyaları + + + Go to previous page + Önceki sayfaya dön + + + Open a comic + Çizgi romanı aç + + + Image files (*.jpg) + Resim dosyaları (*.jpg) + + + Next Comic + Sırada ki çizgi roman + + + Fit Width + Uygun Genişlik + + + Options + Ayarlar + + + Show Info + Bilgiyi göster + + + Open folder + Dosyayı aç + + + Go to page ... + Sayfata git... + + + Fit image to width + Görüntüyü sığdır + + + &Previous + &Geri + + + Go to next page + Sonra ki sayfaya geç + + + Show keyboard shortcuts + Klavye kısayollarını göster + + + There is a new version available + Yeni versiyon mevcut + + + Open next comic + Sıradaki çizgi romanı aç + + + Show bookmarks + Yer imlerini göster + + + Open previous comic + Önceki çizgi romanı aç + + + Rotate image to the left + Sayfayı sola yatır + + + Fit image to height + Uygun yüksekliğe getir + + + Show the bookmarks of the current comic + Bu çizgi romanın yer imlerini göster + + + Show Dictionary + Sözlüğü göster + + + YACReader options + YACReader ayarları + + + Help, About YACReader + YACReader hakkında yardım ve bilgi + + + Show go to flow + Akışı göster + + + Previous Comic + Önce ki çizgi roman + + + Show full size + Tam erken + + + Magnifying glass + Büyüteç + + + General + Genel + + + Set a bookmark on the current page + Sayfayı yer imi olarak ayarla + + + Do you want to download the new version? + Yeni versiyonu indirmek ister misin ? + + + Rotate image to the right + Sayfayı sağa yator + + + Always on top + Her zaman üstte + + + New instance + Yeni örnek + + + Open latest comic + En son çizgi romanı aç + + + Open the latest comic opened in the previous reading session + Önceki okuma oturumunda açılan en son çizgi romanı aç + + + Clear + Temizle + + + Clear open recent list + Son açılanlar listesini temizle + + + Fit Height + Yüksekliğe Sığdır + + + Fit to page + Sayfaya sığdır + + + Reset zoom + Yakınlaştırmayı sıfırla + + + Show zoom slider + Yakınlaştırma çubuğunu göster + + + Zoom+ + Yakınlaştır + + + Zoom- + Uzaklaştır + + + Double page manga mode + Çift sayfa manga kipi + + + Reverse reading order in double page mode + Çift sayfa kipinde ters okuma sırası + + + Edit shortcuts + Kısayolları düzenle + + + Open recent + Son dosyaları aç + + + File + Dosya + + + Edit + Düzen + + + View + Görünüm + + + Go + Git + + + Window + Pencere + + + Comics + Çizgi Roman + + + Toggle fullscreen mode + Tam ekran kipini aç/kapat + + + Hide/show toolbar + Araç çubuğunu göster/gizle + + + Size up magnifying glass + Büyüteci büyüt + + + Size down magnifying glass + Büyüteci küçült + + + Zoom in magnifying glass + Büyüteci yakınlaştır + + + Zoom out magnifying glass + Büyüteci uzaklaştır + + + Magnifiying glass + Büyüteç + + + Toggle between fit to width and fit to height + Genişliğe sığdır ile yüksekliğe sığdır arasında geçiş yap + + + Page adjustement + Sayfa ayarı + + + Autoscroll down + Otomatik aşağı kaydır + + + Autoscroll up + Otomatik yukarı kaydır + + + Autoscroll forward, horizontal first + Otomatik ileri kaydır, önce yatay + + + Autoscroll backward, horizontal first + Otomatik geri kaydır, önce yatay + + + Autoscroll forward, vertical first + Otomatik ileri kaydır, önce dikey + + + Autoscroll backward, vertical first + Otomatik geri kaydır, önce dikey + + + Move down + Aşağı git + + + Move up + Yukarı git + + + Move left + Sola git + + + Move right + Sağa git + + + Go to the first page + İlk sayfaya git + + + Go to the last page + En son sayfaya git + + + Reading + Okuma + + + Remind me in 14 days + 14 gün içinde hatırlat + + + Not now + Şimdi değil + + + + NoLibrariesWidget + + + You don't have any libraries yet + Henüz bir kütüphaneye sahip değilsin + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Yeni bir kütüphane oluşturabilmeniçin kütüphane</p><p>No olvides que puedes usar YACReader como una aplicación independiente para leer los cómics en tu ordenador.</p> + + + + create your first library + İlk kütüphaneni oluştur + + + + add an existing one + Var olan bir tane ekle + + + + NoSearchResultsWidget + + + No results + Sonuç yok + + + + OptionsDialog + + + Gamma + Gama + + + + Reset + Yeniden başlat + + + + My comics path + Çizgi Romanlarım + + + + Scaling + Ölçeklendirme + + + + Scaling method + Ölçeklendirme yöntemi + + + + Nearest (fast, low quality) + En yakın (hızlı, düşük kalite) + + + + Bilinear + Çift doğrusal + + + + Lanczos (better quality) + Lanczos (daha kaliteli) + + + + Image adjustment + Resim ayarları + + + + "Go to flow" size + Akış görünümüne git + + + + Choose + Seç + + + + Image options + Sayfa ayarları - Open image folder - Resim dosyasınıaç + + Contrast + Kontrast - Set bookmark - Yer imi yap + + + Libraries + Kütüphaneler - page_%1.jpg - sayfa_%1.jpg + + Comic Flow + Çizgi Roman Akışı - Switch to double page mode - Çift sayfa moduna geç + + Grid view + Izgara görünümü - Save current page - Geçerli sayfayı kaydet + + + Appearance + Dış görünüş - Double page mode - Çift sayfa modu + + + Options + Ayarlar - Switch Magnifying glass - Büyüteç + + + Language + Dil - Open Folder - Dosyayı Aç + + + Application language + Uygulama dili - Comic files - Çizgi Roman Dosyaları + + + System default + Sistem varsayılanı - Go to previous page - Önceki sayfaya dön + + Tray icon settings (experimental) + Tepsi simgesi ayarları (deneysel) - Open a comic - Çizgi romanı aç + + Close to tray + Tepsiyi kapat - Image files (*.jpg) - Resim dosyaları (*.jpg) + + Start into the system tray + Sistem tepsisinde başlat - Next Comic - Sırada ki çizgi roman + + Edit Comic Vine API key + Comic Vine API anahtarını düzenle - Fit Width - Uygun Genişlik + + Comic Vine API key + Comic Vine API anahtarı - Options - Ayarlar + + ComicInfo.xml legacy support + ComicInfo.xml eski desteği - Show Info - Bilgiyi göster + + Import metadata from ComicInfo.xml when adding new comics + Yeni çizgi roman eklerken meta verileri ComicInfo.xml'den içe aktarın - Open folder - Dosyayı aç + + Consider 'recent' items added or updated since X days ago + X gün öncesinden bu yana eklenen veya güncellenen 'en son' öğeleri göz önünde bulundurun - Go to page ... - Sayfata git... + + Third party reader + Üçüncü taraf okuyucu - Fit image to width - Görüntüyü sığdır + + Write {comic_file_path} where the path should go in the command + Komutta yolun gitmesi gereken yere {comic_file_path} yazın + + + + + Clear + Temizle + + + + Update libraries at startup + Başlangıçta kitaplıkları güncelleyin + + + + Try to detect changes automatically + Değişiklikleri otomatik olarak algılamayı deneyin + + + + Update libraries periodically + Kitaplıkları düzenli aralıklarla güncelleyin + + + + Interval: + Aralık: + + + + 30 minutes + 30 dakika + + + + 1 hour + 1 saat + + + + 2 hours + 2 saat + + + + 4 hours + 4 saat + + + + 8 hours + 8 saat + + + + 12 hours + 12 saat + + + + daily + günlük + + + + Update libraries at certain time + Kitaplıkları belirli bir zamanda güncelle + + + + Time: + Zaman: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + UYARI! Kütüphane güncellemeleri sırasında veritabanına yazma işlemi devre dışı bırakılır! +Uygulamayı aktif olarak kullanırken güncelleme planlamayın. +Otomatik güncellemeler sırasında uygulama, güncelleme bitene kadar bazı eylemleri engelleyecektir. +Otomatik güncellemeyi durdurmak için Kitaplıklar başlığının yanındaki yükleme göstergesine dokunun. + + + + Modifications detection + Değişiklik tespiti + + + + Compare the modified date of files when updating a library (not recommended) + Kitaplığı güncellerken dosyaların değiştirilme tarihini karşılaştırın (önerilmez) + + + + Enable background image + Arka plan resmini etkinleştir + + + + Opacity level + Matlık düzeyi + + + + Blur level + Bulanıklık düzeyi + + + + Use selected comic cover as background + Seçilen çizgi roman kapanığı arka plan olarak kullan + + + + Restore defautls + Varsayılanları geri yükle + + + + Background + Arka plan + + + + Display continue reading banner + Okuma devam et bannerını göster + + + + Display current comic banner + Mevcut çizgi roman banner'ını görüntüle + + + + Continue reading + Okumaya devam et + + + + Comics directory + Çizgi roman konumu + + + + Background color + Arka plan rengi + + + + Page Flow + Sayfa akışı + + + + + General + Genel + + + + Brightness + Parlaklık + + + + + Restart is needed + Yeniden başlatılmalı + + + + Quick Navigation Mode + Hızlı Gezinti Kipi + + + + Display + Görüntülemek + + + + Show time in current page information label + Geçerli sayfa bilgisi etiketinde zamanı göster + + + + Scroll behaviour + Kaydırma davranışı + + + + Disable scroll animations and smooth scrolling + Kaydırma animasyonlarını ve düzgün kaydırmayı devre dışı bırakın + + + + Do not turn page using scroll + Kaydırmayı kullanarak sayfayı çevirmeyin + + + + Use single scroll step to turn page + Sayfayı çevirmek için tek kaydırma adımını kullanın + + + + Mouse mode + Fare modu + + + + Only Back/Forward buttons can turn pages + Yalnızca Geri/İleri düğmeleri sayfaları çevirebilir + + + + Use the Left/Right buttons to turn pages. + Sayfaları çevirmek için Sol/Sağ tuşlarını kullanın. + + + + Click left or right half of the screen to turn pages. + Sayfaları çevirmek için ekranın sol veya sağ yarısına tıklayın. + + + + Disable mouse over activation + Etkinleştirme üzerinde fareyi devre dışı bırak + + + + Fit options + Sığdırma seçenekleri + + + + Enlarge images to fit width/height + Genişliğe/yüksekliği sığmaları için resimleri genişlet + + + + Double Page options + Çift Sayfa seçenekleri + + + + Show covers as single page + Kapakları tek sayfa olarak göster + + + + PropertiesDialog + + + General info + Genel bilgi + + + + Plot + Argumento + + + + Authors + Yazarlar + + + + Publishing + Yayın + + + + Notes + Notlar + + + + Cover page + Kapak sayfası + + + + Load previous page as cover + Önceki sayfayı kapak olarak yükle + + + + Load next page as cover + Sonraki sayfayı kapak olarak yükle + + + + Reset cover to the default image + Kapağı varsayılan görüntüye sıfırla + + + + Load custom cover image + Özel kapak resmini yükle + + + + Series: + Seriler: + + + + Title: + Başlık: + + + + + + of: + ile ilgili: + + + + Issue number: + Yayın numarası: + + + + Volume: + Cilt: + + + + Arc number: + Ark numarası: + + + + Story arc: + Hiakye: + + + + alt. number: + alternatif sayı: + + + + Alternate series: + Alternatif seri: + + + + Series Group: + Seri Grubu: + + + + Genre: + Tür: + + + + Size: + Boyut: + + + + Writer(s): + Yazarlar: + + + + Penciller(s): + Çizenler: + + + + Inker(s): + Mürekkep(ler): + + + + Colorist(s): + Renklendiren: + + + + Letterer(s): + Mesaj(lar): + + + + Cover Artist(s): + Kapak artisti: + + + + Editor(s): + Editör(ler): + + + + Imprint: + Künye: + + + + Day: + Gün: + + + + Month: + Ay: + + + + Year: + Yıl: + + + + Publisher: + Yayıncı: + + + + Format: + Formato: + + + + Color/BW: + Renk/BW: + + + + Age rating: + Yaş sınırı: - &Previous - &Geri + + Type: + Tip: - Go to next page - Sonra ki sayfaya geç + + Language (ISO): + Dil (ISO): - Show keyboard shortcuts - Klavye kısayollarını göster + + Synopsis: + Özet: - There is a new version available - Yeni versiyon mevcut + + Characters: + Karakterler: - Open next comic - Sıradaki çizgi romanı aç + + Teams: + Takımlar: - Show bookmarks - Yer imlerini göster + + Locations: + Konumlar: - Open previous comic - Önceki çizgi romanı aç + + Main character or team: + Ana karakter veya takım: - Rotate image to the left - Sayfayı sola yatır + + Review: + Gözden geçirmek: - Fit image to height - Uygun yüksekliğe getir + + Notes: + Notlar: - Show the bookmarks of the current comic - Bu çizgi romanın yer imlerini göster + + Tags: + Etiketler: - Show Dictionary - Sözlüğü göster + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine bağlantısı: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> görüntüle </a> - YACReader options - YACReader ayarları + + Not found + Bulunamadı - Help, About YACReader - YACReader hakkında yardım ve bilgi + + Comic not found. You should update your library. + Çizgi roman bulunamadı. Kütüphaneyi güncellemelisin. - Show go to flow - Akışı göster + + Edit comic information + Çizgi roman bilgisini düzenle - Previous Comic - Önce ki çizgi roman + + Edit selected comics information + Seçilen çizgi roman bilgilerini düzenle - Show full size - Tam erken + + Invalid cover + Geçersiz kapak - Magnifying glass - Büyüteç + + The image is invalid. + Resim geçersiz. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer, YACReaderLibrary'nin başsız (gui yok) sürümüdür. + +Bu uygulama kalıcı ayarları destekler, bunları ayarlamak için bu dosyayı düzenleyin %1 +Mevcut ayarlar hakkında bilgi edinmek için lütfen https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md adresindeki belgelere bakın. + + + QObject - General - Genel + + 7z lib not found + 7z lib bulunamadı - Set a bookmark on the current page - Sayfayı yer imi olarak ayarla + + unable to load 7z lib from ./utils + ./utils içinden 7z lib yüklenemedi - Do you want to download the new version? - Yeni versiyonu indirmek ister misin ? + + Trace + İz - Rotate image to the right - Sayfayı sağa yator + + Debug + Hata ayıkla - Always on top - Her zaman üstte + + Info + Bilgi - New instance - Yeni örnek + + Warning + Uyarı - Open latest comic - En son çizgi romanı aç + + Error + Hata - Open the latest comic opened in the previous reading session - Önceki okuma oturumunda açılan en son çizgi romanı aç + + Fatal + Ölümcül - Clear - Temizle + + Select custom cover + Özel kapak seçin - Clear open recent list - Son açılanlar listesini temizle + + Images (%1) + Resimler (%1) - Fit Height - Yüksekliğe Sığdır + + The file could not be read or is not valid JSON. + Dosya okunamadı veya geçerli bir JSON değil. - Fit to page - Sayfaya sığdır + + This theme is for %1, not %2. + Bu tema %2 için değil, %1 içindir. - Reset zoom - Yakınlaştırmayı sıfırla + + Libraries + Kütüphaneler - Show zoom slider - Yakınlaştırma çubuğunu göster + + Folders + Klasör - Zoom+ - Yakınlaştır + + Reading Lists + Okuma Listeleri + + + QsLogging::LogWindowModel - Zoom- - Uzaklaştır + Time + Süre - Double page manga mode - Çift sayfa manga kipi + Level + Düzey - Reverse reading order in double page mode - Çift sayfa kipinde ters okuma sırası + Message + Mesaj + + + QsLogging::Window - Edit shortcuts - Kısayolları düzenle + &Pause + &Duraklat - Open recent - Son dosyaları aç + &Resume + &Sürdür - File - Dosya + Save log + Günlük kaydet - Edit - Düzen + Log file (*.log) + Günlük dosyası (*.log) + + + RenameLibraryDialog - View - Görünüm + + New Library Name : + Yeni Kütüphane Adı : - Go - Git + + Rename + Yeniden adlandır - Window - Pencere + + Cancel + Vazgeç - Comics - Çizgi Roman + + Rename current library + Kütüphaneyi adlandır + + + ScraperResultsPaginator - Toggle fullscreen mode - Tam ekran kipini aç/kapat + + Number of volumes found : %1 + Bulunan bölüm sayısı: %1 - Hide/show toolbar - Araç çubuğunu göster/gizle + + + page %1 of %2 + sayfa %1 / %2 - Size up magnifying glass - Büyüteci büyüt + + Number of %1 found : %2 + Sayı %1, bulunan : %2 + + + SearchSingleComic - Size down magnifying glass - Büyüteci küçült + + Please provide some additional information for this comic. + Lütfen bazı ek bilgiler sağlayın. - Zoom in magnifying glass - Büyüteci yakınlaştır + + Series: + Seriler: - Zoom out magnifying glass - Büyüteci uzaklaştır + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Tam eşleme aramasını kullanın. Addaki bazı sözcüklerle eşleşen ciltleri bulmak istiyorsanız devre dışı bırakın. + + + SearchVolume - Magnifiying glass - Büyüteç + + Please provide some additional information. + Lütfen bazı ek bilgiler sağlayın. - Toggle between fit to width and fit to height - Genişliğe sığdır ile yüksekliğe sığdır arasında geçiş yap + + Series: + Seriler: - Page adjustement - Sayfa ayarı + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Tam eşleme aramasını kullanın. Addaki bazı sözcüklerle eşleşen ciltleri bulmak istiyorsanız devre dışı bırakın. + + + SelectComic - Autoscroll down - Otomatik aşağı kaydır + + Please, select the right comic info. + Lütfen, doğru çizgi roman bilgisini seçin. - Autoscroll up - Otomatik yukarı kaydır + + comics + çizgi roman - Autoscroll forward, horizontal first - Otomatik ileri kaydır, önce yatay + + loading cover + kapak yükleniyor - Autoscroll backward, horizontal first - Otomatik geri kaydır, önce yatay + + loading description + açıklama yükleniyor - Autoscroll forward, vertical first - Otomatik ileri kaydır, önce dikey + + comic description unavailable + çizgi roman açıklaması mevcut değil + + + SelectVolume - Autoscroll backward, vertical first - Otomatik geri kaydır, önce dikey + + Please, select the right series for your comic. + Çizgi romanınız için doğru seriyi seçin. - Move down - Aşağı git + + Filter: + Filtre: - Move up - Yukarı git + + volumes + sayı - Move left - Sola git + + Nothing found, clear the filter if any. + Hiçbir şey bulunamadı, varsa filtreyi temizleyin. - Move right - Sağa git + + loading cover + kapak yükleniyor - Go to the first page - İlk sayfaya git + + loading description + açıklama yükleniyor - Go to the last page - En son sayfaya git + + volume description unavailable + cilt açıklaması kullanılamıyor + + + SeriesQuestion - Reading - Okuma + + You are trying to get information for various comics at once, are they part of the same series? + Aynı anda çeşitli çizgi romanlar için bilgi almaya çalışıyorsunuz, bunlar aynı serinin parçası mı? - Remind me in 14 days - 14 gün içinde hatırlat + + yes + evet - Not now - Şimdi değil + + no + hayır - OptionsDialog + ServerConfigDialog - - Gamma - Gama + + set port + Port Ayarla - - Reset - Yeniden başlat + + Server connectivity information + Sunucu bağlantı bilgileri - - My comics path - Çizgi Romanlarım + + Scan it! + Tara! - - Image adjustment - Resim ayarları + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader, iOS ve Android cihazlarda kullanılabilir.<br/>Bunu <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> veya <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a> için keşfedin. - - "Go to flow" size - Akış görünümüne git + + Choose an IP address + IP adresi seçin - - Choose - Seç + + Port + Liman - - Image options - Sayfa ayarları + + enable the server + erişilebilir server + + + ShortcutsDialog - - Contrast - Kontrast + Close + Kapat - - Options - Ayarlar + YACReader keyboard shortcuts + YACReader klavye kısayolları - - Comics directory - Çizgi roman konumu + Keyboard Shortcuts + Klavye Kısayolları + + + SortVolumeComics - - Background color - Arka plan rengi + + Please, sort the list of comics on the left until it matches the comics' information. + Lütfen, çizgi romanların bilgileriyle eşleşene kadar soldaki çizgi roman listesini sıralayın. - - Page Flow - Sayfa akışı + + sort comics to match comic information + çizgi roman bilgilerini eşleştirmek için çizgi romanları sıralayın - - General - Genel + + issues + sayı - - Brightness - Parlaklık + + remove selected comics + seçilen çizgi romanları kaldır - - Restart is needed - Yeniden başlatılmalı + + restore all removed comics + tüm seçilen çizgi romanları geri yükle + + + ThemeEditorDialog - - Quick Navigation Mode - Hızlı Gezinti Kipi + + Theme Editor + Tema Düzenleyici - - Display - + + + + + - - Show time in current page information label - + + - + - - - Scroll behaviour - + + i + Ben - - Disable scroll animations and smooth scrolling - + + Expand all + Tümünü genişlet - - Do not turn page using scroll - + + Collapse all + Tümünü daralt + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Kullanıcı arayüzünde seçilen değeri (macenta / geçişli / 0↔10) yanıp sönmek için basılı tutun. Sürümler orijinali geri yükler. + + + + Search… + Aramak… + + + + Light + Işık - - Use single scroll step to turn page - + + Dark + Karanlık - - Mouse mode - + + ID: + İD: - - Only Back/Forward buttons can turn pages - + + Display name: + Ekran adı: - - Use the Left/Right buttons to turn pages. - + + Variant: + Varyant: - - Click left or right half of the screen to turn pages. - + + Theme info + Tema bilgisi - - Disable mouse over activation - Etkinleştirme üzerinde fareyi devre dışı bırak + + Parameter + Parametre - - Fit options - Sığdırma seçenekleri + + Value + Değer - - Enlarge images to fit width/height - Genişliğe/yüksekliği sığmaları için resimleri genişlet + + Save and apply + Kaydet ve uygula - - Double Page options - Çift Sayfa seçenekleri + + Export to file... + Dosyaya aktar... - - Show covers as single page - Kapakları tek sayfa olarak göster + + Load from file... + Dosyadan yükle... - - - QObject - - 7z lib not found - 7z lib bulunamadı + + Close + Kapat - - unable to load 7z lib from ./utils - ./utils içinden 7z lib yüklenemedi + + Double-click to edit color + Rengi düzenlemek için çift tıklayın - - Trace - İz + + + + + + + true + doğru - - Debug - Hata ayıkla + + + + + false + YANLIŞ - - Info - Bilgi + + Double-click to toggle + Geçiş yapmak için çift tıklayın - - Warning - Uyarı + + Double-click to edit value + Değeri düzenlemek için çift tıklayın - - Error - Hata + + + + Edit: %1 + Düzenleme: %1 - - Fatal - Ölümcül + + Save theme + Temayı kaydet - - Select custom cover - + + + JSON files (*.json);;All files (*) + JSON dosyaları (*.json);;Tüm dosyalar (*) - - Images (%1) - + + Save failed + Kaydetme başarısız oldu - - - QsLogging::LogWindowModel - - Time - Süre + + Could not open file for writing: +%1 + Dosya yazmak için açılamadı: +%1 - - Level - Düzey + + Load theme + Temayı yükle - - Message - Mesaj + + + + Load failed + Yükleme başarısız oldu - - - QsLogging::Window - - &Pause - &Duraklat + + Could not open file: +%1 + Dosya açılamadı: +%1 - - &Resume - &Sürdür + + Invalid JSON: +%1 + Geçersiz JSON: +%1 - - Save log - Günlük kaydet + + Expected a JSON object. + Bir JSON nesnesi bekleniyordu. + + + TitleHeader - - Log file (*.log) - Günlük dosyası (*.log) + + SEARCH + ARA - ShortcutsDialog + UpdateLibraryDialog - Close - Kapat + + Updating.... + Güncelleniyor... - YACReader keyboard shortcuts - YACReader klavye kısayolları + + Cancel + Vazgeç - Keyboard Shortcuts - Klavye Kısayolları + + Update library + Kütüphaneyi güncelle Viewer - - + + Press 'O' to open comic. 'O'ya basarak aç. - + Cover! Kapak! - + Comic not found Çizgi roman bulunamadı - + Not found Bulunamadı - + Last page! Son sayfa! - + Loading...please wait! Yükleniyor... lütfen bekleyin! - + Error opening comic Çizgi roman açılırken hata - + CRC Error CRC Hatası - + Page not available! Sayfa bulunamadı! + + VolumeComicsModel + + + title + başlık + + + + VolumesModel + + + year + yıl + + + + issues + sayı + + + + publisher + yayıncı + + + + YACReader3DFlowConfigWidget + + + Presets: + Hazırlayan: + + + + Classic look + Klasik görünüm + + + + Stripe look + Şerit görünüm + + + + Overlapped Stripe look + Çakışan şerit görünüm + + + + Modern look + Modern görünüm + + + + Roulette look + Rulet görünüm + + + + Show advanced settings + Daha fazla ayar göster + + + + Custom: + Kişisel: + + + + View angle + Bakış açısı + + + + Position + Pozisyon + + + + Cover gap + Kapak boşluğu + + + + Central gap + Boş merkaz + + + + Zoom + Yakınlaş + + + + Y offset + Y dengesi + + + + Z offset + Z dengesi + + + + Cover Angle + Kapak Açısı + + + + Visibility + Görünülebilirlik + + + + Light + Işık + + + + Max angle + Maksimum açı + + + + Low Performance + Düşük Performans + + + + High Performance + Yüksek performans + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + VSync kullan + + + + Performance: + Performans: + + YACReader::MainWindowViewer - + &Open - &Aç + &Aç - + Open a comic - Çizgi romanı aç + Çizgi romanı aç - + New instance - Yeni örnek + Yeni örnek - + Open Folder - Dosyayı Aç + Dosyayı Aç - + Open image folder - Resim dosyasınıaç + Resim dosyasınıaç - + Open latest comic - En son çizgi romanı aç + En son çizgi romanı aç - + Open the latest comic opened in the previous reading session - Önceki okuma oturumunda açılan en son çizgi romanı aç + Önceki okuma oturumunda açılan en son çizgi romanı aç - + Clear - Temizle + Temizle - + Clear open recent list - Son açılanlar listesini temizle + Son açılanlar listesini temizle - + Save - Kaydet + Kaydet - + Save current page - Geçerli sayfayı kaydet + Geçerli sayfayı kaydet Previous Comic - Önce ki çizgi roman + Önce ki çizgi roman - - - + + + Open previous comic - Önceki çizgi romanı aç + Önceki çizgi romanı aç - + Next Comic - Sırada ki çizgi roman + Sırada ki çizgi roman - - - + + + Open next comic - Sıradaki çizgi romanı aç + Sıradaki çizgi romanı aç - + &Previous - &Geri + &Geri - - - + + + Go to previous page - Önceki sayfaya dön + Önceki sayfaya dön - + &Next - &İleri + &İleri - - - + + + Go to next page - Sonra ki sayfaya geç + Sonra ki sayfaya geç - + Fit Height - Yüksekliğe Sığdır + Yüksekliğe Sığdır - + Fit image to height - Uygun yüksekliğe getir + Uygun yüksekliğe getir - + Fit Width - Uygun Genişlik + Uygun Genişlik - + Fit image to width - Görüntüyü sığdır + Görüntüyü sığdır - + Show full size - Tam erken + Tam erken - + Fit to page - Sayfaya sığdır + Sayfaya sığdır + + + + Continuous scroll + Sürekli kaydırma + + + + Switch to continuous scroll mode + Sürekli kaydırma moduna geç - + Reset zoom - Yakınlaştırmayı sıfırla + Yakınlaştırmayı sıfırla - + Show zoom slider - Yakınlaştırma çubuğunu göster + Yakınlaştırma çubuğunu göster - + Zoom+ - Yakınlaştır + Yakınlaştır - + Zoom- - Uzaklaştır + Uzaklaştır - + Rotate image to the left - Sayfayı sola yatır + Sayfayı sola yatır - + Rotate image to the right - Sayfayı sağa yator + Sayfayı sağa yator - + Double page mode - Çift sayfa modu + Çift sayfa modu - + Switch to double page mode - Çift sayfa moduna geç + Çift sayfa moduna geç - + Double page manga mode - Çift sayfa manga kipi + Çift sayfa manga kipi - + Reverse reading order in double page mode - Çift sayfa kipinde ters okuma sırası + Çift sayfa kipinde ters okuma sırası - + Go To - Git + Git - + Go to page ... - Sayfata git... + Sayfata git... - + Options - Ayarlar + Ayarlar - + YACReader options - YACReader ayarları + YACReader ayarları - - + + Help - Yardım + Yardım - + Help, About YACReader - YACReader hakkında yardım ve bilgi + YACReader hakkında yardım ve bilgi - + Magnifying glass - Büyüteç + Büyüteç - + Switch Magnifying glass - Büyüteç + Büyüteç - + Set bookmark - Yer imi yap + Yer imi yap - + Set a bookmark on the current page - Sayfayı yer imi olarak ayarla + Sayfayı yer imi olarak ayarla - + Show bookmarks - Yer imlerini göster + Yer imlerini göster - + Show the bookmarks of the current comic - Bu çizgi romanın yer imlerini göster + Bu çizgi romanın yer imlerini göster - + Show keyboard shortcuts - Klavye kısayollarını göster + Klavye kısayollarını göster - + Show Info - Bilgiyi göster + Bilgiyi göster - + Close - Kapat + Kapat - + Show Dictionary - Sözlüğü göster + Sözlüğü göster - + Show go to flow - Akışı göster + Akışı göster - + Edit shortcuts - Kısayolları düzenle + Kısayolları düzenle - + &File - &Dosya + &Dosya - - + + Open recent - Son dosyaları aç + Son dosyaları aç - + File - Dosya + Dosya - + Edit - Düzen + Düzen - + View - Görünüm + Görünüm - + Go - Git + Git - + Window - Pencere + Pencere - - - + + + Open Comic - Çizgi Romanı Aç + Çizgi Romanı Aç - - - + + + Comic files - Çizgi Roman Dosyaları + Çizgi Roman Dosyaları - + Open folder - Dosyayı aç + Dosyayı aç - + page_%1.jpg - sayfa_%1.jpg + sayfa_%1.jpg - + Image files (*.jpg) - Resim dosyaları (*.jpg) + Resim dosyaları (*.jpg) + Comics - Çizgi Roman + Çizgi Roman Toggle fullscreen mode - Tam ekran kipini aç/kapat + Tam ekran kipini aç/kapat Hide/show toolbar - Araç çubuğunu göster/gizle + Araç çubuğunu göster/gizle + General - Genel + Genel Size up magnifying glass - Büyüteci büyüt + Büyüteci büyüt Size down magnifying glass - Büyüteci küçült + Büyüteci küçült Zoom in magnifying glass - Büyüteci yakınlaştır + Büyüteci yakınlaştır Zoom out magnifying glass - Büyüteci uzaklaştır + Büyüteci uzaklaştır Reset magnifying glass - + Büyüteci sıfırla + Magnifiying glass - Büyüteç + Büyüteç Toggle between fit to width and fit to height - Genişliğe sığdır ile yüksekliğe sığdır arasında geçiş yap + Genişliğe sığdır ile yüksekliğe sığdır arasında geçiş yap + Page adjustement - Sayfa ayarı + Sayfa ayarı - + Autoscroll down - Otomatik aşağı kaydır + Otomatik aşağı kaydır - + Autoscroll up - Otomatik yukarı kaydır + Otomatik yukarı kaydır - + Autoscroll forward, horizontal first - Otomatik ileri kaydır, önce yatay + Otomatik ileri kaydır, önce yatay - + Autoscroll backward, horizontal first - Otomatik geri kaydır, önce yatay + Otomatik geri kaydır, önce yatay - + Autoscroll forward, vertical first - Otomatik ileri kaydır, önce dikey + Otomatik ileri kaydır, önce dikey - + Autoscroll backward, vertical first - Otomatik geri kaydır, önce dikey + Otomatik geri kaydır, önce dikey - + Move down - Aşağı git + Aşağı git - + Move up - Yukarı git + Yukarı git - + Move left - Sola git + Sola git - + Move right - Sağa git + Sağa git - + Go to the first page - İlk sayfaya git + İlk sayfaya git - + Go to the last page - En son sayfaya git + En son sayfaya git - + Offset double page to the left - + Çift sayfayı sola kaydır - + Offset double page to the right - + Çift sayfayı sağa kaydır - + + Reading - Okuma + Okuma - + There is a new version available - Yeni versiyon mevcut + Yeni versiyon mevcut - + Do you want to download the new version? - Yeni versiyonu indirmek ister misin ? + Yeni versiyonu indirmek ister misin ? - + Remind me in 14 days - 14 gün içinde hatırlat + 14 gün içinde hatırlat - + Not now - Şimdi değil + Şimdi değil + + + + YACReader::TrayIconController + + + &Restore + &Geri Yükle + + + + Systray + Sistem tepsisi + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary sistem tepsisinde çalışmaya devam edecektir. Programı sonlandırmak için sistem tepsisi simgesinin bağlam menüsünden <b>Çık</b>'ı seçin. YACReader::WhatsNewDialog - Close - Kapat + Kapat @@ -1411,172 +4113,152 @@ YACReaderFlowConfigWidget - CoverFlow look - Kapak akışı görünümü + Kapak akışı görünümü - How to show covers: - Kapaklar nasıl gözüksün: + Kapaklar nasıl gözüksün: - Stripe look - Şerit görünüm + Şerit görünüm - Overlapped Stripe look - Çakışan şerit görünüm + Çakışan şerit görünüm YACReaderGLFlowConfigWidget - Zoom - Yakınlaş + Yakınlaş - Light - Işık + Işık - Show advanced settings - Daha fazla ayar göster + Daha fazla ayar göster - Roulette look - Rulet görünüm + Rulet görünüm - Cover Angle - Kapak Açısı + Kapak Açısı - Stripe look - Strip görünüm + Strip görünüm - Position - Pozisyon + Pozisyon - Z offset - Z dengesi + Z dengesi - Y offset - Y dengesi + Y dengesi - Central gap - Boş merkaz + Boş merkaz - Presets: - Hazırlayan: + Hazırlayan: - Overlapped Stripe look - Çakışan şerit görünüm + Çakışan şerit görünüm - Modern look - Modern görünüm + Modern görünüm - View angle - Bakış açısı + Bakış açısı - Max angle - Maksimum açı + Maksimum açı - Custom: - Kişisel: + Kişisel: - Classic look - Klasik görünüm + Klasik görünüm - Cover gap - Kapak boşluğu + Kapak boşluğu - High Performance - Yüksek performans + Yüksek performans - Performance: - Performans: + Performans: - Use VSync (improve the image quality in fullscreen mode, worse performance) - VSync kullan + VSync kullan - Visibility - Görünülebilirlik + Görünülebilirlik - Low Performance - Düşük Performans + Düşük Performans YACReaderOptionsDialog - + Save Kaydet - Use hardware acceleration (restart needed) - Yüksek donanımlı kullan (yeniden başlatmak gerekli) + Yüksek donanımlı kullan (yeniden başlatmak gerekli) - + Cancel Vazgeç - + Edit shortcuts Kısayolları düzenle - + Shortcuts Kısayollar + + YACReaderSearchLineEdit + + + type to search + aramak için yazınız + + YACReaderSlider @@ -1588,23 +4270,23 @@ YACReaderTranslator - + YACReader translator YACReader çevirmeni - - + + Translation Çeviri - + clear temizle - + Service not available Servis kullanılamıyor diff --git a/YACReader/yacreader_zh_CN.ts b/YACReader/yacreader_zh_CN.ts index 713495301..b76c7756c 100644 --- a/YACReader/yacreader_zh_CN.ts +++ b/YACReader/yacreader_zh_CN.ts @@ -9,6 +9,196 @@ + + AddLabelDialog + + + Label name: + 标签名称: + + + + Choose a color: + 选择标签颜色: + + + + accept + 接受 + + + + cancel + 取消 + + + + AddLibraryDialog + + + Comics folder : + 漫画文件夹: + + + + Library name : + 库名: + + + + Add + 添加 + + + + Cancel + 取消 + + + + Add an existing library + 添加一个现有库 + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + 你需要拥有自己的API密钥才能够连接Comic Vine. 你可以通过这个链接获得一个免费的<a href="http://www.comicvine.com/api/">API</a>密钥 + + + + Paste here your Comic Vine API key + 在此粘贴你的Comic Vine API + + + + Accept + 接受 + + + + Cancel + 取消 + + + + AppearanceTabWidget + + + Color scheme + 配色方案 + + + + System + 系统 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 风俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 删除此用户导入的主题 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定义: + + + + Import theme... + 导入主题... + + + + Theme + 主题 + + + + Theme editor + 主题编辑器 + + + + Open Theme Editor... + 打开主题编辑器... + + + + Theme editor error + 主题编辑器错误 + + + + The current theme JSON could not be loaded. + 无法加载当前主题 JSON。 + + + + Import theme + 导入主题 + + + + JSON files (*.json);;All files (*) + JSON 文件 (*.json);;所有文件 (*) + + + + Could not import theme from: +%1 + 无法从以下位置导入主题: +%1 + + + + Could not import theme from: +%1 + +%2 + 无法从以下位置导入主题: +%1 + +%2 + + + + Import failed + 导入失败 + + BookmarksDialog @@ -33,10 +223,204 @@ 尾页 + + ClassicComicsView + + + Hide comic flow + 隐藏漫画流 + + + + ComicModel + + + yes + + + + + no + + + + + Title + 标题 + + + + File Name + 文件名 + + + + Pages + 页数 + + + + Size + 大小 + + + + Read + 阅读 + + + + Current Page + 当前页 + + + + Publication Date + 出版日期 + + + + Rating + 评分 + + + + Series + 系列 + + + + Volume + + + + + Story Arc + 故事线 + + + + ComicVineDialog + + + skip + 忽略 + + + + back + 返回 + + + + next + 下一步 + + + + search + 搜索 + + + + close + 关闭 + + + + + comic %1 of %2 - %3 + 第 %1 本 共 %2 本 - %3 + + + + + + Looking for volume... + 搜索卷... + + + + %1 comics selected + 已选择 %1 本漫画 + + + + Error connecting to ComicVine + ComicVine 连接时出错 + + + + + Retrieving tags for : %1 + 正在检索标签: %1 + + + + Retrieving volume info... + 正在接收卷信息... + + + + Looking for comic... + 搜索漫画中... + + + + ContinuousPageWidget + + + Loading page %1 + 正在加载页面 %1 + + + + CreateLibraryDialog + + + Comics folder : + 漫画文件夹: + + + + Library Name : + 库名: + + + + Create + 创建 + + + + Cancel + 取消 + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + 创建一个新的库可能需要几分钟时间,您可以先停止该进程,稍后可以通过更新库选项来更新数据。 + + + + Create new library + 创建新的漫画库 + + + + Path not found + 未找到路径 + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + 所选路径不存在或不是有效路径. 确保您具有此文件夹的写入权限 + + EditShortcutsDialog - + Shortcut in use 快捷键被占用 @@ -51,7 +435,7 @@ 快捷键设置 - + The shortcut "%1" is already assigned to other function 快捷键 "%1" 已被映射至其他功能 @@ -61,6 +445,124 @@ 更改快捷键: 双击按键组合并输入新的映射. + + EmptyFolderWidget + + + This folder doesn't contain comics yet + 该文件夹还没有漫画 + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + 此标签尚未包含漫画 + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + 此阅读列表尚未包含任何漫画 + + + + EmptySpecialListWidget + + + No favorites + 没有收藏 + + + + You are not reading anything yet, come on!! + 你还没有阅读任何东西,加油!! + + + + There are no recent comics! + 没有最近的漫画! + + + + ExportComicsInfoDialog + + + Output file : + 输出文件: + + + + Create + 创建 + + + + Cancel + 取消 + + + + Export comics info + 导出漫画信息 + + + + Destination database name + 目标数据库名称 + + + + Problem found while writing + 写入时出现问题 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 选定的输出文件路径不存在或路径无效. 确保您具有此文件夹的写入权限 + + + + ExportLibraryDialog + + + Output folder : + 输出文件夹: + + + + Create + 创建 + + + + Cancel + 取消 + + + + Create covers package + 创建封面包 + + + + Problem found while writing + 写入时出现问题 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 选定的输出文件路径不存在或路径无效. 确保您具有此文件夹的写入权限 + + + + Destination directory + 目标目录 + + FileComic @@ -116,450 +618,2621 @@ GoToFlowToolBar - + Page : 页码 : + + GridComicsView + + + Show info + 显示信息 + + HelpAboutDialog - + Help 帮助 - + About 关于 - + System info 系统信息 - LogWindow + ImportComicsInfoDialog - - &Copy - 复制(&C) + + Import comics info + 导入漫画信息 - - &Save - 保存(&S) + + Info database location : + 数据库地址: - - &Pause - 中止(&P) + + Import + 导入 - - C&lear - 清空(&l) + + Cancel + 取消 - - Level: - 等级: + + Comics info file (*.ydb) + 漫画信息文件(*.ydb) + + + ImportLibraryDialog - - &Auto scroll - 自动滚动(&A) + + Library Name : + 库名: - - Log window - 日志窗口 + + Package location : + 打包地址: - - - OptionsDialog - - Gamma - Gamma值 + + Destination folder : + 目标文件夹: - - Reset - 重置 + + Unpack + 解压 - - Enlarge images to fit width/height - 放大图片以适应宽度/高度 + + Cancel + 取消 - - Disable scroll animations and smooth scrolling - 禁用滚动动画和平滑滚动 + + Extract a catalog + 提取目录 - - Use single scroll step to turn page + + Compresed library covers (*.clc) + 已压缩的库封面 (*.clc) + + + + ImportWidget + + + stop + 停止 + + + + Some of the comics being added... + 正在添加漫画... + + + + Importing comics + 正在导入漫画 + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary现在正在创建一个新库。</p><p>这可能需要几分钟时间,您可以先停止该进程,稍后可以通过更新库选项来更新数据。</p> + + + + Updating the library + 正在更新库 + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>正在更新当前库。要获得更快的更新,请经常更新您的库。</p><p>您可以停止该进程,稍后继续更新操作。</p> + + + + Upgrading the library + 正在更新库 + + + + <p>The current library is being upgraded, please wait.</p> + <p>正在更新当前漫画库, 请稍候.</p> + + + + Scanning the library + 正在扫描库 + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>正在扫描当前库的旧版 XML metadata 信息。</p><p>这只需要执行一次,且只有当创建库的 YACReaderLibrary 版本低于 9.8.2 时。</p> + + + + LibraryWindow + + + YACReader Library + YACReader 库 + + + + + + comic + 漫画 + + + + + + manga + 日本漫画 + + + + + + western manga (left to right) + 欧美漫画(从左到右) + + + + + + web comic + 网络漫画 + + + + + + 4koma (top to botom) + 四格漫画(从上到下) + + + + + + + Set type + 设置类型 + + + + Library + + + + + Folder + 文件夹 + + + + Comic + 漫画 + + + + Upgrade failed + 更新失败 + + + + There were errors during library upgrade in: + 漫画库更新时出现错误: + + + + Update needed + 需要更新 + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + 此库是使用旧版本的YACReaderLibrary创建的. 它需要更新. 现在更新? + + + + Download new version + 下载新版本 + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + 此库是使用较新版本的YACReaderLibrary创建的。 立即下载新版本? + + + + Library not available + 库不可用 + + + + Library '%1' is no longer available. Do you want to remove it? + 库 '%1' 不再可用。 你想删除它吗? + + + + Old library + 旧的库 + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + 库 '%1' 是通过旧版本的YACReaderLibrary创建的。 必须再次创建。 你想现在创建吗? + + + + + Copying comics... + 复制漫画中... + + + + + Moving comics... + 移动漫画中... + + + + Add new folder + 添加新的文件夹 + + + + Folder name: + 文件夹名称: + + + + No folder selected + 没有选中的文件夹 + + + + Please, select a folder first + 请先选择一个文件夹 + + + + Error in path + 路径错误 + + + + There was an error accessing the folder's path + 访问文件夹的路径时出错 + + + + Delete folder + 删除文件夹 + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + 所选文件夹及其所有内容将从磁盘中删除。 你确定吗? + + + + + Unable to delete + 无法删除 + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + 尝试删除所选文件夹时出现问题。 请检查写入权限,并确保没有其他应用程序在使用这些文件夹或文件。 + + + + Add new reading lists + 添加新的阅读列表 + + + + + List name: + 列表名称: + + + + Delete list/label + 删除 列表/标签 + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + 所选项目将被删除,您的漫画或文件夹将不会从您的磁盘中删除。 你确定吗? + + + + Rename list name + 重命名列表 + + + + Open folder... + 打开文件夹... + + + + Update folder + 更新文件夹 + + + + Rescan library for XML info + 重新扫描库的 XML 信息 + + + + Set as uncompleted + 设为未完成 + + + + Set as completed + 设为已完成 + + + + Set as read + 设为已读 + + + + + Set as unread + 设为未读 + + + + Set custom cover + 设置自定义封面 + + + + Delete custom cover + 删除自定义封面 + + + + Save covers + 保存封面 + + + + You are adding too many libraries. + 您添加的库太多了。 + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + 您添加的库太多了。 + +一般情况只需要一个顶级的库,您可以使用左侧边栏中的文件夹功能来进行分类管理。 + +YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低的库数量来提升性能。 + + + + + YACReader not found + YACReader 未找到 + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + 未找到YACReader. YACReader应安装在与YACReaderLibrary相同的文件夹中. + + + + YACReader not found. There might be a problem with your YACReader installation. + 未找到YACReader. YACReader的安装可能有问题. + + + + Error + 错误 + + + + Error opening comic with third party reader. + 使用第三方阅读器打开漫画时出错。 + + + + Library not found + 未找到库 + + + + The selected folder doesn't contain any library. + 所选文件夹不包含任何库。 + + + + Are you sure? + 你确定吗? + + + + Do you want remove + 你想要删除 + + + + library? + 库? + + + + Remove and delete metadata + 移除并删除元数据 + + + + Library info + 图书馆信息 + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + 尝试删除所选漫画时出现问题。 请检查所选文件或包含文件夹中的写入权限。 + + + + Assign comics numbers + 分配漫画编号 + + + + Assign numbers starting in: + 从以下位置开始分配编号: + + + + Invalid image + 图片无效 + + + + The selected file is not a valid image. + 所选文件不是有效图像。 + + + + Error saving cover + 保存封面时出错 + + + + There was an error saving the cover image. + 保存封面图像时出错。 + + + + Error creating the library + 创建库时出错 + + + + Error updating the library + 更新库时出错 + + + + Error opening the library + 打开库时出错 + + + + Delete comics + 删除漫画 + + + + All the selected comics will be deleted from your disk. Are you sure? + 所有选定的漫画都将从您的磁盘中删除。你确定吗? + + + + Remove comics + 移除漫画 + + + + Comics will only be deleted from the current label/list. Are you sure? + 漫画只会从当前标签/列表中删除。 你确定吗? + + + + Library name already exists + 库名已存在 + + + + There is another library with the name '%1'. + 已存在另一个名为'%1'的库。 + + + + LibraryWindowActions + + + Create a new library + 创建一个新的库 + + + + Open an existing library + 打开现有的库 + + + + + Export comics info + 导出漫画信息 + + + + + Import comics info + 导入漫画信息 + + + + Pack covers + 打包封面 + + + + Pack the covers of the selected library + 打包所选库的封面 + + + + Unpack covers + 解压封面 + + + + Unpack a catalog + 解压目录 + + + + Update library + 更新库 + + + + Update current library + 更新当前库 + + + + Rename library + 重命名库 + + + + Rename current library + 重命名当前库 + + + + Remove library + 移除库 + + + + Remove current library from your collection + 从您的集合中移除当前库 + + + + Rescan library for XML info + 重新扫描库的 XML 信息 + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + 尝试查找漫画文件内嵌的 XML 信息。只有当创建库的 YACReaderLibrary 版本低于 9.8.2 或者使用第三方软件嵌入 XML 信息时,才需要执行该操作。 + + + + Show library info + 显示图书馆信息 + + + + Show information about the current library + 显示当前库的信息 + + + + Open current comic + 打开当前漫画 + + + + Open current comic on YACReader + 用YACReader打开漫画 + + + + Save selected covers to... + 选中的封面保存到... + + + + Save covers of the selected comics as JPG files + 保存所选的封面为jpg + + + + + Set as read + 设为已读 + + + + Set comic as read + 漫画设为已读 + + + + + Set as unread + 设为未读 + + + + Set comic as unread + 漫画设为未读 + + + + + manga + 日本漫画 + + + + Set issue as manga + 将问题设置为漫画 + + + + + comic + 漫画 + + + + Set issue as normal + 设置漫画为 + + + + western manga + 欧美漫画 + + + + Set issue as western manga + 设置为欧美漫画 + + + + + web comic + 网络漫画 + + + + Set issue as web comic + 设置为网络漫画 + + + + + yonkoma + 四格漫画 + + + + Set issue as yonkoma + 设置为四格漫画 + + + + Show/Hide marks + 显示/隐藏标记 + + + + Show or hide read marks + 显示或隐藏阅读标记 + + + + Show/Hide recent indicator + 显示/隐藏最近的指示标志 + + + + Show or hide recent indicator + 显示或隐藏最近的指示标志 + + + + + Fullscreen mode on/off + 全屏模式 开/关 + + + + Help, About YACReader + 帮助, 关于 YACReader + + + + Add new folder + 添加新的文件夹 + + + + Add new folder to the current library + 在当前库下添加新的文件夹 + + + + Delete folder + 删除文件夹 + + + + Delete current folder from disk + 从磁盘上删除当前文件夹 + + + + Select root node + 选择根节点 + + + + Expand all nodes + 展开所有节点 + + + + Collapse all nodes + 折叠所有节点 + + + + Show options dialog + 显示选项对话框 + + + + Show comics server options dialog + 显示漫画服务器选项对话框 + + + + + Change between comics views + 漫画视图之间的变化 + + + + Open folder... + 打开文件夹... + + + + Set as uncompleted + 设为未完成 + + + + Set as completed + 设为已完成 + + + + Set custom cover + 设置自定义封面 + + + + Delete custom cover + 删除自定义封面 + + + + western manga (left to right) + 欧美漫画(从左到右) + + + + Open containing folder... + 打开包含文件夹... + + + + Reset comic rating + 重置漫画评分 + + + + Select all comics + 全选漫画 + + + + Edit + 编辑 + + + + Assign current order to comics + 将当前序号分配给漫画 + + + + Update cover + 更新封面 + + + + Delete selected comics + 删除所选的漫画 + + + + Delete metadata from selected comics + 从选定的漫画中删除元数据 + + + + Download tags from Comic Vine + 从 Comic Vine 下载标签 + + + + Focus search line + 聚焦于搜索行 + + + + Focus comics view + 聚焦于漫画视图 + + + + Edit shortcuts + 编辑快捷键 + + + + &Quit + 退出(&Q) + + + + Update folder + 更新文件夹 + + + + Update current folder + 更新当前文件夹 + + + + Scan legacy XML metadata + 扫描旧版 XML 元数据 + + + + Add new reading list + 添加新的阅读列表 + + + + Add a new reading list to the current library + 在当前库添加新的阅读列表 + + + + Remove reading list + 移除阅读列表 + + + + Remove current reading list from the library + 从当前库移除阅读列表 + + + + Add new label + 添加新标签 + + + + Add a new label to this library + 在当前库添加标签 + + + + Rename selected list + 重命名列表 + + + + Rename any selected labels or lists + 重命名任何选定的标签或列表 + + + + Add to... + 添加到... + + + + Favorites + 收藏夹 + + + + Add selected comics to favorites list + 将所选漫画添加到收藏夹列表 + + + + LocalComicListModel + + + file name + 文件名 + + + + LogWindow + + &Copy + 复制(&C) + + + &Save + 保存(&S) + + + &Pause + 中止(&P) + + + C&lear + 清空(&l) + + + Level: + 等级: + + + &Auto scroll + 自动滚动(&A) + + + Log window + 日志窗口 + + + + NoLibrariesWidget + + + You don't have any libraries yet + 你还没有库 + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>您可以在任何文件夹中创建库,YACReaderLibrary将导入此文件夹中的所有漫画和文件夹。如果已有库,则可以打开它们。</p><p>您可以把YACReader当成独立应用来阅读电脑上的漫画。</p> + + + + create your first library + 创建你的第一个库 + + + + add an existing one + 添加一个现有库 + + + + NoSearchResultsWidget + + + No results + 没有结果 + + + + OptionsDialog + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Enlarge images to fit width/height + 放大图片以适应宽度/高度 + + + + Disable scroll animations and smooth scrolling + 禁用滚动动画和平滑滚动 + + + + Use single scroll step to turn page 使用单滚动步骤翻页 - - My comics path - 我的漫画路径 + + My comics path + 我的漫画路径 + + + + Image adjustment + 图像调整 + + + + "Go to flow" size + 页面流尺寸 + + + + Choose + 选择 + + + + Show covers as single page + 显示封面为单页 + + + + Do not turn page using scroll + 滚动时不翻页 + + + + Fit options + 适应项 + + + + Image options + 图片选项 + + + + Display + 展示 + + + + Show time in current page information label + 在当前页面信息标签中显示时间 + + + + Mouse mode + 鼠标模式 + + + + Only Back/Forward buttons can turn pages + 只有后退/前进按钮可以翻页 + + + + Use the Left/Right buttons to turn pages. + 使用向左/向右按钮翻页。 + + + + Click left or right half of the screen to turn pages. + 单击屏幕的左半部分或右半部分即可翻页。 + + + + Contrast + 对比度 + + + + + Libraries + + + + + Comic Flow + 漫画流 + + + + Grid view + 网格视图 + + + + + Appearance + 外貌 + + + + + Options + 选项 + + + + + Language + 语言 + + + + + Application language + 应用程序语言 + + + + + System default + 系统默认 + + + + Tray icon settings (experimental) + 托盘图标设置 (实验特性) + + + + Close to tray + 关闭至托盘 + + + + Start into the system tray + 启动至系统托盘 + + + + Edit Comic Vine API key + 编辑Comic Vine API 密匙 + + + + Comic Vine API key + Comic Vine API 密匙 + + + + ComicInfo.xml legacy support + ComicInfo.xml 旧版支持 + + + + Import metadata from ComicInfo.xml when adding new comics + 添加新漫画时从 ComicInfo.xml 导入元数据 + + + + Consider 'recent' items added or updated since X days ago + 参考自 X 天前添加或更新的“最近”项目 + + + + Third party reader + 第三方阅读器 + + + + Write {comic_file_path} where the path should go in the command + 在命令中应将路径写入 {comic_file_path} + + + + + Clear + 清空 + + + + Update libraries at startup + 启动时更新库 + + + + Try to detect changes automatically + 尝试自动检测变化 + + + + Update libraries periodically + 定期更新库 + + + + Interval: + 间隔: + + + + 30 minutes + 30分钟 + + + + 1 hour + 1小时 + + + + 2 hours + 2小时 + + + + 4 hours + 4小时 + + + + 8 hours + 8小时 + + + + 12 hours + 12小时 + + + + daily + 每天 + + + + Update libraries at certain time + 定时更新库 + + + + Time: + 时间: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + 警告! 在库更新期间,将禁用对数据库的写入! +当您可能正在积极使用该应用程序时,请勿安排更新。 +在自动更新期间,应用程序将阻止某些操作,直到更新完成。 +要停止自动更新,请点击库标题旁边的加载指示器。 + + + + Modifications detection + 修改检测 + + + + Compare the modified date of files when updating a library (not recommended) + 更新库时比较文件的修改日期(不推荐) + + + + Enable background image + 启用背景图片 + + + + Opacity level + 透明度 + + + + Blur level + 模糊 + + + + Use selected comic cover as background + 使用选定的漫画封面做背景 + + + + Restore defautls + 恢复默认值 + + + + Background + 背景 + + + + Display continue reading banner + 显示继续阅读横幅 + + + + Display current comic banner + 显示当前漫画横幅 + + + + Continue reading + 继续阅读 + + + + Comics directory + 漫画目录 + + + + Quick Navigation Mode + 快速导航模式 + + + + Background color + 背景颜色 + + + + Double Page options + 双页选项 + + + + Scroll behaviour + 滚动效果 + + + + Disable mouse over activation + 禁用鼠标激活 + + + + Scaling + 缩放 + + + + Scaling method + 缩放方法 + + + + Nearest (fast, low quality) + 最近(快速,低质量) + + + + Bilinear + 双线性 + + + + Lanczos (better quality) + Lanczos(质量更好) + + + + Page Flow + 页面流 + + + + + General + 常规 + + + + Brightness + 亮度 + + + + + Restart is needed + 需要重启 + + + + PropertiesDialog + + + General info + 基本信息 + + + + Plot + 情节 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Notes + 笔记 + + + + Cover page + 封面 + + + + Load previous page as cover + 加载上一页作为封面 + + + + Load next page as cover + 加载下一页作为封面 + + + + Reset cover to the default image + 将封面重置为默认图像 + + + + Load custom cover image + 加载自定义封面图片 + + + + Series: + 系列: + + + + Title: + 标题: + + + + + + of: + 的: + + + + Issue number: + 发行刊号: + + + + Volume: + 卷: + + + + Arc number: + 世界线数量: + + + + Story arc: + 故事线: + + + + alt. number: + 备选编号: + + + + Alternate series: + 备用系列: + + + + Series Group: + 系列组: + + + + Genre: + 类型: + + + + Size: + 大小: + + + + Writer(s): + 作者: + + + + Penciller(s): + 线稿师: + + + + Inker(s): + 上墨师: + + + + Colorist(s): + 上色师: + + + + Letterer(s): + 嵌字师: + + + + Cover Artist(s): + 封面设计: - - Image adjustment - 图像调整 + + Editor(s): + 编辑: - - "Go to flow" size - 页面流尺寸 + + Imprint: + 印记: - - Choose - 选择 + + Day: + 日: - - Show covers as single page - 显示封面为单页 + + Month: + 月: - - Do not turn page using scroll - 滚动时不翻页 + + Year: + 年: - - Fit options - 适应项 + + Publisher: + 出版商: + + + + Format: + 格式: + + + + Color/BW: + 彩色/黑白: + + + + Age rating: + 年龄分级: + + + + Type: + 类型: + + + + Language (ISO): + 语言(ISO): + + + + Synopsis: + 简介: + + + + Characters: + 角色: + + + + Teams: + 团队: + + + + Locations: + 地点: + + + + Main character or team: + 主要角色或团队: + + + + Review: + 审查: + + + + Notes: + 笔记: + + + + Tags: + 标签: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine 连接: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> 查看 </a> + + + + Not found + 未找到 + + + + Comic not found. You should update your library. + 未找到漫画,请先更新您的库. + + + + Edit comic information + 编辑漫画信息 + + + + Edit selected comics information + 编辑选中的漫画信息 + + + + Invalid cover + 封面无效 + + + + The image is invalid. + 该图像无效。 + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的无头(无 GUI)版本。 + +此应用程序支持持久设置,要设置它们,请编辑此文件 %1 +要了解可用设置,请查看文档:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Info + 信息 + + + + Debug + 除错 + + + + Fatal + 严重错误 + + + + Error + 错误 + + + + Trace + 追踪 + + + + 7z lib not found + 未找到 7z 库文件 + + + + unable to load 7z lib from ./utils + 无法从 ./utils 载入 7z 库文件 + + + + Warning + 警告 + + + + Select custom cover + 选择自定义封面 + + + + Images (%1) + 图片 (%1) + + + + The file could not be read or is not valid JSON. + 无法读取该文件或者该文件不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主题适用于 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 文件夹 + + + + Reading Lists + 阅读列表 + + + + QsLogging::LogWindowModel + + Time + 时间 + + + Level + 等级 + + + Message + 信息 + + + + QsLogging::Window + + &Pause + 中止(&P) + + + Save log + 保存日志 + + + &Resume + 恢复(&R) + + + Log file (*.log) + 日志文件 (*.log) + + + + RenameLibraryDialog + + + New Library Name : + 新库名: + + + + Rename + 重命名 + + + + Cancel + 取消 + + + + Rename current library + 重命名当前库 + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + 搜索结果: %1 + + + + + page %1 of %2 + 第 %1 页 共 %2 页 + + + + Number of %1 found : %2 + 第 %1 页 共: %2 条 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + 请提供附加信息. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精确匹配搜索。如果您想要查找与名称中某些单词匹配的卷,请禁用。 + + + + SearchVolume + + + Please provide some additional information. + 请提供附加信息. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精确匹配搜索。如果您想要查找与名称中某些单词匹配的卷,请禁用。 + + + + SelectComic + + + Please, select the right comic info. + 请正确选择漫画信息. + + + + comics + 漫画 + + + + loading cover + 加载封面 + + + + loading description + 加载描述 + + + + comic description unavailable + 漫画描述不可用 + + + + SelectVolume + + + Please, select the right series for your comic. + 请选择正确的漫画系列。 + + + + Filter: + 筛选: + + + + volumes + + + + + Nothing found, clear the filter if any. + 未找到任何内容,如果有,请清除筛选器。 + + + + loading cover + 加载封面 + + + + loading description + 加载描述 + + + + volume description unavailable + 卷描述不可用 + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + 您正在尝试同时获取各种漫画的信息,它们是同一系列的吗? + + + + yes + + + + + no + + + + + ServerConfigDialog + + + set port + 设置端口 + + + + Server connectivity information + 服务器连接信息 + + + + Scan it! + 扫一扫! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader 适用于 iOS 和 Android 设备。<br/>搜索 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + 选择IP地址 + + + + Port + 端口 + + + + enable the server + 启用服务器 + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + 请在左侧对漫画列表进行排序,直到它与漫画的信息相符。 + + + + sort comics to match comic information + 排序漫画以匹配漫画信息 + + + + issues + 发行 + + + + remove selected comics + 移除所选漫画 + + + + restore all removed comics + 恢复所有移除的漫画 + + + + ThemeEditorDialog + + + Theme Editor + 主题编辑器 + + + + + + + + + + + - + - - - Image options - 图片选项 + + i + - - Display - + + Expand all + 全部展开 - - Show time in current page information label - + + Collapse all + 全部折叠 - - Mouse mode - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中闪烁所选值(洋红色/切换/0↔10)。发布后恢复原样。 - - Only Back/Forward buttons can turn pages - + + Search… + 搜索… - - Use the Left/Right buttons to turn pages. - + + Light + 亮度 - - Click left or right half of the screen to turn pages. - + + Dark + 黑暗的 - - Contrast - 对比度 + + ID: + ID: - - Options - 选项 + + Display name: + 显示名称: - - Comics directory - 漫画目录 + + Variant: + 变体: - - Quick Navigation Mode - 快速导航模式 + + Theme info + 主题信息 - - Background color - 背景颜色 + + Parameter + 范围 - - Double Page options - 双页选项 + + Value + 价值 - - Scroll behaviour - 滚动效果 + + Save and apply + 保存并应用 - - Disable mouse over activation - 禁用鼠标激活 + + Export to file... + 导出到文件... - - Page Flow - 页面流 + + Load from file... + 从文件加载... - - General - 常规 + + Close + 关闭 - - Brightness - 亮度 + + Double-click to edit color + 双击编辑颜色 - - Restart is needed - 需要重启 + + + + + + + true + 真的 - - - QObject - - Info - 信息 + + + + + false + 错误的 - - Debug - 除错 + + Double-click to toggle + 双击切换 - - Fatal - 严重错误 + + Double-click to edit value + 双击编辑值 - - Error - 错误 + + + + Edit: %1 + 编辑:%1 - - Trace - 追踪 + + Save theme + 保存主题 - - 7z lib not found - 未找到 7z 库文件 + + + JSON files (*.json);;All files (*) + JSON 文件 (*.json);;所有文件 (*) - - unable to load 7z lib from ./utils - 无法从 ./utils 载入 7z 库文件 + + Save failed + 保存失败 - - Warning - 警告 + + Could not open file for writing: +%1 + 无法打开文件进行写入: +%1 - - Select custom cover - + + Load theme + 加载主题 - - Images (%1) - + + + + Load failed + 加载失败 - - - QsLogging::LogWindowModel - - Time - 时间 + + Could not open file: +%1 + 无法打开文件: +%1 - - Level - 等级 + + Invalid JSON: +%1 + 无效的 JSON: +%1 - - Message - 信息 + + Expected a JSON object. + 需要一个 JSON 对象。 - QsLogging::Window + TitleHeader - - &Pause - 中止(&P) + + SEARCH + 搜索 + + + UpdateLibraryDialog - - Save log - 保存日志 + + Updating.... + 更新中... - - &Resume - 恢复(&R) + + Cancel + 取消 - - Log file (*.log) - 日志文件 (*.log) + + Update library + 更新库 Viewer - + Page not available! 页面不可用! - - + + Press 'O' to open comic. 按下 'O' 以打开漫画. - + Error opening comic 打开漫画时发生错误 - + Cover! 封面! - + CRC Error CRC 校验失败 - + Comic not found 未找到漫画 - + Not found 未找到 - + Last page! 尾页! - + Loading...please wait! 载入中... 请稍候! + + VolumeComicsModel + + + title + 标题 + + + + VolumesModel + + + year + + + + + issues + 发行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 预设: + + + + Classic look + 经典 + + + + Stripe look + 条状 + + + + Overlapped Stripe look + 重叠条状 + + + + Modern look + 现代 + + + + Roulette look + 轮盘 + + + + Show advanced settings + 显示高级选项 + + + + Custom: + 自定义: + + + + View angle + 视角 + + + + Position + 位置 + + + + Cover gap + 封面间距 + + + + Central gap + 中心间距 + + + + Zoom + 缩放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高图像质量, 性能更差) + + + + Performance: + 性能: + + YACReader::MainWindowViewer - + Go 转到 - + Edit 编辑 - + File 文件 - - + + Help 帮助 - + Save 保存 - + View 查看 - + &File 文件(&F) - + &Next 下一页(&N) - + &Open 打开(&O) - + Clear 清空 - + Close 关闭 - - - + + + Open Comic 打开漫画 - + Go To 跳转 - + Zoom+ 放大 - + Zoom- 缩小 - + Open image folder 打开图片文件夹 @@ -574,43 +3247,43 @@ 减小缩放级别 - + New instance 新建实例 - + Open latest comic 打开最近的漫画 - + Autoscroll up 向上自动滚动 - + Set bookmark 设置书签 - + page_%1.jpg - page_%1.jpg + 页_%1.jpg - + Autoscroll forward, vertical first 向前自动滚动,垂直优先 - + Switch to double page mode 切换至双页模式 - + Save current page 保存当前页面 @@ -620,126 +3293,128 @@ 增大放大镜尺寸 - + Double page mode 双页模式 - + Move up 向上移动 - + Switch Magnifying glass 切换放大镜 - + Open Folder 打开文件夹 + Comics 漫画 - + Offset double page to the right 双页向右偏移 - + Fit Height 适应高度 - + Autoscroll backward, vertical first 向后自动滚动,垂直优先 - - - + + + Comic files 漫画文件 - + Not now 现在不 - + Go to the first page 转到第一页 - - - + + + Go to previous page 转至上一页 - + Window 窗口 - + Open the latest comic opened in the previous reading session 打开最近阅读漫画 - + Open a comic 打开漫画 - + Image files (*.jpg) 图像文件 (*.jpg) - + Next Comic 下一个漫画 - + Fit Width 适合宽度 - + Options 选项 - + Show Info 显示信息 - + Open folder 打开文件夹 - + Go to page ... 跳转至页面 ... + Magnifiying glass 放大镜 - + Fit image to width 缩放图片以适应宽度 @@ -754,7 +3429,7 @@ 切换显示为"适应宽度"或"适应高度" - + Move right 向右移动 @@ -764,149 +3439,160 @@ 增大缩放级别 - - + + Open recent 最近打开的文件 - + Offset double page to the left 双页向左偏移 - + + Reading 阅读 - + &Previous 上一页(&P) - + Autoscroll forward, horizontal first 向前自动滚动,水平优先 - - - + + + Go to next page 转至下一页 - + Show keyboard shortcuts 显示键盘快捷键 - + Double page manga mode 双页漫画模式 - + There is a new version available 有新版本可用 - + Autoscroll down 向下自动滚动 - - - + + + Open next comic 打开下一个漫画 - + Remind me in 14 days 14天后提醒我 - + Fit to page 适应页面 - + Show bookmarks 显示书签 - - - + + + Open previous comic 打开上一个漫画 - + Rotate image to the left 向左旋转图片 - + Fit image to height 缩放图片以适应高度 - + + Continuous scroll + 连续滚动 + + + + Switch to continuous scroll mode + 切换到连续滚动模式 + + + Reset zoom 重置缩放 - + Show the bookmarks of the current comic 显示当前漫画的书签 - + Show Dictionary 显示字典 Reset magnifying glass - + 重置放大镜 - + Move down 向下移动 - + Move left 向左移动 - + Reverse reading order in double page mode 双页模式 (逆序阅读) - + YACReader options YACReader 选项 - + Clear open recent list 清空最近访问列表 - + Help, About YACReader 帮助, 关于 YACReader - + Show go to flow 显示页面流 @@ -916,7 +3602,7 @@ 上一个漫画 - + Show full size 显示全尺寸 @@ -926,62 +3612,81 @@ 隐藏/显示 工具栏 - + Magnifying glass 放大镜 - + Edit shortcuts 编辑快捷键 + General 常规 - + Set a bookmark on the current page 在当前页面设置书签 + Page adjustement 页面调整 - + Show zoom slider 显示缩放滑块 - + Go to the last page 转到最后一页 - + Do you want to download the new version? 你要下载新版本吗? - + Rotate image to the right 向右旋转图片 - + Autoscroll backward, horizontal first 向后自动滚动,水平优先 + + YACReader::TrayIconController + + + &Restore + 复位(&R) + + + + Systray + 系统托盘 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 将继续在系统托盘中运行. 想要终止程序, 请在系统托盘图标的上下文菜单中选择<b>退出</b>. + + YACReader::WhatsNewDialog - Close - 关闭 + 关闭 @@ -1017,172 +3722,152 @@ YACReaderFlowConfigWidget - CoverFlow look - 封面流 + 封面流 - How to show covers: - 封面显示方式: + 封面显示方式: - Stripe look - 条状 + 条状 - Overlapped Stripe look - 重叠条状 + 重叠条状 YACReaderGLFlowConfigWidget - Zoom - 缩放 + 缩放 - Light - 亮度 + 亮度 - Show advanced settings - 显示高级选项 + 显示高级选项 - Roulette look - 轮盘 + 轮盘 - Cover Angle - 封面角度 + 封面角度 - Stripe look - 条状 + 条状 - Position - 位置 + 位置 - Z offset - Z位移 + Z位移 - Y offset - Y位移 + Y位移 - Central gap - 中心间距 + 中心间距 - Presets: - 预设: + 预设: - Overlapped Stripe look - 重叠条状 + 重叠条状 - Modern look - 现代 + 现代 - View angle - 视角 + 视角 - Max angle - 最大角度 + 最大角度 - Custom: - 自定义: + 自定义: - Classic look - 经典 + 经典 - Cover gap - 封面间距 + 封面间距 - High Performance - 高性能 + 高性能 - Performance: - 性能: + 性能: - Use VSync (improve the image quality in fullscreen mode, worse performance) - 使用VSync (在全屏模式下提高图像质量, 性能更差) + 使用VSync (在全屏模式下提高图像质量, 性能更差) - Visibility - 透明度 + 透明度 - Low Performance - 低性能 + 低性能 YACReaderOptionsDialog - + Save 保存 - Use hardware acceleration (restart needed) - 使用硬件加速 (需要重启) + 使用硬件加速 (需要重启) - + Cancel 取消 - + Shortcuts 快捷键 - + Edit shortcuts 编辑快捷键 + + YACReaderSearchLineEdit + + + type to search + 搜索类型 + + YACReaderSlider @@ -1194,23 +3879,23 @@ YACReaderTranslator - + clear 清空 - + Service not available 服务不可用 - - + + Translation 翻译 - + YACReader translator YACReader 翻译 diff --git a/YACReader/yacreader_zh_HK.ts b/YACReader/yacreader_zh_HK.ts index fc14d3407..40017c5aa 100644 --- a/YACReader/yacreader_zh_HK.ts +++ b/YACReader/yacreader_zh_HK.ts @@ -9,6 +9,196 @@ + + AddLabelDialog + + + Label name: + 標籤名稱: + + + + Choose a color: + 選擇標籤顏色: + + + + accept + 接受 + + + + cancel + 取消 + + + + AddLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library name : + 庫名: + + + + Add + 添加 + + + + Cancel + 取消 + + + + Add an existing library + 添加一個現有庫 + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + 你需要擁有自己的API密鑰才能夠連接Comic Vine. 你可以通過這個鏈接獲得一個免費的<a href="http://www.comicvine.com/api/">API</a>密鑰 + + + + Paste here your Comic Vine API key + 在此粘貼你的Comic Vine API + + + + Accept + 接受 + + + + Cancel + 取消 + + + + AppearanceTabWidget + + + Color scheme + 配色方案 + + + + System + 系統 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 風俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 刪除此使用者匯入的主題 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定義: + + + + Import theme... + 導入主題... + + + + Theme + 主題 + + + + Theme editor + 主題編輯器 + + + + Open Theme Editor... + 開啟主題編輯器... + + + + Theme editor error + 主題編輯器錯誤 + + + + The current theme JSON could not be loaded. + 無法載入目前主題 JSON。 + + + + Import theme + 導入主題 + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Could not import theme from: +%1 + 無法從以下位置匯入主題: +%1 + + + + Could not import theme from: +%1 + +%2 + 無法從以下位置匯入主題: +%1 + +%2 + + + + Import failed + 導入失敗 + + BookmarksDialog @@ -33,6 +223,200 @@ 載入中... + + ClassicComicsView + + + Hide comic flow + 隱藏漫畫流 + + + + ComicModel + + + yes + + + + + no + + + + + Title + 標題 + + + + File Name + 檔案名 + + + + Pages + 頁數 + + + + Size + 大小 + + + + Read + 閱讀 + + + + Current Page + 當前頁 + + + + Publication Date + 發行日期 + + + + Rating + 評分 + + + + Series + 系列 + + + + Volume + 體積 + + + + Story Arc + 故事線 + + + + ComicVineDialog + + + skip + 忽略 + + + + back + 返回 + + + + next + 下一步 + + + + search + 搜索 + + + + close + 關閉 + + + + + comic %1 of %2 - %3 + 第 %1 本 共 %2 本 - %3 + + + + + + Looking for volume... + 搜索卷... + + + + %1 comics selected + 已選擇 %1 本漫畫 + + + + Error connecting to ComicVine + ComicVine 連接時出錯 + + + + + Retrieving tags for : %1 + 正在檢索標籤: %1 + + + + Retrieving volume info... + 正在接收卷資訊... + + + + Looking for comic... + 搜索漫畫中... + + + + ContinuousPageWidget + + + Loading page %1 + 正在載入頁面 %1 + + + + CreateLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library Name : + 庫名: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + 創建一個新的庫可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。 + + + + Create new library + 創建新的漫畫庫 + + + + Path not found + 未找到路徑 + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + 所選路徑不存在或不是有效路徑. 確保您具有此檔夾的寫入許可權 + + EditShortcutsDialog @@ -51,16 +435,134 @@ 快捷鍵設置 - + Shortcut in use 快捷鍵被佔用 - + The shortcut "%1" is already assigned to other function 快捷鍵 "%1" 已被映射至其他功能 + + EmptyFolderWidget + + + This folder doesn't contain comics yet + 該資料夾還沒有漫畫 + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + 此標籤尚未包含漫畫 + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + 此閱讀列表尚未包含任何漫畫 + + + + EmptySpecialListWidget + + + No favorites + 沒有收藏 + + + + You are not reading anything yet, come on!! + 你還沒有閱讀任何東西,加油!! + + + + There are no recent comics! + 沒有最近的漫畫! + + + + ExportComicsInfoDialog + + + Output file : + 輸出檔: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Export comics info + 導出漫畫資訊 + + + + Destination database name + 目標資料庫名稱 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + ExportLibraryDialog + + + Output folder : + 輸出檔夾: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create covers package + 創建封面包 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + Destination directory + 目標目錄 + + FileComic @@ -116,438 +618,2609 @@ GoToFlowToolBar - + Page : 頁碼 : + + GridComicsView + + + Show info + 顯示資訊 + + HelpAboutDialog - + About 關於 - + Help 幫助 - + System info 系統資訊 - LogWindow + ImportComicsInfoDialog - - Log window - 日誌窗口 + + Import comics info + 導入漫畫資訊 - - &Pause - 中止(&P) + + Info database location : + 資料庫地址: - - &Save - 保存(&S) + + Import + 導入 - - C&lear - 清空(&l) + + Cancel + 取消 - - &Copy - 複製(&C) + + Comics info file (*.ydb) + 漫畫資訊檔(*.ydb) + + + ImportLibraryDialog - - Level: - 等級: + + Library Name : + 庫名: - - &Auto scroll - 自動滾動(&A) + + Package location : + 打包地址: - - - OptionsDialog - - "Go to flow" size - 頁面流尺寸 + + Destination folder : + 目標檔夾: - - My comics path - 我的漫畫路徑 + + Unpack + 解壓 - - Background color - 背景顏色 + + Cancel + 取消 - - Choose - 選擇 + + Extract a catalog + 提取目錄 - - Quick Navigation Mode + + Compresed library covers (*.clc) + 已壓縮的庫封面 (*.clc) + + + + ImportWidget + + + stop + 停止 + + + + Some of the comics being added... + 正在添加漫畫... + + + + Importing comics + 正在導入漫畫 + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary現在正在創建一個新庫。</p><p>這可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。</p> + + + + Updating the library + 正在更新庫 + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>正在更新當前庫。要獲得更快的更新,請經常更新您的庫。</p><p>您可以停止該進程,稍後繼續更新操作。</p> + + + + Upgrading the library + 正在更新庫 + + + + <p>The current library is being upgraded, please wait.</p> + <p>正在更新當前漫畫庫, 請稍候.</p> + + + + Scanning the library + 正在掃描庫 + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>正在掃描當前庫的舊版 XML metadata 資訊。</p><p>這只需要執行一次,且只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 時。</p> + + + + LibraryWindow + + + YACReader Library + YACReader 庫 + + + + + + comic + 漫畫 + + + + + + manga + 漫畫 + + + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + + + web comic + 網路漫畫 + + + + + + 4koma (top to botom) + 4koma(由上至下) + + + + + + + Set type + 套裝類型 + + + + Library + + + + + Folder + 檔夾 + + + + Comic + 漫畫 + + + + Upgrade failed + 更新失敗 + + + + There were errors during library upgrade in: + 漫畫庫更新時出現錯誤: + + + + Update needed + 需要更新 + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + 此庫是使用舊版本的YACReaderLibrary創建的. 它需要更新. 現在更新? + + + + Download new version + 下載新版本 + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + 此庫是使用較新版本的YACReaderLibrary創建的。 立即下載新版本? + + + + Library not available + 庫不可用 + + + + Library '%1' is no longer available. Do you want to remove it? + 庫 '%1' 不再可用。 你想刪除它嗎? + + + + Old library + 舊的庫 + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + 庫 '%1' 是通過舊版本的YACReaderLibrary創建的。 必須再次創建。 你想現在創建嗎? + + + + + Copying comics... + 複製漫畫中... + + + + + Moving comics... + 移動漫畫中... + + + + Add new folder + 添加新的檔夾 + + + + Folder name: + 檔夾名稱: + + + + No folder selected + 沒有選中的檔夾 + + + + Please, select a folder first + 請先選擇一個檔夾 + + + + Error in path + 路徑錯誤 + + + + There was an error accessing the folder's path + 訪問檔夾的路徑時出錯 + + + + Delete folder + 刪除檔夾 + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + 所選檔夾及其所有內容將從磁片中刪除。 你確定嗎? + + + + + Unable to delete + 無法刪除 + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + 嘗試刪除所選檔夾時出現問題。 請檢查寫入許可權,並確保沒有其他應用程式在使用這些檔夾或檔。 + + + + Add new reading lists + 添加新的閱讀列表 + + + + + List name: + 列表名稱: + + + + Delete list/label + 刪除 列表/標籤 + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + 所選項目將被刪除,您的漫畫或檔夾將不會從您的磁片中刪除。 你確定嗎? + + + + Rename list name + 重命名列表 + + + + Open folder... + 打開檔夾... + + + + Update folder + 更新檔夾 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set as read + 設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + Save covers + 保存封面 + + + + You are adding too many libraries. + 您添加的庫太多了。 + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + 您添加的庫太多了。 + +一般情況只需要一個頂級的庫,您可以使用左側邊欄中的檔夾功能來進行分類管理。 + +YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低的庫數量來提升性能。 + + + + + YACReader not found + YACReader 未找到 + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + 未找到YACReader. YACReader應安裝在與YACReaderLibrary相同的檔夾中. + + + + YACReader not found. There might be a problem with your YACReader installation. + 未找到YACReader. YACReader的安裝可能有問題. + + + + Error + 錯誤 + + + + Error opening comic with third party reader. + 使用第三方閱讀器開啟漫畫時出錯。 + + + + Library not found + 未找到庫 + + + + The selected folder doesn't contain any library. + 所選檔夾不包含任何庫。 + + + + Are you sure? + 你確定嗎? + + + + Do you want remove + 你想要刪除 + + + + library? + 庫? + + + + Remove and delete metadata + 移除並刪除元數據 + + + + Library info + 圖書館資訊 + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + 嘗試刪除所選漫畫時出現問題。 請檢查所選檔或包含檔夾中的寫入許可權。 + + + + Assign comics numbers + 分配漫畫編號 + + + + Assign numbers starting in: + 從以下位置開始分配編號: + + + + Invalid image + 圖片無效 + + + + The selected file is not a valid image. + 所選檔案不是有效影像。 + + + + Error saving cover + 儲存封面時發生錯誤 + + + + There was an error saving the cover image. + 儲存封面圖片時發生錯誤。 + + + + Error creating the library + 創建庫時出錯 + + + + Error updating the library + 更新庫時出錯 + + + + Error opening the library + 打開庫時出錯 + + + + Delete comics + 刪除漫畫 + + + + All the selected comics will be deleted from your disk. Are you sure? + 所有選定的漫畫都將從您的磁片中刪除。你確定嗎? + + + + Remove comics + 移除漫畫 + + + + Comics will only be deleted from the current label/list. Are you sure? + 漫畫只會從當前標籤/列表中刪除。 你確定嗎? + + + + Library name already exists + 庫名已存在 + + + + There is another library with the name '%1'. + 已存在另一個名為'%1'的庫。 + + + + LibraryWindowActions + + + Create a new library + 創建一個新的庫 + + + + Open an existing library + 打開現有的庫 + + + + + Export comics info + 導出漫畫資訊 + + + + + Import comics info + 導入漫畫資訊 + + + + Pack covers + 打包封面 + + + + Pack the covers of the selected library + 打包所選庫的封面 + + + + Unpack covers + 解壓封面 + + + + Unpack a catalog + 解壓目錄 + + + + Update library + 更新庫 + + + + Update current library + 更新當前庫 + + + + Rename library + 重命名庫 + + + + Rename current library + 重命名當前庫 + + + + Remove library + 移除庫 + + + + Remove current library from your collection + 從您的集合中移除當前庫 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 + + + + Show library info + 顯示圖書館資訊 + + + + Show information about the current library + 顯示當前庫的信息 + + + + Open current comic + 打開當前漫畫 + + + + Open current comic on YACReader + 用YACReader打開漫畫 + + + + Save selected covers to... + 選中的封面保存到... + + + + Save covers of the selected comics as JPG files + 保存所選的封面為jpg + + + + + Set as read + 設為已讀 + + + + Set comic as read + 漫畫設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set comic as unread + 漫畫設為未讀 + + + + + manga + 漫畫 + + + + Set issue as manga + 將問題設定為漫畫 + + + + + comic + 漫畫 + + + + Set issue as normal + 設置發行狀態為正常發行 + + + + western manga + 西方漫畫 + + + + Set issue as western manga + 將問題設定為西方漫畫 + + + + + web comic + 網路漫畫 + + + + Set issue as web comic + 將問題設定為網路漫畫 + + + + + yonkoma + 四科馬 + + + + Set issue as yonkoma + 將問題設定為 yonkoma + + + + Show/Hide marks + 顯示/隱藏標記 + + + + Show or hide read marks + 顯示或隱藏閱讀標記 + + + + Show/Hide recent indicator + 顯示/隱藏最近的指標 + + + + Show or hide recent indicator + 顯示或隱藏最近的指示器 + + + + + Fullscreen mode on/off + 全屏模式 開/關 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Add new folder + 添加新的檔夾 + + + + Add new folder to the current library + 在當前庫下添加新的檔夾 + + + + Delete folder + 刪除檔夾 + + + + Delete current folder from disk + 從磁片上刪除當前檔夾 + + + + Select root node + 選擇根節點 + + + + Expand all nodes + 展開所有節點 + + + + Collapse all nodes + 折疊所有節點 + + + + Show options dialog + 顯示選項對話框 + + + + Show comics server options dialog + 顯示漫畫伺服器選項對話框 + + + + + Change between comics views + 漫畫視圖之間的變化 + + + + Open folder... + 打開檔夾... + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + Open containing folder... + 打開包含檔夾... + + + + Reset comic rating + 重置漫畫評分 + + + + Select all comics + 全選漫畫 + + + + Edit + 編輯 + + + + Assign current order to comics + 將當前序號分配給漫畫 + + + + Update cover + 更新封面 + + + + Delete selected comics + 刪除所選的漫畫 + + + + Delete metadata from selected comics + 從選定的漫畫中刪除元數據 + + + + Download tags from Comic Vine + 從 Comic Vine 下載標籤 + + + + Focus search line + 聚焦於搜索行 + + + + Focus comics view + 聚焦於漫畫視圖 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &Quit + 退出(&Q) + + + + Update folder + 更新檔夾 + + + + Update current folder + 更新當前檔夾 + + + + Scan legacy XML metadata + 掃描舊版 XML 元數據 + + + + Add new reading list + 添加新的閱讀列表 + + + + Add a new reading list to the current library + 在當前庫添加新的閱讀列表 + + + + Remove reading list + 移除閱讀列表 + + + + Remove current reading list from the library + 從當前庫移除閱讀列表 + + + + Add new label + 添加新標籤 + + + + Add a new label to this library + 在當前庫添加標籤 + + + + Rename selected list + 重命名列表 + + + + Rename any selected labels or lists + 重命名任何選定的標籤或列表 + + + + Add to... + 添加到... + + + + Favorites + 收藏夾 + + + + Add selected comics to favorites list + 將所選漫畫添加到收藏夾列表 + + + + LocalComicListModel + + + file name + 檔案名 + + + + LogWindow + + Log window + 日誌窗口 + + + &Pause + 中止(&P) + + + &Save + 保存(&S) + + + C&lear + 清空(&l) + + + &Copy + 複製(&C) + + + Level: + 等級: + + + &Auto scroll + 自動滾動(&A) + + + + NoLibrariesWidget + + + You don't have any libraries yet + 你還沒有庫 + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>您可以在任何檔夾中創建庫,YACReaderLibrary將導入此檔夾中的所有漫畫和文件夾。如果已有庫,則可以打開它們。</p><p>您可以把YACReader當成獨立應用來閱讀電腦上的漫畫。</p> + + + + create your first library + 創建你的第一個庫 + + + + add an existing one + 添加一個現有庫 + + + + NoSearchResultsWidget + + + No results + 沒有結果 + + + + OptionsDialog + + + "Go to flow" size + 頁面流尺寸 + + + + My comics path + 我的漫畫路徑 + + + + Background color + 背景顏色 + + + + Choose + 選擇 + + + + Quick Navigation Mode 快速導航模式 - - Disable mouse over activation - 禁用滑鼠啟動 + + Disable mouse over activation + 禁用滑鼠啟動 + + + + Scaling + 縮放 + + + + Scaling method + 縮放方法 + + + + Nearest (fast, low quality) + 最近(快速,低品質) + + + + Bilinear + 雙線性 + + + + Lanczos (better quality) + Lanczos(品質更好) + + + + + Restart is needed + 需要重啟 + + + + Brightness + 亮度 + + + + Display + 展示 + + + + Show time in current page information label + 在目前頁面資訊標籤中顯示時間 + + + + Scroll behaviour + 滾動效果 + + + + Disable scroll animations and smooth scrolling + 停用滾動動畫和平滑滾動 + + + + Do not turn page using scroll + 滾動時不翻頁 + + + + Use single scroll step to turn page + 使用單滾動步驟翻頁 + + + + Mouse mode + 滑鼠模式 + + + + Only Back/Forward buttons can turn pages + 只有後退/前進按鈕可以翻頁 + + + + Use the Left/Right buttons to turn pages. + 使用向左/向右按鈕翻頁。 + + + + Click left or right half of the screen to turn pages. + 點擊螢幕的左半部或右半部即可翻頁。 + + + + Contrast + 對比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 圖片選項 + + + + Fit options + 適應項 + + + + Enlarge images to fit width/height + 放大圖片以適應寬度/高度 + + + + Double Page options + 雙頁選項 + + + + Show covers as single page + 顯示封面為單頁 + + + + + General + 常規 + + + + + Libraries + + + + + Comic Flow + 漫畫流 + + + + Grid view + 網格視圖 + + + + + Appearance + 外貌 + + + + + Language + 語言 + + + + + Application language + 應用程式語言 + + + + + System default + 系統預設 + + + + Tray icon settings (experimental) + 託盤圖示設置 (實驗特性) + + + + Close to tray + 關閉至託盤 + + + + Start into the system tray + 啟動至系統託盤 + + + + Edit Comic Vine API key + 編輯Comic Vine API 密匙 + + + + Comic Vine API key + Comic Vine API 密匙 + + + + ComicInfo.xml legacy support + ComicInfo.xml 遺留支持 + + + + Import metadata from ComicInfo.xml when adding new comics + 新增漫畫時從 ComicInfo.xml 匯入元數據 + + + + Consider 'recent' items added or updated since X days ago + 考慮自 X 天前新增或更新的「最近」項目 + + + + Third party reader + 第三方閱讀器 + + + + Write {comic_file_path} where the path should go in the command + 在命令中應將路徑寫入 {comic_file_path} + + + + + Clear + 清空 + + + + Update libraries at startup + 啟動時更新庫 + + + + Try to detect changes automatically + 嘗試自動偵測變化 + + + + Update libraries periodically + 定期更新庫 + + + + Interval: + 間隔: + + + + 30 minutes + 30分鐘 + + + + 1 hour + 1小時 + + + + 2 hours + 2小時 + + + + 4 hours + 4小時 + + + + 8 hours + 8小時 + + + + 12 hours + 12小時 + + + + daily + 日常的 + + + + Update libraries at certain time + 定時更新庫 + + + + Time: + 時間: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + 警告!在庫更新期間,將停用對資料庫的寫入! +當您可能正在積極使用應用程式時,請勿安排更新。 +在自動更新期間,應用程式將阻止某些操作,直到更新完成。 +若要停止自動更新,請點選庫標題旁的載入指示器。 + + + + Modifications detection + 修改檢測 + + + + Compare the modified date of files when updating a library (not recommended) + 更新庫時比較文件的修改日期(不建議) + + + + Enable background image + 啟用背景圖片 + + + + Opacity level + 透明度 + + + + Blur level + 模糊 + + + + Use selected comic cover as background + 使用選定的漫畫封面做背景 + + + + Restore defautls + 恢復默認值 + + + + Background + 背景 + + + + Display continue reading banner + 顯示繼續閱讀橫幅 + + + + Display current comic banner + 顯示目前漫畫橫幅 + + + + Continue reading + 繼續閱讀 + + + + Page Flow + 頁面流 + + + + Image adjustment + 圖像調整 + + + + + Options + 選項 + + + + Comics directory + 漫畫目錄 + + + + PropertiesDialog + + + General info + 基本資訊 + + + + Plot + 情節 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Notes + 筆記 + + + + Cover page + 封面 + + + + Load previous page as cover + 載入上一頁作為封面 + + + + Load next page as cover + 載入下一頁作為封面 + + + + Reset cover to the default image + 將封面重設為預設圖片 + + + + Load custom cover image + 載入自訂封面圖片 + + + + Series: + 系列: + + + + Title: + 標題: + + + + + + of: + 的: + + + + Issue number: + 發行數量: + + + + Volume: + 卷: + + + + Arc number: + 世界線數量: + + + + Story arc: + 故事線: + + + + alt. number: + 替代。數字: + + + + Alternate series: + 替代系列: + + + + Series Group: + 系列組: + + + + Genre: + 類型: + + + + Size: + 大小: + + + + Writer(s): + 作者: + + + + Penciller(s): + 線稿: + + + + Inker(s): + 墨稿: + + + + Colorist(s): + 上色: + + + + Letterer(s): + 文本: + + + + Cover Artist(s): + 封面設計: + + + + Editor(s): + 編輯: + + + + Imprint: + 印記: + + + + Day: + 日: + + + + Month: + 月: + + + + Year: + 年: + + + + Publisher: + 出版者: + + + + Format: + 格式: + + + + Color/BW: + 彩色/黑白: + + + + Age rating: + 年齡等級: - - Restart is needed - 需要重啟 + + Type: + 類型: - - Brightness - 亮度 + + Language (ISO): + 語言(ISO): - - Display - + + Synopsis: + 概要: - - Show time in current page information label - + + Characters: + 角色: - - Scroll behaviour - 滾動效果 + + Teams: + 團隊: - - Disable scroll animations and smooth scrolling - + + Locations: + 地點: - - Do not turn page using scroll - 滾動時不翻頁 + + Main character or team: + 主要角色或團隊: - - Use single scroll step to turn page - 使用單滾動步驟翻頁 + + Review: + 審查: - - Mouse mode - + + Notes: + 筆記: - - Only Back/Forward buttons can turn pages - + + Tags: + 標籤: - - Use the Left/Right buttons to turn pages. - + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine 連接: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> 查看 </a> - - Click left or right half of the screen to turn pages. - + + Not found + 未找到 - - Contrast - 對比度 + + Comic not found. You should update your library. + 未找到漫畫,請先更新您的庫. - - Gamma - Gamma值 + + Edit comic information + 編輯漫畫資訊 + + + + Edit selected comics information + 編輯選中的漫畫資訊 + + + + Invalid cover + 封面無效 + + + + The image is invalid. + 該圖像無效。 + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的無頭(無 GUI)版本。 + +此應用程式支援持久性設置,要設定它們,請編輯此文件 %1 +若要了解可用設置,請查看文件:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + 7z lib not found + 未找到 7z 庫檔 + + + + unable to load 7z lib from ./utils + 無法從 ./utils 載入 7z 庫檔 + + + + Trace + 追蹤 + + + + Debug + 除錯 + + + + Info + 資訊 + + + + Warning + 警告 + + + + Error + 錯誤 + + + + Fatal + 嚴重錯誤 + + + + Select custom cover + 選擇自訂封面 + + + + Images (%1) + 圖片 (%1) + + + + The file could not be read or is not valid JSON. + 無法讀取該檔案或該檔案不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主題適用於 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 檔夾 + + + + Reading Lists + 閱讀列表 + + + + QsLogging::LogWindowModel + + Time + 時間 + + + Level + 等級 + + + Message + 資訊 + + + + QsLogging::Window + + &Pause + 中止(&P) + + + &Resume + 恢復(&R) + + + Save log + 保存日誌 + + + Log file (*.log) + 日誌檔 (*.log) + + + + RenameLibraryDialog + + + New Library Name : + 新庫名: + + + + Rename + 重命名 + + + + Cancel + 取消 + + + + Rename current library + 重命名當前庫 + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + 搜索結果: %1 + + + + + page %1 of %2 + 第 %1 頁 共 %2 頁 + + + + Number of %1 found : %2 + 第 %1 頁 共: %2 條 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SearchVolume + + + Please provide some additional information. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SelectComic + + + Please, select the right comic info. + 請正確選擇漫畫資訊. + + + + comics + 漫畫 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + comic description unavailable + 漫畫描述不可用 + + + + SelectVolume + + + Please, select the right series for your comic. + 請選擇正確的漫畫系列。 + + + + Filter: + 篩選: + + + + volumes + + + + + Nothing found, clear the filter if any. + 未找到任何內容,如果有,請清除過濾器。 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + volume description unavailable + 卷描述不可用 + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + 您正在嘗試同時獲取各種漫畫的資訊,它們是同一系列的嗎? + + + + yes + + + + + no + + + + + ServerConfigDialog + + + set port + 設置端口 + + + + Server connectivity information + 伺服器連接資訊 + + + + Scan it! + 掃一掃! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader 適用於 iOS 和 Android 裝置。 <br/>發現它適用於 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> 或 <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>。 + + + + Choose an IP address + 選擇IP地址 + + + + Port + 端口 + + + + enable the server + 啟用伺服器 + + + + ShortcutsDialog + + YACReader keyboard shortcuts + YACReader 鍵盤快捷鍵 + + + Close + 關閉 + + + Keyboard Shortcuts + 鍵盤快捷鍵 + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + 請在左側對漫畫列表進行排序,直到它與漫畫的資訊相符。 + + + + sort comics to match comic information + 排序漫畫以匹配漫畫資訊 + + + + issues + 發行 + + + + remove selected comics + 移除所選漫畫 + + + + restore all removed comics + 恢復所有移除的漫畫 + + + + ThemeEditorDialog + + + Theme Editor + 主題編輯器 + + + + + + + + + + + - + - + + + + i + + + + + Expand all + 全部展開 + + + + Collapse all + 全部折疊 + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中閃爍所選值(洋紅色/切換/0↔10)。發布後恢復原樣。 + + + + Search… + 搜尋… - - Reset - 重置 + + Light + 亮度 - - Image options - 圖片選項 + + Dark + 黑暗的 - - Fit options - 適應項 + + ID: + ID: - - Enlarge images to fit width/height - 放大圖片以適應寬度/高度 + + Display name: + 顯示名稱: - - Double Page options - 雙頁選項 + + Variant: + 變體: - - Show covers as single page - 顯示封面為單頁 + + Theme info + 主題訊息 - - General - 常規 + + Parameter + 範圍 - - Page Flow - 頁面流 + + Value + 價值 - - Image adjustment - 圖像調整 + + Save and apply + 儲存並應用 - - Options - 選項 + + Export to file... + 匯出到文件... - - Comics directory - 漫畫目錄 + + Load from file... + 從檔案載入... - - - QObject - - 7z lib not found - 未找到 7z 庫檔 + + Close + 關閉 - - unable to load 7z lib from ./utils - 無法從 ./utils 載入 7z 庫檔 + + Double-click to edit color + 雙擊編輯顏色 - - Trace - 追蹤 + + + + + + + true + 真的 - - Debug - 除錯 + + + + + false + 錯誤的 - - Info - 資訊 + + Double-click to toggle + 按兩下切換 - - Warning - 警告 + + Double-click to edit value + 雙擊編輯值 - - Error - 錯誤 + + + + Edit: %1 + 編輯:%1 - - Fatal - 嚴重錯誤 + + Save theme + 儲存主題 - - Select custom cover - + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) - - Images (%1) - + + Save failed + 保存失敗 - - - QsLogging::LogWindowModel - - Time - 時間 + + Could not open file for writing: +%1 + 無法開啟文件進行寫入: +%1 - - Level - 等級 + + Load theme + 載入主題 - - Message - 資訊 + + + + Load failed + 載入失敗 - - - QsLogging::Window - - &Pause - 中止(&P) + + Could not open file: +%1 + 無法開啟檔案: +%1 - - &Resume - 恢復(&R) + + Invalid JSON: +%1 + 無效的 JSON: +%1 - - Save log - 保存日誌 + + Expected a JSON object. + 需要一個 JSON 物件。 + + + TitleHeader - - Log file (*.log) - 日誌檔 (*.log) + + SEARCH + 搜索 - ShortcutsDialog + UpdateLibraryDialog - YACReader keyboard shortcuts - YACReader 鍵盤快捷鍵 + + Updating.... + 更新中... - Close - 關閉 + + Cancel + 取消 - Keyboard Shortcuts - 鍵盤快捷鍵 + + Update library + 更新庫 Viewer - - + + Press 'O' to open comic. 按下 'O' 以打開漫畫. - + Not found 未找到 - + Comic not found 未找到漫畫 - + Error opening comic 打開漫畫時發生錯誤 - + CRC Error CRC 校驗失敗 - + Loading...please wait! 載入中... 請稍候! - + Page not available! 頁面不可用! - + Cover! 封面! - + Last page! 尾頁! + + VolumeComicsModel + + + title + 標題 + + + + VolumesModel + + + year + + + + + issues + 發行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 預設: + + + + Classic look + 經典 + + + + Stripe look + 條狀 + + + + Overlapped Stripe look + 重疊條狀 + + + + Modern look + 現代 + + + + Roulette look + 輪盤 + + + + Show advanced settings + 顯示高級選項 + + + + Custom: + 自定義: + + + + View angle + 視角 + + + + Position + 位置 + + + + Cover gap + 封面間距 + + + + Central gap + 中心間距 + + + + Zoom + 縮放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) + + + + Performance: + 性能: + + YACReader::MainWindowViewer - + &Open 打開(&O) - + Open a comic 打開漫畫 - + New instance 新建實例 - + Open Folder 打開檔夾 - + Open image folder 打開圖片檔夾 - + Open latest comic 打開最近的漫畫 - + Open the latest comic opened in the previous reading session 打開最近閱讀漫畫 - + Clear 清空 - + Clear open recent list 清空最近訪問列表 - + Save 保存 - + Save current page 保存當前頁面 @@ -557,285 +3230,296 @@ 上一個漫畫 - - - + + + Open previous comic 打開上一個漫畫 - + Next Comic 下一個漫畫 - - - + + + Open next comic 打開下一個漫畫 - + &Previous 上一頁(&P) - - - + + + Go to previous page 轉至上一頁 - + &Next 下一頁(&N) - - - + + + Go to next page 轉至下一頁 - + Fit Height 適應高度 - + Fit image to height 縮放圖片以適應高度 - + Fit Width 適合寬度 - + Fit image to width 縮放圖片以適應寬度 - + Show full size 顯示全尺寸 - + Fit to page 適應頁面 - + + Continuous scroll + 連續滾動 + + + + Switch to continuous scroll mode + 切換到連續滾動模式 + + + Reset zoom 重置縮放 - + Show zoom slider 顯示縮放滑塊 - + Zoom+ 放大 - + Zoom- 縮小 - + Rotate image to the left 向左旋轉圖片 - + Rotate image to the right 向右旋轉圖片 - + Double page mode 雙頁模式 - + Switch to double page mode 切換至雙頁模式 - + Double page manga mode 雙頁漫畫模式 - + Reverse reading order in double page mode 雙頁模式 (逆序閱讀) - + Go To 跳轉 - + Go to page ... 跳轉至頁面 ... - + Options 選項 - + YACReader options YACReader 選項 - - + + Help 幫助 - + Help, About YACReader 幫助, 關於 YACReader - + Magnifying glass 放大鏡 - + Switch Magnifying glass 切換放大鏡 - + Set bookmark 設置書簽 - + Set a bookmark on the current page 在當前頁面設置書簽 - + Show bookmarks 顯示書簽 - + Show the bookmarks of the current comic 顯示當前漫畫的書簽 - + Show keyboard shortcuts 顯示鍵盤快捷鍵 - + Show Info 顯示資訊 - + Close 關閉 - + Show Dictionary 顯示字典 - + Show go to flow 顯示頁面流 - + Edit shortcuts 編輯快捷鍵 - + &File 檔(&F) - - + + Open recent 最近打開的檔 - + File - + Edit 編輯 - + View 查看 - + Go 轉到 - + Window 窗口 - - - + + + Open Comic 打開漫畫 - - - + + + Comic files 漫畫檔 - + Open folder 打開檔夾 - + page_%1.jpg - page_%1.jpg + 頁_%1.jpg - + Image files (*.jpg) 圖像檔 (*.jpg) + Comics 漫畫 @@ -851,6 +3535,7 @@ 隱藏/顯示 工具欄 + General 常規 @@ -878,9 +3563,10 @@ Reset magnifying glass - + 重置放大鏡 + Magnifiying glass 放大鏡 @@ -891,112 +3577,131 @@ 切換顯示為"適應寬度"或"適應高度" + Page adjustement 頁面調整 - + Autoscroll down 向下自動滾動 - + Autoscroll up 向上自動滾動 - + Autoscroll forward, horizontal first 向前自動滾動,水準優先 - + Autoscroll backward, horizontal first 向後自動滾動,水準優先 - + Autoscroll forward, vertical first 向前自動滾動,垂直優先 - + Autoscroll backward, vertical first 向後自動滾動,垂直優先 - + Move down 向下移動 - + Move up 向上移動 - + Move left 向左移動 - + Move right 向右移動 - + Go to the first page 轉到第一頁 - + Go to the last page 轉到最後一頁 - + Offset double page to the left - + 雙頁向左偏移 - + Offset double page to the right - + 雙頁向右偏移 - + + Reading 閱讀 - + There is a new version available 有新版本可用 - + Do you want to download the new version? 你要下載新版本嗎? - + Remind me in 14 days 14天後提醒我 - + Not now 現在不 + + YACReader::TrayIconController + + + &Restore + 複位(&R) + + + + Systray + 系統託盤 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + YACReader::WhatsNewDialog - Close - 關閉 + 關閉 @@ -1032,170 +3737,150 @@ YACReaderFlowConfigWidget - How to show covers: - 封面顯示方式: + 封面顯示方式: - CoverFlow look - 封面流 + 封面流 - Stripe look - 條狀 + 條狀 - Overlapped Stripe look - 重疊條狀 + 重疊條狀 YACReaderGLFlowConfigWidget - Presets: - 預設: + 預設: - Classic look - 經典 + 經典 - Stripe look - 條狀 + 條狀 - Overlapped Stripe look - 重疊條狀 + 重疊條狀 - Modern look - 現代 + 現代 - Roulette look - 輪盤 + 輪盤 - Show advanced settings - 顯示高級選項 + 顯示高級選項 - Custom: - 自定義: + 自定義: - View angle - 視角 + 視角 - Position - 位置 + 位置 - Cover gap - 封面間距 + 封面間距 - Central gap - 中心間距 + 中心間距 - Zoom - 縮放 + 縮放 - Y offset - Y位移 + Y位移 - Z offset - Z位移 + Z位移 - Cover Angle - 封面角度 + 封面角度 - Visibility - 透明度 + 透明度 - Light - 亮度 + 亮度 - Max angle - 最大角度 + 最大角度 - Low Performance - 低性能 + 低性能 - High Performance - 高性能 + 高性能 - Use VSync (improve the image quality in fullscreen mode, worse performance) - 使用VSync (在全屏模式下提高圖像品質, 性能更差) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) - Performance: - 性能: + 性能: YACReaderOptionsDialog - + Save 保存 - + Cancel 取消 - + Edit shortcuts 編輯快捷鍵 - + Shortcuts 快捷鍵 - Use hardware acceleration (restart needed) - 使用硬體加速 (需要重啟) + 使用硬體加速 (需要重啟) + + + + YACReaderSearchLineEdit + + + type to search + 搜索類型 @@ -1209,23 +3894,23 @@ YACReaderTranslator - + YACReader translator YACReader 翻譯 - - + + Translation 翻譯 - + clear 清空 - + Service not available 服務不可用 diff --git a/YACReader/yacreader_zh_TW.ts b/YACReader/yacreader_zh_TW.ts index 4745cbaff..07e46820a 100644 --- a/YACReader/yacreader_zh_TW.ts +++ b/YACReader/yacreader_zh_TW.ts @@ -9,6 +9,196 @@ + + AddLabelDialog + + + Label name: + 標籤名稱: + + + + Choose a color: + 選擇標籤顏色: + + + + accept + 接受 + + + + cancel + 取消 + + + + AddLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library name : + 庫名: + + + + Add + 添加 + + + + Cancel + 取消 + + + + Add an existing library + 添加一個現有庫 + + + + ApiKeyDialog + + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + 你需要擁有自己的API密鑰才能夠連接Comic Vine. 你可以通過這個鏈接獲得一個免費的<a href="http://www.comicvine.com/api/">API</a>密鑰 + + + + Paste here your Comic Vine API key + 在此粘貼你的Comic Vine API + + + + Accept + 接受 + + + + Cancel + 取消 + + + + AppearanceTabWidget + + + Color scheme + 配色方案 + + + + System + 系統 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 風俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 刪除此使用者匯入的主題 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定義: + + + + Import theme... + 導入主題... + + + + Theme + 主題 + + + + Theme editor + 主題編輯器 + + + + Open Theme Editor... + 開啟主題編輯器... + + + + Theme editor error + 主題編輯器錯誤 + + + + The current theme JSON could not be loaded. + 無法載入目前主題 JSON。 + + + + Import theme + 導入主題 + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Could not import theme from: +%1 + 無法從以下位置匯入主題: +%1 + + + + Could not import theme from: +%1 + +%2 + 無法從以下位置匯入主題: +%1 + +%2 + + + + Import failed + 導入失敗 + + BookmarksDialog @@ -33,6 +223,200 @@ 載入中... + + ClassicComicsView + + + Hide comic flow + 隱藏漫畫流 + + + + ComicModel + + + yes + + + + + no + + + + + Title + 標題 + + + + File Name + 檔案名 + + + + Pages + 頁數 + + + + Size + 大小 + + + + Read + 閱讀 + + + + Current Page + 當前頁 + + + + Publication Date + 發行日期 + + + + Rating + 評分 + + + + Series + 系列 + + + + Volume + 體積 + + + + Story Arc + 故事線 + + + + ComicVineDialog + + + skip + 忽略 + + + + back + 返回 + + + + next + 下一步 + + + + search + 搜索 + + + + close + 關閉 + + + + + comic %1 of %2 - %3 + 第 %1 本 共 %2 本 - %3 + + + + + + Looking for volume... + 搜索卷... + + + + %1 comics selected + 已選擇 %1 本漫畫 + + + + Error connecting to ComicVine + ComicVine 連接時出錯 + + + + + Retrieving tags for : %1 + 正在檢索標籤: %1 + + + + Retrieving volume info... + 正在接收卷資訊... + + + + Looking for comic... + 搜索漫畫中... + + + + ContinuousPageWidget + + + Loading page %1 + 正在載入頁面 %1 + + + + CreateLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library Name : + 庫名: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + 創建一個新的庫可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。 + + + + Create new library + 創建新的漫畫庫 + + + + Path not found + 未找到路徑 + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + 所選路徑不存在或不是有效路徑. 確保您具有此檔夾的寫入許可權 + + EditShortcutsDialog @@ -51,16 +435,134 @@ 快捷鍵設置 - + Shortcut in use 快捷鍵被佔用 - + The shortcut "%1" is already assigned to other function 快捷鍵 "%1" 已被映射至其他功能 + + EmptyFolderWidget + + + This folder doesn't contain comics yet + 該資料夾還沒有漫畫 + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + 此標籤尚未包含漫畫 + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + 此閱讀列表尚未包含任何漫畫 + + + + EmptySpecialListWidget + + + No favorites + 沒有收藏 + + + + You are not reading anything yet, come on!! + 你還沒有閱讀任何東西,加油!! + + + + There are no recent comics! + 沒有最近的漫畫! + + + + ExportComicsInfoDialog + + + Output file : + 輸出檔: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Export comics info + 導出漫畫資訊 + + + + Destination database name + 目標資料庫名稱 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + ExportLibraryDialog + + + Output folder : + 輸出檔夾: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create covers package + 創建封面包 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + Destination directory + 目標目錄 + + FileComic @@ -116,438 +618,2609 @@ GoToFlowToolBar - + Page : 頁碼 : + + GridComicsView + + + Show info + 顯示資訊 + + HelpAboutDialog - + About 關於 - + Help 幫助 - + System info 系統資訊 - LogWindow + ImportComicsInfoDialog - - Log window - 日誌窗口 + + Import comics info + 導入漫畫資訊 - - &Pause - 中止(&P) + + Info database location : + 資料庫地址: - - &Save - 保存(&S) + + Import + 導入 - - C&lear - 清空(&l) + + Cancel + 取消 - - &Copy - 複製(&C) + + Comics info file (*.ydb) + 漫畫資訊檔(*.ydb) + + + ImportLibraryDialog - - Level: - 等級: + + Library Name : + 庫名: - - &Auto scroll - 自動滾動(&A) + + Package location : + 打包地址: - - - OptionsDialog - - "Go to flow" size - 頁面流尺寸 + + Destination folder : + 目標檔夾: - - My comics path - 我的漫畫路徑 + + Unpack + 解壓 - - Background color - 背景顏色 + + Cancel + 取消 - - Choose - 選擇 + + Extract a catalog + 提取目錄 - - Quick Navigation Mode + + Compresed library covers (*.clc) + 已壓縮的庫封面 (*.clc) + + + + ImportWidget + + + stop + 停止 + + + + Some of the comics being added... + 正在添加漫畫... + + + + Importing comics + 正在導入漫畫 + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary現在正在創建一個新庫。</p><p>這可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。</p> + + + + Updating the library + 正在更新庫 + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>正在更新當前庫。要獲得更快的更新,請經常更新您的庫。</p><p>您可以停止該進程,稍後繼續更新操作。</p> + + + + Upgrading the library + 正在更新庫 + + + + <p>The current library is being upgraded, please wait.</p> + <p>正在更新當前漫畫庫, 請稍候.</p> + + + + Scanning the library + 正在掃描庫 + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>正在掃描當前庫的舊版 XML metadata 資訊。</p><p>這只需要執行一次,且只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 時。</p> + + + + LibraryWindow + + + YACReader Library + YACReader 庫 + + + + + + comic + 漫畫 + + + + + + manga + 漫畫 + + + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + + + web comic + 網路漫畫 + + + + + + 4koma (top to botom) + 4koma(由上至下) + + + + + + + Set type + 套裝類型 + + + + Library + + + + + Folder + 檔夾 + + + + Comic + 漫畫 + + + + Upgrade failed + 更新失敗 + + + + There were errors during library upgrade in: + 漫畫庫更新時出現錯誤: + + + + Update needed + 需要更新 + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + 此庫是使用舊版本的YACReaderLibrary創建的. 它需要更新. 現在更新? + + + + Download new version + 下載新版本 + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + 此庫是使用較新版本的YACReaderLibrary創建的。 立即下載新版本? + + + + Library not available + 庫不可用 + + + + Library '%1' is no longer available. Do you want to remove it? + 庫 '%1' 不再可用。 你想刪除它嗎? + + + + Old library + 舊的庫 + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + 庫 '%1' 是通過舊版本的YACReaderLibrary創建的。 必須再次創建。 你想現在創建嗎? + + + + + Copying comics... + 複製漫畫中... + + + + + Moving comics... + 移動漫畫中... + + + + Add new folder + 添加新的檔夾 + + + + Folder name: + 檔夾名稱: + + + + No folder selected + 沒有選中的檔夾 + + + + Please, select a folder first + 請先選擇一個檔夾 + + + + Error in path + 路徑錯誤 + + + + There was an error accessing the folder's path + 訪問檔夾的路徑時出錯 + + + + Delete folder + 刪除檔夾 + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + 所選檔夾及其所有內容將從磁片中刪除。 你確定嗎? + + + + + Unable to delete + 無法刪除 + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + 嘗試刪除所選檔夾時出現問題。 請檢查寫入許可權,並確保沒有其他應用程式在使用這些檔夾或檔。 + + + + Add new reading lists + 添加新的閱讀列表 + + + + + List name: + 列表名稱: + + + + Delete list/label + 刪除 列表/標籤 + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + 所選項目將被刪除,您的漫畫或檔夾將不會從您的磁片中刪除。 你確定嗎? + + + + Rename list name + 重命名列表 + + + + Open folder... + 打開檔夾... + + + + Update folder + 更新檔夾 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set as read + 設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + Save covers + 保存封面 + + + + You are adding too many libraries. + 您添加的庫太多了。 + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + 您添加的庫太多了。 + +一般情況只需要一個頂級的庫,您可以使用左側邊欄中的檔夾功能來進行分類管理。 + +YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低的庫數量來提升性能。 + + + + + YACReader not found + YACReader 未找到 + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + 未找到YACReader. YACReader應安裝在與YACReaderLibrary相同的檔夾中. + + + + YACReader not found. There might be a problem with your YACReader installation. + 未找到YACReader. YACReader的安裝可能有問題. + + + + Error + 錯誤 + + + + Error opening comic with third party reader. + 使用第三方閱讀器開啟漫畫時出錯。 + + + + Library not found + 未找到庫 + + + + The selected folder doesn't contain any library. + 所選檔夾不包含任何庫。 + + + + Are you sure? + 你確定嗎? + + + + Do you want remove + 你想要刪除 + + + + library? + 庫? + + + + Remove and delete metadata + 移除並刪除元數據 + + + + Library info + 圖書館資訊 + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + 嘗試刪除所選漫畫時出現問題。 請檢查所選檔或包含檔夾中的寫入許可權。 + + + + Assign comics numbers + 分配漫畫編號 + + + + Assign numbers starting in: + 從以下位置開始分配編號: + + + + Invalid image + 圖片無效 + + + + The selected file is not a valid image. + 所選檔案不是有效影像。 + + + + Error saving cover + 儲存封面時發生錯誤 + + + + There was an error saving the cover image. + 儲存封面圖片時發生錯誤。 + + + + Error creating the library + 創建庫時出錯 + + + + Error updating the library + 更新庫時出錯 + + + + Error opening the library + 打開庫時出錯 + + + + Delete comics + 刪除漫畫 + + + + All the selected comics will be deleted from your disk. Are you sure? + 所有選定的漫畫都將從您的磁片中刪除。你確定嗎? + + + + Remove comics + 移除漫畫 + + + + Comics will only be deleted from the current label/list. Are you sure? + 漫畫只會從當前標籤/列表中刪除。 你確定嗎? + + + + Library name already exists + 庫名已存在 + + + + There is another library with the name '%1'. + 已存在另一個名為'%1'的庫。 + + + + LibraryWindowActions + + + Create a new library + 創建一個新的庫 + + + + Open an existing library + 打開現有的庫 + + + + + Export comics info + 導出漫畫資訊 + + + + + Import comics info + 導入漫畫資訊 + + + + Pack covers + 打包封面 + + + + Pack the covers of the selected library + 打包所選庫的封面 + + + + Unpack covers + 解壓封面 + + + + Unpack a catalog + 解壓目錄 + + + + Update library + 更新庫 + + + + Update current library + 更新當前庫 + + + + Rename library + 重命名庫 + + + + Rename current library + 重命名當前庫 + + + + Remove library + 移除庫 + + + + Remove current library from your collection + 從您的集合中移除當前庫 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 + + + + Show library info + 顯示圖書館資訊 + + + + Show information about the current library + 顯示當前庫的信息 + + + + Open current comic + 打開當前漫畫 + + + + Open current comic on YACReader + 用YACReader打開漫畫 + + + + Save selected covers to... + 選中的封面保存到... + + + + Save covers of the selected comics as JPG files + 保存所選的封面為jpg + + + + + Set as read + 設為已讀 + + + + Set comic as read + 漫畫設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set comic as unread + 漫畫設為未讀 + + + + + manga + 漫畫 + + + + Set issue as manga + 將問題設定為漫畫 + + + + + comic + 漫畫 + + + + Set issue as normal + 設置發行狀態為正常發行 + + + + western manga + 西方漫畫 + + + + Set issue as western manga + 將問題設定為西方漫畫 + + + + + web comic + 網路漫畫 + + + + Set issue as web comic + 將問題設定為網路漫畫 + + + + + yonkoma + 四科馬 + + + + Set issue as yonkoma + 將問題設定為 yonkoma + + + + Show/Hide marks + 顯示/隱藏標記 + + + + Show or hide read marks + 顯示或隱藏閱讀標記 + + + + Show/Hide recent indicator + 顯示/隱藏最近的指標 + + + + Show or hide recent indicator + 顯示或隱藏最近的指示器 + + + + + Fullscreen mode on/off + 全屏模式 開/關 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Add new folder + 添加新的檔夾 + + + + Add new folder to the current library + 在當前庫下添加新的檔夾 + + + + Delete folder + 刪除檔夾 + + + + Delete current folder from disk + 從磁片上刪除當前檔夾 + + + + Select root node + 選擇根節點 + + + + Expand all nodes + 展開所有節點 + + + + Collapse all nodes + 折疊所有節點 + + + + Show options dialog + 顯示選項對話框 + + + + Show comics server options dialog + 顯示漫畫伺服器選項對話框 + + + + + Change between comics views + 漫畫視圖之間的變化 + + + + Open folder... + 打開檔夾... + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + Open containing folder... + 打開包含檔夾... + + + + Reset comic rating + 重置漫畫評分 + + + + Select all comics + 全選漫畫 + + + + Edit + 編輯 + + + + Assign current order to comics + 將當前序號分配給漫畫 + + + + Update cover + 更新封面 + + + + Delete selected comics + 刪除所選的漫畫 + + + + Delete metadata from selected comics + 從選定的漫畫中刪除元數據 + + + + Download tags from Comic Vine + 從 Comic Vine 下載標籤 + + + + Focus search line + 聚焦於搜索行 + + + + Focus comics view + 聚焦於漫畫視圖 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &Quit + 退出(&Q) + + + + Update folder + 更新檔夾 + + + + Update current folder + 更新當前檔夾 + + + + Scan legacy XML metadata + 掃描舊版 XML 元數據 + + + + Add new reading list + 添加新的閱讀列表 + + + + Add a new reading list to the current library + 在當前庫添加新的閱讀列表 + + + + Remove reading list + 移除閱讀列表 + + + + Remove current reading list from the library + 從當前庫移除閱讀列表 + + + + Add new label + 添加新標籤 + + + + Add a new label to this library + 在當前庫添加標籤 + + + + Rename selected list + 重命名列表 + + + + Rename any selected labels or lists + 重命名任何選定的標籤或列表 + + + + Add to... + 添加到... + + + + Favorites + 收藏夾 + + + + Add selected comics to favorites list + 將所選漫畫添加到收藏夾列表 + + + + LocalComicListModel + + + file name + 檔案名 + + + + LogWindow + + Log window + 日誌窗口 + + + &Pause + 中止(&P) + + + &Save + 保存(&S) + + + C&lear + 清空(&l) + + + &Copy + 複製(&C) + + + Level: + 等級: + + + &Auto scroll + 自動滾動(&A) + + + + NoLibrariesWidget + + + You don't have any libraries yet + 你還沒有庫 + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>您可以在任何檔夾中創建庫,YACReaderLibrary將導入此檔夾中的所有漫畫和文件夾。如果已有庫,則可以打開它們。</p><p>您可以把YACReader當成獨立應用來閱讀電腦上的漫畫。</p> + + + + create your first library + 創建你的第一個庫 + + + + add an existing one + 添加一個現有庫 + + + + NoSearchResultsWidget + + + No results + 沒有結果 + + + + OptionsDialog + + + "Go to flow" size + 頁面流尺寸 + + + + My comics path + 我的漫畫路徑 + + + + Background color + 背景顏色 + + + + Choose + 選擇 + + + + Quick Navigation Mode 快速導航模式 - - Disable mouse over activation - 禁用滑鼠啟動 + + Disable mouse over activation + 禁用滑鼠啟動 + + + + Scaling + 縮放 + + + + Scaling method + 縮放方法 + + + + Nearest (fast, low quality) + 最近(快速,低品質) + + + + Bilinear + 雙線性 + + + + Lanczos (better quality) + Lanczos(品質更好) + + + + + Restart is needed + 需要重啟 + + + + Brightness + 亮度 + + + + Display + 展示 + + + + Show time in current page information label + 在目前頁面資訊標籤中顯示時間 + + + + Scroll behaviour + 滾動效果 + + + + Disable scroll animations and smooth scrolling + 停用滾動動畫和平滑滾動 + + + + Do not turn page using scroll + 滾動時不翻頁 + + + + Use single scroll step to turn page + 使用單滾動步驟翻頁 + + + + Mouse mode + 滑鼠模式 + + + + Only Back/Forward buttons can turn pages + 只有後退/前進按鈕可以翻頁 + + + + Use the Left/Right buttons to turn pages. + 使用向左/向右按鈕翻頁。 + + + + Click left or right half of the screen to turn pages. + 點擊螢幕的左半部或右半部即可翻頁。 + + + + Contrast + 對比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 圖片選項 + + + + Fit options + 適應項 + + + + Enlarge images to fit width/height + 放大圖片以適應寬度/高度 + + + + Double Page options + 雙頁選項 + + + + Show covers as single page + 顯示封面為單頁 + + + + + General + 常規 + + + + + Libraries + + + + + Comic Flow + 漫畫流 + + + + Grid view + 網格視圖 + + + + + Appearance + 外貌 + + + + + Language + 語言 + + + + + Application language + 應用程式語言 + + + + + System default + 系統預設 + + + + Tray icon settings (experimental) + 託盤圖示設置 (實驗特性) + + + + Close to tray + 關閉至託盤 + + + + Start into the system tray + 啟動至系統託盤 + + + + Edit Comic Vine API key + 編輯Comic Vine API 密匙 + + + + Comic Vine API key + Comic Vine API 密匙 + + + + ComicInfo.xml legacy support + ComicInfo.xml 遺留支持 + + + + Import metadata from ComicInfo.xml when adding new comics + 新增漫畫時從 ComicInfo.xml 匯入元數據 + + + + Consider 'recent' items added or updated since X days ago + 考慮自 X 天前新增或更新的「最近」項目 + + + + Third party reader + 第三方閱讀器 + + + + Write {comic_file_path} where the path should go in the command + 在命令中應將路徑寫入 {comic_file_path} + + + + + Clear + 清空 + + + + Update libraries at startup + 啟動時更新庫 + + + + Try to detect changes automatically + 嘗試自動偵測變化 + + + + Update libraries periodically + 定期更新庫 + + + + Interval: + 間隔: + + + + 30 minutes + 30分鐘 + + + + 1 hour + 1小時 + + + + 2 hours + 2小時 + + + + 4 hours + 4小時 + + + + 8 hours + 8小時 + + + + 12 hours + 12小時 + + + + daily + 日常的 + + + + Update libraries at certain time + 定時更新庫 + + + + Time: + 時間: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + 警告!在庫更新期間,將停用對資料庫的寫入! +當您可能正在積極使用應用程式時,請勿安排更新。 +在自動更新期間,應用程式將阻止某些操作,直到更新完成。 +若要停止自動更新,請點選庫標題旁的載入指示器。 + + + + Modifications detection + 修改檢測 + + + + Compare the modified date of files when updating a library (not recommended) + 更新庫時比較文件的修改日期(不建議) + + + + Enable background image + 啟用背景圖片 + + + + Opacity level + 透明度 + + + + Blur level + 模糊 + + + + Use selected comic cover as background + 使用選定的漫畫封面做背景 + + + + Restore defautls + 恢復默認值 + + + + Background + 背景 + + + + Display continue reading banner + 顯示繼續閱讀橫幅 + + + + Display current comic banner + 顯示目前漫畫橫幅 + + + + Continue reading + 繼續閱讀 + + + + Page Flow + 頁面流 + + + + Image adjustment + 圖像調整 + + + + + Options + 選項 + + + + Comics directory + 漫畫目錄 + + + + PropertiesDialog + + + General info + 基本資訊 + + + + Plot + 情節 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Notes + 筆記 + + + + Cover page + 封面 + + + + Load previous page as cover + 載入上一頁作為封面 + + + + Load next page as cover + 載入下一頁作為封面 + + + + Reset cover to the default image + 將封面重設為預設圖片 + + + + Load custom cover image + 載入自訂封面圖片 + + + + Series: + 系列: + + + + Title: + 標題: + + + + + + of: + 的: + + + + Issue number: + 發行數量: + + + + Volume: + 卷: + + + + Arc number: + 世界線數量: + + + + Story arc: + 故事線: + + + + alt. number: + 替代。數字: + + + + Alternate series: + 替代系列: + + + + Series Group: + 系列組: + + + + Genre: + 類型: + + + + Size: + 大小: + + + + Writer(s): + 作者: + + + + Penciller(s): + 線稿: + + + + Inker(s): + 墨稿: + + + + Colorist(s): + 上色: + + + + Letterer(s): + 文本: + + + + Cover Artist(s): + 封面設計: + + + + Editor(s): + 編輯: + + + + Imprint: + 印記: + + + + Day: + 日: + + + + Month: + 月: + + + + Year: + 年: + + + + Publisher: + 出版者: + + + + Format: + 格式: + + + + Color/BW: + 彩色/黑白: + + + + Age rating: + 年齡等級: - - Restart is needed - 需要重啟 + + Type: + 類型: - - Brightness - 亮度 + + Language (ISO): + 語言(ISO): - - Display - + + Synopsis: + 概要: - - Show time in current page information label - + + Characters: + 角色: - - Scroll behaviour - 滾動效果 + + Teams: + 團隊: - - Disable scroll animations and smooth scrolling - + + Locations: + 地點: - - Do not turn page using scroll - 滾動時不翻頁 + + Main character or team: + 主要角色或團隊: - - Use single scroll step to turn page - 使用單滾動步驟翻頁 + + Review: + 審查: - - Mouse mode - + + Notes: + 筆記: - - Only Back/Forward buttons can turn pages - + + Tags: + 標籤: - - Use the Left/Right buttons to turn pages. - + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine 連接: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> 查看 </a> - - Click left or right half of the screen to turn pages. - + + Not found + 未找到 - - Contrast - 對比度 + + Comic not found. You should update your library. + 未找到漫畫,請先更新您的庫. - - Gamma - Gamma值 + + Edit comic information + 編輯漫畫資訊 + + + + Edit selected comics information + 編輯選中的漫畫資訊 + + + + Invalid cover + 封面無效 + + + + The image is invalid. + 該圖像無效。 + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的無頭(無 GUI)版本。 + +此應用程式支援持久性設置,要設定它們,請編輯此文件 %1 +若要了解可用設置,請查看文件:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + 7z lib not found + 未找到 7z 庫檔 + + + + unable to load 7z lib from ./utils + 無法從 ./utils 載入 7z 庫檔 + + + + Trace + 追蹤 + + + + Debug + 除錯 + + + + Info + 資訊 + + + + Warning + 警告 + + + + Error + 錯誤 + + + + Fatal + 嚴重錯誤 + + + + Select custom cover + 選擇自訂封面 + + + + Images (%1) + 圖片 (%1) + + + + The file could not be read or is not valid JSON. + 無法讀取該檔案或該檔案不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主題適用於 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 檔夾 + + + + Reading Lists + 閱讀列表 + + + + QsLogging::LogWindowModel + + Time + 時間 + + + Level + 等級 + + + Message + 資訊 + + + + QsLogging::Window + + &Pause + 中止(&P) + + + &Resume + 恢復(&R) + + + Save log + 保存日誌 + + + Log file (*.log) + 日誌檔 (*.log) + + + + RenameLibraryDialog + + + New Library Name : + 新庫名: + + + + Rename + 重命名 + + + + Cancel + 取消 + + + + Rename current library + 重命名當前庫 + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + 搜索結果: %1 + + + + + page %1 of %2 + 第 %1 頁 共 %2 頁 + + + + Number of %1 found : %2 + 第 %1 頁 共: %2 條 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SearchVolume + + + Please provide some additional information. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SelectComic + + + Please, select the right comic info. + 請正確選擇漫畫資訊. + + + + comics + 漫畫 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + comic description unavailable + 漫畫描述不可用 + + + + SelectVolume + + + Please, select the right series for your comic. + 請選擇正確的漫畫系列。 + + + + Filter: + 篩選: + + + + volumes + + + + + Nothing found, clear the filter if any. + 未找到任何內容,如果有,請清除過濾器。 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + volume description unavailable + 卷描述不可用 + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + 您正在嘗試同時獲取各種漫畫的資訊,它們是同一系列的嗎? + + + + yes + + + + + no + + + + + ServerConfigDialog + + + set port + 設置端口 + + + + Server connectivity information + 伺服器連接資訊 + + + + Scan it! + 掃一掃! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader 適用於 iOS 和 Android 裝置。 <br/>發現它適用於 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> 或 <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>。 + + + + Choose an IP address + 選擇IP地址 + + + + Port + 端口 + + + + enable the server + 啟用伺服器 + + + + ShortcutsDialog + + YACReader keyboard shortcuts + YACReader 鍵盤快捷鍵 + + + Close + 關閉 + + + Keyboard Shortcuts + 鍵盤快捷鍵 + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + 請在左側對漫畫列表進行排序,直到它與漫畫的資訊相符。 + + + + sort comics to match comic information + 排序漫畫以匹配漫畫資訊 + + + + issues + 發行 + + + + remove selected comics + 移除所選漫畫 + + + + restore all removed comics + 恢復所有移除的漫畫 + + + + ThemeEditorDialog + + + Theme Editor + 主題編輯器 + + + + + + + + + + + - + - + + + + i + + + + + Expand all + 全部展開 + + + + Collapse all + 全部折疊 + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中閃爍所選值(洋紅色/切換/0↔10)。發布後恢復原樣。 + + + + Search… + 搜尋… - - Reset - 重置 + + Light + 亮度 - - Image options - 圖片選項 + + Dark + 黑暗的 - - Fit options - 適應項 + + ID: + ID: - - Enlarge images to fit width/height - 放大圖片以適應寬度/高度 + + Display name: + 顯示名稱: - - Double Page options - 雙頁選項 + + Variant: + 變體: - - Show covers as single page - 顯示封面為單頁 + + Theme info + 主題訊息 - - General - 常規 + + Parameter + 範圍 - - Page Flow - 頁面流 + + Value + 價值 - - Image adjustment - 圖像調整 + + Save and apply + 儲存並應用 - - Options - 選項 + + Export to file... + 匯出到文件... - - Comics directory - 漫畫目錄 + + Load from file... + 從檔案載入... - - - QObject - - 7z lib not found - 未找到 7z 庫檔 + + Close + 關閉 - - unable to load 7z lib from ./utils - 無法從 ./utils 載入 7z 庫檔 + + Double-click to edit color + 雙擊編輯顏色 - - Trace - 追蹤 + + + + + + + true + 真的 - - Debug - 除錯 + + + + + false + 錯誤的 - - Info - 資訊 + + Double-click to toggle + 按兩下切換 - - Warning - 警告 + + Double-click to edit value + 雙擊編輯值 - - Error - 錯誤 + + + + Edit: %1 + 編輯:%1 - - Fatal - 嚴重錯誤 + + Save theme + 儲存主題 - - Select custom cover - + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) - - Images (%1) - + + Save failed + 保存失敗 - - - QsLogging::LogWindowModel - - Time - 時間 + + Could not open file for writing: +%1 + 無法開啟文件進行寫入: +%1 - - Level - 等級 + + Load theme + 載入主題 - - Message - 資訊 + + + + Load failed + 載入失敗 - - - QsLogging::Window - - &Pause - 中止(&P) + + Could not open file: +%1 + 無法開啟檔案: +%1 - - &Resume - 恢復(&R) + + Invalid JSON: +%1 + 無效的 JSON: +%1 - - Save log - 保存日誌 + + Expected a JSON object. + 需要一個 JSON 物件。 + + + TitleHeader - - Log file (*.log) - 日誌檔 (*.log) + + SEARCH + 搜索 - ShortcutsDialog + UpdateLibraryDialog - YACReader keyboard shortcuts - YACReader 鍵盤快捷鍵 + + Updating.... + 更新中... - Close - 關閉 + + Cancel + 取消 - Keyboard Shortcuts - 鍵盤快捷鍵 + + Update library + 更新庫 Viewer - - + + Press 'O' to open comic. 按下 'O' 以打開漫畫. - + Not found 未找到 - + Comic not found 未找到漫畫 - + Error opening comic 打開漫畫時發生錯誤 - + CRC Error CRC 校驗失敗 - + Loading...please wait! 載入中... 請稍候! - + Page not available! 頁面不可用! - + Cover! 封面! - + Last page! 尾頁! + + VolumeComicsModel + + + title + 標題 + + + + VolumesModel + + + year + + + + + issues + 發行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 預設: + + + + Classic look + 經典 + + + + Stripe look + 條狀 + + + + Overlapped Stripe look + 重疊條狀 + + + + Modern look + 現代 + + + + Roulette look + 輪盤 + + + + Show advanced settings + 顯示高級選項 + + + + Custom: + 自定義: + + + + View angle + 視角 + + + + Position + 位置 + + + + Cover gap + 封面間距 + + + + Central gap + 中心間距 + + + + Zoom + 縮放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) + + + + Performance: + 性能: + + YACReader::MainWindowViewer - + &Open 打開(&O) - + Open a comic 打開漫畫 - + New instance 新建實例 - + Open Folder 打開檔夾 - + Open image folder 打開圖片檔夾 - + Open latest comic 打開最近的漫畫 - + Open the latest comic opened in the previous reading session 打開最近閱讀漫畫 - + Clear 清空 - + Clear open recent list 清空最近訪問列表 - + Save 保存 - + Save current page 保存當前頁面 @@ -557,285 +3230,296 @@ 上一個漫畫 - - - + + + Open previous comic 打開上一個漫畫 - + Next Comic 下一個漫畫 - - - + + + Open next comic 打開下一個漫畫 - + &Previous 上一頁(&P) - - - + + + Go to previous page 轉至上一頁 - + &Next 下一頁(&N) - - - + + + Go to next page 轉至下一頁 - + Fit Height 適應高度 - + Fit image to height 縮放圖片以適應高度 - + Fit Width 適合寬度 - + Fit image to width 縮放圖片以適應寬度 - + Show full size 顯示全尺寸 - + Fit to page 適應頁面 - + + Continuous scroll + 連續滾動 + + + + Switch to continuous scroll mode + 切換到連續滾動模式 + + + Reset zoom 重置縮放 - + Show zoom slider 顯示縮放滑塊 - + Zoom+ 放大 - + Zoom- 縮小 - + Rotate image to the left 向左旋轉圖片 - + Rotate image to the right 向右旋轉圖片 - + Double page mode 雙頁模式 - + Switch to double page mode 切換至雙頁模式 - + Double page manga mode 雙頁漫畫模式 - + Reverse reading order in double page mode 雙頁模式 (逆序閱讀) - + Go To 跳轉 - + Go to page ... 跳轉至頁面 ... - + Options 選項 - + YACReader options YACReader 選項 - - + + Help 幫助 - + Help, About YACReader 幫助, 關於 YACReader - + Magnifying glass 放大鏡 - + Switch Magnifying glass 切換放大鏡 - + Set bookmark 設置書簽 - + Set a bookmark on the current page 在當前頁面設置書簽 - + Show bookmarks 顯示書簽 - + Show the bookmarks of the current comic 顯示當前漫畫的書簽 - + Show keyboard shortcuts 顯示鍵盤快捷鍵 - + Show Info 顯示資訊 - + Close 關閉 - + Show Dictionary 顯示字典 - + Show go to flow 顯示頁面流 - + Edit shortcuts 編輯快捷鍵 - + &File 檔(&F) - - + + Open recent 最近打開的檔 - + File - + Edit 編輯 - + View 查看 - + Go 轉到 - + Window 窗口 - - - + + + Open Comic 打開漫畫 - - - + + + Comic files 漫畫檔 - + Open folder 打開檔夾 - + page_%1.jpg - page_%1.jpg + 頁_%1.jpg - + Image files (*.jpg) 圖像檔 (*.jpg) + Comics 漫畫 @@ -851,6 +3535,7 @@ 隱藏/顯示 工具欄 + General 常規 @@ -878,9 +3563,10 @@ Reset magnifying glass - + 重置放大鏡 + Magnifiying glass 放大鏡 @@ -891,112 +3577,131 @@ 切換顯示為"適應寬度"或"適應高度" + Page adjustement 頁面調整 - + Autoscroll down 向下自動滾動 - + Autoscroll up 向上自動滾動 - + Autoscroll forward, horizontal first 向前自動滾動,水準優先 - + Autoscroll backward, horizontal first 向後自動滾動,水準優先 - + Autoscroll forward, vertical first 向前自動滾動,垂直優先 - + Autoscroll backward, vertical first 向後自動滾動,垂直優先 - + Move down 向下移動 - + Move up 向上移動 - + Move left 向左移動 - + Move right 向右移動 - + Go to the first page 轉到第一頁 - + Go to the last page 轉到最後一頁 - + Offset double page to the left - + 雙頁向左偏移 - + Offset double page to the right - + 雙頁向右偏移 - + + Reading 閱讀 - + There is a new version available 有新版本可用 - + Do you want to download the new version? 你要下載新版本嗎? - + Remind me in 14 days 14天後提醒我 - + Not now 現在不 + + YACReader::TrayIconController + + + &Restore + 複位(&R) + + + + Systray + 系統託盤 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + YACReader::WhatsNewDialog - Close - 關閉 + 關閉 @@ -1032,170 +3737,150 @@ YACReaderFlowConfigWidget - How to show covers: - 封面顯示方式: + 封面顯示方式: - CoverFlow look - 封面流 + 封面流 - Stripe look - 條狀 + 條狀 - Overlapped Stripe look - 重疊條狀 + 重疊條狀 YACReaderGLFlowConfigWidget - Presets: - 預設: + 預設: - Classic look - 經典 + 經典 - Stripe look - 條狀 + 條狀 - Overlapped Stripe look - 重疊條狀 + 重疊條狀 - Modern look - 現代 + 現代 - Roulette look - 輪盤 + 輪盤 - Show advanced settings - 顯示高級選項 + 顯示高級選項 - Custom: - 自定義: + 自定義: - View angle - 視角 + 視角 - Position - 位置 + 位置 - Cover gap - 封面間距 + 封面間距 - Central gap - 中心間距 + 中心間距 - Zoom - 縮放 + 縮放 - Y offset - Y位移 + Y位移 - Z offset - Z位移 + Z位移 - Cover Angle - 封面角度 + 封面角度 - Visibility - 透明度 + 透明度 - Light - 亮度 + 亮度 - Max angle - 最大角度 + 最大角度 - Low Performance - 低性能 + 低性能 - High Performance - 高性能 + 高性能 - Use VSync (improve the image quality in fullscreen mode, worse performance) - 使用VSync (在全屏模式下提高圖像品質, 性能更差) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) - Performance: - 性能: + 性能: YACReaderOptionsDialog - + Save 保存 - + Cancel 取消 - + Edit shortcuts 編輯快捷鍵 - + Shortcuts 快捷鍵 - Use hardware acceleration (restart needed) - 使用硬體加速 (需要重啟) + 使用硬體加速 (需要重啟) + + + + YACReaderSearchLineEdit + + + type to search + 搜索類型 @@ -1209,23 +3894,23 @@ YACReaderTranslator - + YACReader translator YACReader 翻譯 - - + + Translation 翻譯 - + clear 清空 - + Service not available 服務不可用 diff --git a/YACReaderLibrary/CMakeLists.txt b/YACReaderLibrary/CMakeLists.txt index 485c11916..5fff54c74 100644 --- a/YACReaderLibrary/CMakeLists.txt +++ b/YACReaderLibrary/CMakeLists.txt @@ -223,6 +223,10 @@ endif() # Translations qt_add_translations(YACReaderLibrary + SOURCE_TARGETS + YACReaderLibrary + # Keep full C++ extraction via SOURCE_TARGETS and add qml.qrc as extra input + # so qsTr() strings in QML are collected too. TS_FILES yacreaderlibrary_es.ts yacreaderlibrary_ru.ts @@ -235,7 +239,10 @@ qt_add_translations(YACReaderLibrary yacreaderlibrary_zh_TW.ts yacreaderlibrary_zh_HK.ts yacreaderlibrary_it.ts + yacreaderlibrary_source.ts yacreaderlibrary_en.ts + SOURCES + ${CMAKE_CURRENT_SOURCE_DIR}/qml.qrc ) target_link_libraries(YACReaderLibrary PRIVATE diff --git a/YACReaderLibrary/library_window_actions.cpp b/YACReaderLibrary/library_window_actions.cpp index cebf7b51f..ce6e9f0fe 100644 --- a/YACReaderLibrary/library_window_actions.cpp +++ b/YACReaderLibrary/library_window_actions.cpp @@ -23,7 +23,7 @@ LibraryWindowActions::LibraryWindowActions() void LibraryWindowActions::createActions(LibraryWindow *window, QSettings *settings) { - auto tr = [](const char *text) { return QObject::tr(text); }; + auto tr = [](const char *text) { return QCoreApplication::translate("LibraryWindowActions", text); }; backAction = new QAction(window); backAction->setData(BACK_ACTION_YL); diff --git a/YACReaderLibrary/main.cpp b/YACReaderLibrary/main.cpp index 9c339e8f5..141b6561c 100644 --- a/YACReaderLibrary/main.cpp +++ b/YACReaderLibrary/main.cpp @@ -1,7 +1,6 @@ #include "library_window.h" #include -#include #include #include #include @@ -24,6 +23,7 @@ #include "appearance_configuration.h" #include "theme_manager.h" #include "theme_repository.h" +#include "app_language_utils.h" #ifdef Q_OS_MACOS #include "trayhandler.h" #endif @@ -171,13 +171,11 @@ int main(int argc, char **argv) logger.addDestination(std::move(debugDestination)); logger.addDestination(std::move(fileDestination)); - QTranslator translator; -#if defined Q_OS_UNIX && !defined Q_OS_MACOS - translator.load(QLocale(), "yacreaderlibrary", "_", QString(DATADIR) + "/yacreader/languages"); -#else - translator.load(QLocale(), "yacreaderlibrary", "_", "languages"); -#endif - app.installTranslator(&translator); + QSettings uiSettings(YACReader::getSettingsPath() + "/YACReaderLibrary.ini", QSettings::IniFormat); + uiSettings.beginGroup("libraryConfig"); + QString selectedLanguage = uiSettings.value(UI_LANGUAGE).toString(); + uiSettings.endGroup(); + YACReader::UiLanguage::applyLanguage("yacreaderlibrary", selectedLanguage); /*QTranslator viewerTranslator; #if defined Q_OS_UNIX && !defined Q_OS_MACOS diff --git a/YACReaderLibrary/options_dialog.cpp b/YACReaderLibrary/options_dialog.cpp index f2cdb4bf8..aa00080cc 100644 --- a/YACReaderLibrary/options_dialog.cpp +++ b/YACReaderLibrary/options_dialog.cpp @@ -7,6 +7,7 @@ #include "theme_manager.h" #include "theme_factory.h" #include "appearance_tab_widget.h" +#include "app_language_utils.h" #include @@ -31,6 +32,7 @@ OptionsDialog::OptionsDialog(QWidget *parent) auto buttons = new QHBoxLayout(); buttons->addStretch(); + buttons->addWidget(new QLabel(tr("Restart is needed"))); buttons->addWidget(accept); buttons->addWidget(cancel); @@ -54,6 +56,12 @@ void OptionsDialog::restoreOptions(QSettings *settings) { YACReaderOptionsDialog::restoreOptions(settings); + const auto selectedLanguage = settings->value(UI_LANGUAGE).toString().trimmed(); + int languageIndex = languageCombo->findData(selectedLanguage); + if (languageIndex < 0) + languageIndex = 0; + languageCombo->setCurrentIndex(languageIndex); + trayIconCheckbox->setChecked(settings->value(CLOSE_TO_TRAY, false).toBool()); startToTrayCheckbox->setChecked(settings->value(START_TO_TRAY, false).toBool()); startToTrayCheckbox->setEnabled(trayIconCheckbox->isChecked()); @@ -92,6 +100,12 @@ void OptionsDialog::restoreOptions(QSettings *settings) void OptionsDialog::saveOptions() { + const auto selectedLanguage = languageCombo->currentData().toString().trimmed(); + if (selectedLanguage.isEmpty()) + settings->remove(UI_LANGUAGE); + else + settings->setValue(UI_LANGUAGE, selectedLanguage); + settings->setValue(THIRD_PARTY_READER_COMMAND, thirdPartyReaderEdit->text()); YACReaderOptionsDialog::saveOptions(); } @@ -152,6 +166,19 @@ void OptionsDialog::resetToDefaults() QWidget *OptionsDialog::createGeneralTab() { + auto *languageBox = new QGroupBox(tr("Language")); + auto *languageLayout = new QHBoxLayout(); + languageLayout->addWidget(new QLabel(tr("Application language"))); + languageCombo = new QComboBox(this); + languageCombo->addItem(tr("System default"), QString()); + const auto availableLanguages = YACReader::UiLanguage::availableLanguages("yacreaderlibrary"); + for (const auto &language : availableLanguages) { + languageCombo->addItem( + QString("%1 (%2)").arg(language.displayName, language.code), language.code); + } + languageLayout->addWidget(languageCombo); + languageBox->setLayout(languageLayout); + // Tray icon settings QGroupBox *trayIconBox = new QGroupBox(tr("Tray icon settings (experimental)")); QVBoxLayout *trayLayout = new QVBoxLayout(); @@ -218,6 +245,7 @@ QWidget *OptionsDialog::createGeneralTab() connect(clearButton, &QPushButton::clicked, thirdPartyReaderEdit, &QLineEdit::clear); auto generalLayout = new QVBoxLayout(); + generalLayout->addWidget(languageBox); generalLayout->addWidget(trayIconBox); generalLayout->addWidget(shortcutsBox); generalLayout->addWidget(apiKeyBox); diff --git a/YACReaderLibrary/options_dialog.h b/YACReaderLibrary/options_dialog.h index 84caae53c..68faa16bd 100644 --- a/YACReaderLibrary/options_dialog.h +++ b/YACReaderLibrary/options_dialog.h @@ -34,6 +34,7 @@ private slots: QCheckBox *displayContinueReadingBannerCheck; QCheckBox *trayIconCheckbox; QCheckBox *startToTrayCheckbox; + QComboBox *languageCombo; QCheckBox *comicInfoXMLCheckbox; QSlider *recentIntervalSlider; QLabel *numDaysLabel; diff --git a/YACReaderLibrary/yacreaderlibrary_de.ts b/YACReaderLibrary/yacreaderlibrary_de.ts index abc2bc5a0..a4aaacf32 100644 --- a/YACReaderLibrary/yacreaderlibrary_de.ts +++ b/YACReaderLibrary/yacreaderlibrary_de.ts @@ -12,82 +12,70 @@ AddLabelDialog - + cancel Abbrechen - + Label name: Label-Name: - + Choose a color: Wähle eine Farbe: - red - Rot + Rot - orange - Orange + Orange - yellow - Gelb + Gelb - green - Grün + Grün - cyan - Kobalt + Kobalt - blue - Blau + Blau - violet - Violett + Violett - purple - Lila + Lila - pink - Pink + Pink - white - Weiß + Weiß - light - Hell + Hell - dark - Dunkel + Dunkel - + accept Akzeptieren @@ -100,7 +88,7 @@ Hinzufügen - + Add an existing library Eine vorhandene Bibliothek hinzufügen @@ -143,10 +131,150 @@ Abbrechen + + AppearanceTabWidget + + + Color scheme + Farbschema + + + + System + Systemumgebung + + + + Light + Helligkeit + + + + Dark + Dunkel + + + + Custom + Brauch + + + + Remove + Entfernen + + + + Remove this user-imported theme + Entfernen Sie dieses vom Benutzer importierte Design + + + + Light: + Licht: + + + + Dark: + Dunkel: + + + + Custom: + Benutzerdefiniert: + + + + Import theme... + Theme importieren... + + + + Theme + Thema + + + + Theme editor + Theme-Editor + + + + Open Theme Editor... + Theme-Editor öffnen... + + + + Theme editor error + Fehler im Theme-Editor + + + + The current theme JSON could not be loaded. + Der aktuelle Theme-JSON konnte nicht geladen werden. + + + + Import theme + Thema importieren + + + + JSON files (*.json);;All files (*) + JSON-Dateien (*.json);;Alle Dateien (*) + + + + Could not import theme from: +%1 + Theme konnte nicht importiert werden von: +%1 + + + + Could not import theme from: +%1 + +%2 + Theme konnte nicht importiert werden von: +%1 + +%2 + + + + Import failed + Der Import ist fehlgeschlagen + + + + BookmarksDialog + + + Lastest Page + Neueste Seite + + + + Close + Schließen + + + + Click on any image to go to the bookmark + Klicke auf ein beliebiges Bild, um zum Lesezeichen zu gehen + + + + + Loading... + Laden... + + ClassicComicsView - + Hide comic flow Comic "Flow" verstecken @@ -154,82 +282,82 @@ ComicInfoView - + Main character or team - + Hauptfigur oder Team - + Teams - + Mannschaften - + Locations - + Standorte - + Authors Autoren - + writer Schriftsteller - + penciller Künstler (Bleistift) - + inker Künstler (Tinte) - + colorist Künstler (Farbe) - + letterer Künstler (Lettering) - + cover artist Künstler (Cover) - + editor - + Redakteur - + imprint - + Imprint - + Publisher Herausgeber - + color Farbe - + b/w Schwarzweiß - + Characters Charaktere @@ -254,17 +382,17 @@ Series - + Serie Volume - + Volumen Story Arc - + Handlungsbogen @@ -294,7 +422,7 @@ Publication Date - + Veröffentlichungsdatum @@ -305,74 +433,82 @@ ComicVineDialog - + back zurück - + next nächste - + skip überspringen - + close schließen - - + + Retrieving tags for : %1 Herunterladen von Tags für : %1 - + Looking for comic... Suche nach Comic... - + search suche - - - + + + Looking for volume... Suche nach Band.... - - + + comic %1 of %2 - %3 Comic %1 von %2 - %3 - + %1 comics selected %1 Comic ausgewählt - + Error connecting to ComicVine Fehler bei Verbindung zu ComicVine - + Retrieving volume info... Herunterladen von Info zu Ausgabe... + + ContinuousPageWidget + + + Loading page %1 + Seite wird geladen %1 + + CreateLibraryDialog - + Create new library Erstelle eine neue Bibliothek @@ -392,7 +528,7 @@ Es kann einige Minuten dauern, eine neue Bibliothek zu erstellen. Sie können den Prozess abbrechen und die Bibliothek später aktualisieren, um den Vorgang abzuschließen. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben @@ -407,7 +543,7 @@ Bibliothek-Name : - + Path not found Pfad nicht gefunden @@ -430,12 +566,12 @@ Kürzel-Einstellungen - + Shortcut in use Verwendete Kürzel - + The shortcut "%1" is already assigned to other function Das Kürzel "%1" ist bereits für eine andere Funktion in Verwendung @@ -443,26 +579,27 @@ EmptyFolderWidget - - Subfolders in this folder - Unterordner in diesem Ordner + Unterordner in diesem Ordner - Empty folder - Leerer Ordner + Leerer Ordner - Drag and drop folders and comics here - Ziehen Sie Ordner und Comics hierher, um sie abzulegen + Ziehen Sie Ordner und Comics hierher, um sie abzulegen + + + + This folder doesn't contain comics yet + Dieser Ordner enthält noch keine Comics EmptyLabelWidget - + This label doesn't contain comics yet Dieses Label enthält noch keine Comics @@ -475,6 +612,24 @@ Diese Leseliste enthält noch keine Comics + + EmptySpecialListWidget + + + No favorites + Keine Favoriten + + + + You are not reading anything yet, come on!! + Sie lesen noch nichts, starten Sie!! + + + + There are no recent comics! + Es gibt keine aktuellen Comics! + + ExportComicsInfoDialog @@ -483,7 +638,7 @@ Zieldatei : - + Destination database name Ziel-Datenbank Name @@ -498,17 +653,17 @@ Erstellen - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben - + Export comics info Comicinfo exportieren - + Problem found while writing Problem beim Schreiben @@ -526,7 +681,7 @@ Erstellen - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben @@ -536,17 +691,17 @@ Ziel-Ordner : - + Problem found while writing Problem beim Schreiben - + Create covers package Erzeuge Titelbild-Paket - + Destination directory Ziel-Verzeichnis @@ -577,23 +732,52 @@ FolderContentView - + Continue Reading... - + Weiterlesen... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Seite : + + + + Go To + Gehe zu + + + + Cancel + Abbrechen + + + + + Total pages : + Seiten gesamt : + + + + Go to... + Gehe zu... + + + + GoToFlowToolBar + + + Page : + Seite : GridComicsView - + Show info Info anzeigen @@ -601,17 +785,17 @@ HelpAboutDialog - + Help Hilfe - + System info - + Systeminformationen - + About Über @@ -639,9 +823,9 @@ Importiere Comic-Info - + Comics info file (*.ydb) - Comics Info File (*.ydb) + Comics-Info-Datei (*.ydb) @@ -662,7 +846,7 @@ Entpacken - + Compresed library covers (*.clc) Komprimierte Bibliothek Cover (*.clc) @@ -677,7 +861,7 @@ Bibliothek-Name : - + Extract a catalog Einen Katalog extrahieren @@ -685,54 +869,54 @@ ImportWidget - + stop - Stop + Stopp - + Importing comics Comics werden importiert - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary erstellt nun eine neue Bibliothek. </p><p>Es kann einige Minuten dauern, eine neue Bibliothek zu erstellen. Sie können den Prozess abbrechen und die Bibliothek später aktualisieren, um den Vorgang abzuschließen.</p> - + Some of the comics being added... Einige der Comics werden hinzugefügt... - + Updating the library Aktualisierung der Bibliothek - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>Die aktuelle Bibliothek wird gerade aktualisiert. Für eine schnellere Aktualisierung, aktualisieren Sie die Bibliothek bitte regelmäßig.</p><p>Sie können den Prozess abbrechen und mit der Aktualisierung später fortfahren.<p> - + Upgrading the library Upgrade der Bibliothek - + <p>The current library is being upgraded, please wait.</p> Die aktuelle Bibliothek wird gerade upgegradet, bitte warten. - + Scanning the library - + Durchsuchen der Bibliothek - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>Die aktuelle Bibliothek wird nach alten XML-Metadateninformationen durchsucht.</p><p>Dies ist nur einmal erforderlich und nur, wenn die Bibliothek mit YACReaderLibrary 9.8.2 oder früher erstellt wurde.</p> @@ -742,22 +926,22 @@ Bearbeiten - + The selected folder doesn't contain any library. Der ausgewählte Ordner enthält keine Bibliothek. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Diese Bibliothek wurde mit einer älteren Version von YACReader erzeugt. Sie muss geupdated werden. Jetzt updaten? - + Comic - Comic + Komisch - + Error opening the library Fehler beim Öffnen der Bibliothek @@ -766,8 +950,8 @@ Zeige/Verberge Markierungen - - + + YACReader not found YACReader nicht gefunden @@ -784,12 +968,12 @@ Comic als gelesen markieren - + Remove and delete metadata Entferne und lösche Metadaten - + Old library Alte Bibliothek @@ -798,12 +982,12 @@ Titelbild updaten - + Set as completed Als gelesen markieren - + Library Bibliothek @@ -816,7 +1000,7 @@ Vollbildmodus an/aus - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Die Bibliothek wurde mit einer neueren Version von YACReader erstellt. Die neue Version jetzt herunterladen? @@ -829,7 +1013,7 @@ Aktuelle Bibliothek updaten - + Library '%1' is no longer available. Do you want to remove it? Bibliothek '%1' ist nicht mehr verfügbar. Wollen Sie sie entfernen? @@ -838,17 +1022,17 @@ Bibliothek updaten - + Open folder... Öffne Ordner... - + Do you want remove Möchten Sie entfernen - + Set as uncompleted Als nicht gelesen markieren @@ -857,12 +1041,12 @@ Comic-Bewertung zurücksetzen - + Error updating the library Fehler beim Updaten der Bibliothek - + Folder Ordner @@ -871,7 +1055,7 @@ Alle Unterordner anzeigen - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? Bibliothek '%1' wurde mit einer älteren Version von YACReader erstellt. Sie muss neu erzeugt werden. Wollen Sie die Bibliothek jetzt erzeugen? @@ -880,7 +1064,7 @@ Titelbild-Paket erzeugen - + Set as read Als gelesen markieren @@ -901,7 +1085,7 @@ Neue Bibliothek erstellen - + Library not available Bibliothek nicht verfügbar @@ -910,7 +1094,7 @@ Importiere Comics-Info - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. Es gab ein Problem beim Löschen der ausgewählten Comics. Überprüfen Sie bitte die Schreibberechtigung für die ausgewählten Dateien oder Ordner. @@ -919,12 +1103,12 @@ Aktuellen Comic öffnen - + YACReader Library YACReader Bibliothek - + Error creating the library Fehler beim Erstellen der Bibliothek @@ -933,7 +1117,7 @@ Titelbilder entpacken - + Update needed Update benötigt @@ -942,22 +1126,22 @@ Eine vorhandede Bibliothek öffnen - + Library name already exists Bibliothek-Name bereits vorhanden - + There is another library with the name '%1'. Es gibt bereits eine Bibliothek mit dem Namen '%1'. - + Download new version Neue Version herunterladen - + Delete comics Comics löschen @@ -986,7 +1170,7 @@ Katalog entpacken - + All the selected comics will be deleted from your disk. Are you sure? Alle ausgewählten Comics werden von Ihrer Festplatte gelöscht. Sind Sie sicher? @@ -995,13 +1179,13 @@ Tags von Comic Vine herunterladen - - + + Set as unread Als ungelesen markieren - + Library not found Bibliothek nicht gefunden @@ -1014,58 +1198,58 @@ Bibliothek entfernen - - - + + + manga - + Manga - - - + + + comic - + komisch - - - + + + web comic - + Webcomic - - - + + + western manga (left to right) - + Western-Manga (von links nach rechts) Open containing folder... Öffne aktuellen Ordner... - - + + Unable to delete Löschen nicht möglich - - - + + + 4koma (top to botom) 4koma (top to botom - + 4koma (von oben nach unten) - + library? Bibliothek? - + Are you sure? Sind Sie sicher? @@ -1074,9 +1258,9 @@ Ausgewählte Titelbilder speichern in... - + Rescan library for XML info - + Durchsuchen Sie die Bibliothek erneut nach XML-Informationen Save covers of the selected comics as JPG files @@ -1103,7 +1287,7 @@ Gelesen-Markierungen anzeigen oder verbergen - + Add new folder Neuen Ordner erstellen @@ -1112,7 +1296,7 @@ Neuen Ordner in der aktuellen Bibliothek erstellen - + Delete folder Ordner löschen @@ -1145,7 +1329,7 @@ &Schließen - + Update folder Ordner aktualisieren @@ -1198,118 +1382,118 @@ Ausgewählte Comics zu Favoriten hinzufügen - + Upgrade failed Update gescheitert - + There were errors during library upgrade in: Beim Upgrade der Bibliothek kam es zu Fehlern in: - - + + Copying comics... Kopieren von Comics... - - + + Moving comics... Verschieben von Comics... - + Folder name: Ordnername - + No folder selected Kein Ordner ausgewählt - + Please, select a folder first Bitte wählen Sie zuerst einen Ordner aus - + Error in path Fehler im Pfad - + There was an error accessing the folder's path Beim Aufrufen des Ordnerpfades kam es zu einem Fehler - + The selected folder and all its contents will be deleted from your disk. Are you sure? Der ausgewählte Ordner und sein gesamter Inhalt wird von Ihrer Festplatte gelöscht. Sind Sie sicher? - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. Beim Löschen des ausgewählten Ordners ist ein Problem aufgetreten. Bitte überprüfen Sie die Schreibrechte und stellen Sie sicher, dass keine Anwendung diese Ordner oder die darin enthaltenen Dateien verwendet. - + Add new reading lists Neue Leseliste hinzufügen - - + + List name: Name der Liste - + Delete list/label Ausgewählte/s Liste/Label löschen - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? Das ausgewählte Element wird gelöscht; Ihre Comics oder Ordner werden NICHT von Ihrer Festplatte gelöscht. Sind Sie sicher? - + Rename list name Listenname ändern - - - - + + + + Set type - + Typ festlegen - + Set custom cover - + Legen Sie ein benutzerdefiniertes Cover fest - + Delete custom cover - + Benutzerdefiniertes Cover löschen - + Save covers Titelbilder speichern - + You are adding too many libraries. Sie fügen zu viele Bibliotheken hinzu. - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1321,67 +1505,67 @@ YACReaderLibrary will not stop you from creating more libraries but you should k YACReaderLibrary wird Sie nicht daran hindern, weitere Bibliotheken zu erstellen, aber Sie sollten die Anzahl der Bibliotheken gering halten. - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. YACReader nicht gefunden. YACReader muss im gleichen Ordner installiert sein wie YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. YACReader nicht gefunden. Eventuell besteht ein Problem mit Ihrer YACReader-Installation. - + Error - Error + Fehler - + Error opening comic with third party reader. - + Beim Öffnen des Comics mit dem Drittanbieter-Reader ist ein Fehler aufgetreten. - + Library info - + Informationen zur Bibliothek - + Assign comics numbers Comics Nummern zuweisen - + Assign numbers starting in: Nummern zuweisen, beginnend mit: - + Invalid image - + Ungültiges Bild - + The selected file is not a valid image. - + Die ausgewählte Datei ist kein gültiges Bild. - + Error saving cover - + Fehler beim Speichern des Covers - + There was an error saving the cover image. - + Beim Speichern des Titelbildes ist ein Fehler aufgetreten. - + Remove comics Comics löschen - + Comics will only be deleted from the current label/list. Are you sure? Comics werden nur vom aktuellen Label/der aktuellen Liste gelöscht. Sind Sie sicher? @@ -1389,439 +1573,439 @@ YACReaderLibrary wird Sie nicht daran hindern, weitere Bibliotheken zu erstellen LibraryWindowActions - + Create a new library - Neue Bibliothek erstellen + Neue Bibliothek erstellen - + Open an existing library - Eine vorhandede Bibliothek öffnen + Eine vorhandede Bibliothek öffnen - - + + Export comics info - + Comicinfo exportieren - - + + Import comics info - + Importiere Comic-Info - + Pack covers - Titelbild-Paket erzeugen + Titelbild-Paket erzeugen - + Pack the covers of the selected library - Packe die Titelbilder der ausgewählten Bibliothek in ein Paket + Packe die Titelbilder der ausgewählten Bibliothek in ein Paket - + Unpack covers - Titelbilder entpacken + Titelbilder entpacken - + Unpack a catalog - Katalog entpacken + Katalog entpacken - + Update library - + Bibliothek updaten - + Update current library - Aktuelle Bibliothek updaten + Aktuelle Bibliothek updaten - + Rename library - Bibliothek umbenennen + Bibliothek umbenennen - + Rename current library - Aktuelle Bibliothek umbenennen + Aktuelle Bibliothek umbenennen - + Remove library - Bibliothek entfernen + Bibliothek entfernen - + Remove current library from your collection - Aktuelle Bibliothek aus der Sammlung entfernen + Aktuelle Bibliothek aus der Sammlung entfernen - + Rescan library for XML info - + Durchsuchen Sie die Bibliothek erneut nach XML-Informationen - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Versucht, in Comic-Dateien eingebettete XML-Informationen zu finden. Sie müssen dies nur tun, wenn die Bibliothek mit 9.8.2 oder früheren Versionen erstellt wurde oder wenn Sie Software von Drittanbietern verwenden, um XML-Informationen in die Dateien einzubetten. - + Show library info - + Bibliotheksinformationen anzeigen - + Show information about the current library - + Informationen zur aktuellen Bibliothek anzeigen - + Open current comic - Aktuellen Comic öffnen + Aktuellen Comic öffnen - + Open current comic on YACReader - Aktuellen Comic mit YACReader öffnen + Aktuellen Comic mit YACReader öffnen - + Save selected covers to... - Ausgewählte Titelbilder speichern in... + Ausgewählte Titelbilder speichern in... - + Save covers of the selected comics as JPG files - Titelbilder der ausgewählten Comics als JPG-Datei speichern + Titelbilder der ausgewählten Comics als JPG-Datei speichern - - + + Set as read - Als gelesen markieren + Als gelesen markieren - + Set comic as read - Comic als gelesen markieren + Comic als gelesen markieren - - + + Set as unread - Als ungelesen markieren + Als ungelesen markieren - + Set comic as unread - Comic als ungelesen markieren + Comic als ungelesen markieren - - + + manga - + Manga - + Set issue as manga - Ausgabe als Manga festlegen + Ausgabe als Manga festlegen - - + + comic - + komisch - + Set issue as normal - Ausgabe als normal festlegen + Ausgabe als normal festlegen - + western manga - + Western-Manga - + Set issue as western manga - + Ausgabe als Western-Manga festlegen - - + + web comic - + Webcomic - + Set issue as web comic - + Ausgabe als Webcomic festlegen - - + + yonkoma - + Yonkoma - + Set issue as yonkoma - + Stellen Sie das Problem als Yonkoma ein - + Show/Hide marks - Zeige/Verberge Markierungen + Zeige/Verberge Markierungen - + Show or hide read marks - Gelesen-Markierungen anzeigen oder verbergen + Gelesen-Markierungen anzeigen oder verbergen - + Show/Hide recent indicator - + Aktuelle Anzeige ein-/ausblenden - + Show or hide recent indicator - + Aktuelle Anzeige anzeigen oder ausblenden - - + + Fullscreen mode on/off - Vollbildmodus an/aus + Vollbildmodus an/aus - + Help, About YACReader - Hilfe, Über YACReader + Hilfe, Über YACReader - + Add new folder - Neuen Ordner erstellen + Neuen Ordner erstellen - + Add new folder to the current library - Neuen Ordner in der aktuellen Bibliothek erstellen + Neuen Ordner in der aktuellen Bibliothek erstellen - + Delete folder - Ordner löschen + Ordner löschen - + Delete current folder from disk - Aktuellen Ordner von der Festplatte löschen + Aktuellen Ordner von der Festplatte löschen - + Select root node - Ursprungsordner auswählen + Ursprungsordner auswählen - + Expand all nodes - Alle Unterordner anzeigen + Alle Unterordner anzeigen - + Collapse all nodes - Alle Unterordner einklappen + Alle Unterordner einklappen - + Show options dialog - Zeige den Optionen-Dialog + Zeige den Optionen-Dialog - + Show comics server options dialog - Zeige Comic-Server-Optionen-Dialog + Zeige Comic-Server-Optionen-Dialog - - + + Change between comics views - Zwischen Comic-Anzeigemodi wechseln + Zwischen Comic-Anzeigemodi wechseln - + Open folder... - Öffne Ordner... + Öffne Ordner... - + Set as uncompleted - Als nicht gelesen markieren + Als nicht gelesen markieren - + Set as completed - Als gelesen markieren + Als gelesen markieren - + Set custom cover - + Legen Sie ein benutzerdefiniertes Cover fest - + Delete custom cover - + Benutzerdefiniertes Cover löschen - + western manga (left to right) - + Western-Manga (von links nach rechts) - + Open containing folder... - Öffne aktuellen Ordner... + Öffne aktuellen Ordner... - + Reset comic rating - Comic-Bewertung zurücksetzen + Comic-Bewertung zurücksetzen - + Select all comics - Alle Comics auswählen + Alle Comics auswählen - + Edit - Bearbeiten + Bearbeiten - + Assign current order to comics - Aktuele Sortierung auf Comics anwenden + Aktuele Sortierung auf Comics anwenden - + Update cover - Titelbild updaten + Titelbild updaten - + Delete selected comics - Ausgewählte Comics löschen + Ausgewählte Comics löschen - + Delete metadata from selected comics - + Metadaten aus ausgewählten Comics löschen - + Download tags from Comic Vine - Tags von Comic Vine herunterladen + Tags von Comic Vine herunterladen - + Focus search line - + Suchzeile fokussieren - + Focus comics view - + Fokus-Comic-Ansicht - + Edit shortcuts - Kürzel bearbeiten + Kürzel bearbeiten - + &Quit - &Schließen + &Schließen - + Update folder - Ordner aktualisieren + Ordner aktualisieren - + Update current folder - Aktuellen Ordner aktualisieren + Aktuellen Ordner aktualisieren - + Scan legacy XML metadata - + Scannen Sie ältere XML-Metadaten - + Add new reading list - Neue Leseliste hinzufügen + Neue Leseliste hinzufügen - + Add a new reading list to the current library - Neue Leseliste zur aktuellen Bibliothek hinzufügen + Neue Leseliste zur aktuellen Bibliothek hinzufügen - + Remove reading list - Leseliste entfernen + Leseliste entfernen - + Remove current reading list from the library - Aktuelle Leseliste von der Bibliothek entfernen + Aktuelle Leseliste von der Bibliothek entfernen - + Add new label - Neues Label hinzufügen + Neues Label hinzufügen - + Add a new label to this library - Neues Label zu dieser Bibliothek hinzufügen + Neues Label zu dieser Bibliothek hinzufügen - + Rename selected list - Ausgewählte Liste umbenennen + Ausgewählte Liste umbenennen - + Rename any selected labels or lists - Ausgewählte Labels oder Listen umbenennen + Ausgewählte Labels oder Listen umbenennen - + Add to... - Hinzufügen zu... + Hinzufügen zu... - + Favorites - Favoriten + Favoriten - + Add selected comics to favorites list - Ausgewählte Comics zu Favoriten hinzufügen + Ausgewählte Comics zu Favoriten hinzufügen @@ -1835,194 +2019,221 @@ YACReaderLibrary wird Sie nicht daran hindern, weitere Bibliotheken zu erstellen LogWindow - Log window - Protokollfenster + Protokollfenster - &Pause - &Pause + Pause - &Save - &Speichern + &Speichern - C&lear - L&öschen + L&öschen - &Copy - &Kopieren + &Kopieren - Level: - Level: + Level - &Auto scroll - Automatisches Scrollen + Automatisches Scrollen NoLibrariesWidget - + create your first library Erstellen Sie Ihre erste Bibliothek - + You don't have any libraries yet Sie haben aktuell noch keine Bibliothek - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>Sie können eine Bibliothek in jedem beliebigen Ordner erstellen, YACReaderLibrary wird alle Comics und Unterordner von diesem Ordner importieren. Wenn Sie bereits eine Bibliothek erstellt haben, können Sie sie öffnen.</p><p>Vergessen Sie nicht, dass Sie YACReader als eigentsändige Anwendung nutzen können, um Comics auf Ihrem Computer zu lesen.</p> - + add an existing one Existierende hinzufügen + + NoSearchResultsWidget + + + No results + Keine Ergebnisse + + OptionsDialog - + + + Appearance + Aussehen + + + + Options Optionen - + + + Language + Sprache + + + + + Application language + Anwendungssprache + + + + + System default + Systemstandard + + + Tray icon settings (experimental) Taskleisten-Einstellungen (experimentell) - + Close to tray In Taskleiste schließen - + Start into the system tray In die Taskleiste starten - + Edit Comic Vine API key Comic Vine API-Schlüssel ändern - + Comic Vine API key Comic Vine API Schlüssel - + ComicInfo.xml legacy support - + ComicInfo.xml-Legacy-Unterstützung - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Importieren Sie Metadaten aus ComicInfo.xml, wenn Sie neue Comics hinzufügen - + Consider 'recent' items added or updated since X days ago - + Berücksichtigen Sie „neue“ Elemente, die seit X Tagen hinzugefügt oder aktualisiert wurden - + Third party reader - + Drittanbieter-Reader - + Write {comic_file_path} where the path should go in the command - + Schreiben Sie {comic_file_path}, wohin der Pfad im Befehl gehen soll - + + Clear - + Löschen - + Update libraries at startup - + Aktualisieren Sie die Bibliotheken beim Start - + Try to detect changes automatically - + Versuchen Sie, Änderungen automatisch zu erkennen - + Update libraries periodically - + Aktualisieren Sie die Bibliotheken regelmäßig - + Interval: - + Intervall: - + 30 minutes - + 30 Minuten - + 1 hour - + 1 Stunde - + 2 hours - + 2 Stunden - + 4 hours - + 4 Stunden - + 8 hours - + 8 Stunden - + 12 hours - + 12 Stunden - + daily - + täglich - + Update libraries at certain time - + Aktualisieren Sie Bibliotheken zu einem bestimmten Zeitpunkt - + Time: - + Zeit: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2030,181 +2241,356 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + WARNUNG! Während Bibliotheksaktualisierungen sind Schreibvorgänge in die Datenbank deaktiviert! +Planen Sie keine Updates, während Sie die App möglicherweise aktiv nutzen. +Bei automatischen Updates blockiert die App einige Aktionen, bis das Update abgeschlossen ist. +Um eine automatische Aktualisierung zu stoppen, tippen Sie auf die Ladeanzeige neben dem Titel „Bibliotheken“. - + Modifications detection - + Erkennung von Änderungen - + Compare the modified date of files when updating a library (not recommended) - + Vergleichen Sie das Änderungsdatum von Dateien beim Aktualisieren einer Bibliothek (nicht empfohlen) - + Enable background image Hintergrundbild aktivieren - + Opacity level Deckkraft-Stufe - + Blur level Unschärfe-Stufe - + Use selected comic cover as background Den ausgewählten Comic als Hintergrund verwenden - + Restore defautls Standardwerte wiederherstellen - + Background Hintergrund - + Display continue reading banner Weiterlesen-Banner anzeigen - + Display current comic banner - + Aktuelles Comic-Banner anzeigen - + Continue reading Weiterlesen - + Comic Flow - Comic Flow + Comic-Flow - - + + Libraries - Bibliotheken + Bibliotheken - + Grid view Rasteransicht - + + General Allgemein - - - PropertiesDialog - - Day: - Tag: + + My comics path + Meine Comics-Pfad - - Plot - Inhalt + + Display + Anzeige - - Size: - Größe: + + Show time in current page information label + Zeit im Informationsetikett der aktuellen Seite anzeigen - - Year: - Jahr: + + "Go to flow" size + "Go to flow" Größe - - Inker(s): - Künstler(Tinte): + + Background color + Hintergrundfarbe - - Publishing - Veröffentlichung + + Choose + Auswählen - - Publisher: - Verlag: + + Scroll behaviour + Scrollverhalten - - General info - Allgemeine Info + + Disable scroll animations and smooth scrolling + Scroll-Animationen und sanftes Scrollen deaktivieren - - Color/BW: - Farbe/Schwarz-Weiß: + + Do not turn page using scroll + Blättern Sie nicht mit dem Scrollen um - - Edit selected comics information - Ausgewählte Comic-Informationen bearbeiten + + Use single scroll step to turn page + Verwenden Sie einen einzelnen Bildlaufschritt, um die Seite umzublättern - - Penciller(s): - Künstler(Bleistift): + + Mouse mode + Mausmodus - - Colorist(s): - Künstler(Farbe): + + Only Back/Forward buttons can turn pages + Nur mit den Zurück-/Vorwärts-Tasten können Seiten umgeblättert werden - - Genre: - Genre: + + Use the Left/Right buttons to turn pages. + Verwenden Sie die Links-/Rechts-Tasten, um Seiten umzublättern. - - Notes - + + Click left or right half of the screen to turn pages. + Klicken Sie auf die linke oder rechte Hälfte des Bildschirms, um die Seiten umzublättern. - - Load previous page as cover - + + Quick Navigation Mode + Schnellnavigations-Modus - - Load next page as cover - + + Disable mouse over activation + Aktivierung durch Maus deaktivieren - - Reset cover to the default image - + + Brightness + Helligkeit - - Load custom cover image - + + Contrast + Kontrast + + + + Gamma + Gammawert + + + + Reset + Zurücksetzen + + + + Image options + Bilderoptionen + + + + Fit options + Anpassungsoptionen + + + + Enlarge images to fit width/height + Bilder vergrößern, um sie Breite/Höhe anzupassen + + + + Double Page options + Doppelseiten-Einstellungen + + + + Show covers as single page + Cover als eine Seite darstellen + + + + Scaling + Skalierung + + + + Scaling method + Skalierungsmethode + + + + Nearest (fast, low quality) + Am nächsten (schnell, niedrige Qualität) + + + + Bilinear + Bilinear-Filter + + + + Lanczos (better quality) + Lanczos (bessere Qualität) + + + + Page Flow + Seitenfluss + + + + Image adjustment + Bildanpassung + + + + + Restart is needed + Neustart erforderlich + + + + Comics directory + Comics-Verzeichnis + + + + PropertiesDialog + + + Day: + Tag: + + + + Plot + Inhalt + + + + Size: + Größe: + + + + Year: + Jahr: + + + + Inker(s): + Künstler(Tinte): + + + + Publishing + Veröffentlichung + + + + Publisher: + Verlag: + + + + General info + Allgemeine Info + + + + Color/BW: + Farbe/Schwarz-Weiß: + + + + Edit selected comics information + Ausgewählte Comic-Informationen bearbeiten + + + + Penciller(s): + Künstler(Bleistift): + + + + Colorist(s): + Künstler(Farbe): + + + + Genre: + Gattung: + + + + Notes + Notizen + + + + Load previous page as cover + Vorherige Seite als Cover laden + + + + Load next page as cover + Nächste Seite als Cover laden + + + + Reset cover to the default image + Cover auf das Standardbild zurücksetzen + + + + Load custom cover image + Laden Sie ein benutzerdefiniertes Titelbild Series: - Serie: + Serie: @@ -2214,27 +2600,27 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + alt. Nummer: Alternate series: - + Alternative Serie: Series Group: - + Seriengruppe: Editor(s): - + Herausgeber(n): Imprint: - + Impressum: @@ -2244,32 +2630,32 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + Typ: Language (ISO): - + Sprache (ISO): Teams: - + Mannschaften: Locations: - + Standorte: Main character or team: - + Hauptfigur oder Team: Review: - + Rezension: @@ -2279,12 +2665,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Invalid cover - + Ungültiger Versicherungsschutz The image is invalid. - + Das Bild ist ungültig. @@ -2329,7 +2715,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + Schlagworte: @@ -2354,7 +2740,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> - Comic Vine Link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine-Link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> ansehen </a> @@ -2364,7 +2750,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Format: - Format: + Formatangabe: @@ -2385,7 +2771,23 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Manga: - Manga: + Manga-Typ: + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer ist die Headless-Version (keine GUI) von YACReaderLibrary. + +Diese Anwendung unterstützt dauerhafte Einstellungen. Um sie einzurichten, bearbeiten Sie diese Datei %1 +Um mehr über die verfügbaren Einstellungen zu erfahren, lesen Sie bitte die Dokumentation unter https://raw.githubusercontent.com/YACReader/yareader/develop/YACReaderLibraryServer/SETTINGS_README.md @@ -2413,7 +2815,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Info - Info + Information @@ -2423,69 +2825,87 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Error - Error + Fehler Fatal - Fatal + Tödlich - + Select custom cover - + Wählen Sie ein benutzerdefiniertes Cover - + Images (%1) - + Bilder (%1) + + + + The file could not be read or is not valid JSON. + Die Datei konnte nicht gelesen werden oder ist kein gültiges JSON. + + + + This theme is for %1, not %2. + Dieses Thema ist für %1, nicht für %2. + + + + Libraries + Bibliotheken + + + + Folders + Ordner + + + + Reading Lists + Leselisten QsLogging::LogWindowModel - Time - Zeit + Zeit - Level - Level + Stufe - Message - Nachricht + Nachricht QsLogging::Window - &Pause - &Pause + Pause - &Resume - &Weiter + &Weiter - Save log - Protokoll speichern + Protokoll speichern - Log file (*.log) - Protokolldatei (*.log) + Protokolldatei (*.log) RenameLibraryDialog - + Rename current library Aktuelle Bibliothek umbenennen @@ -2508,18 +2928,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of %1 found : %2 Anzahl von %1 gefunden : %2 - - + + page %1 of %2 Seite %1 von %2 - + Number of volumes found : %1 Anzahl der gefundenen Bände: %1 @@ -2530,17 +2950,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - Bitte stellen Sie weitere Informationen zur Verfügung. + Bitte stellen Sie weitere Informationen zur Verfügung. - + Series: Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Verwenden Sie die Suche nach exakten Übereinstimmungen. Deaktivieren Sie diese Option, wenn Sie Bände finden möchten, die mit einigen Wörtern im Namen übereinstimmen. @@ -2551,40 +2971,40 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Bitte stellen Sie weitere Informationen zur Verfügung. - + Series: Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Verwenden Sie die Suche nach exakten Übereinstimmungen. Deaktivieren Sie diese Option, wenn Sie Bände finden möchten, die mit einigen Wörtern im Namen übereinstimmen. SelectComic - + loading description Beschreibung wird laden - + comics Comics - + loading cover Titelbild wird geladen - + comic description unavailable - + Comic-Beschreibung nicht verfügbar - + Please, select the right comic info. Bitte wählen Sie die korrekte Comic-Information aus. @@ -2596,37 +3016,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + loading description Beschreibung wird geladen - + Please, select the right series for your comic. Bitte wählen Sie die korrekte Serie für Ihre Comics aus. - + Filter: - + Filteroption: - + Nothing found, clear the filter if any. - + Nichts gefunden. Löschen Sie ggf. den Filter. - + loading cover Titelbild wird geladen - + volume description unavailable - + Bandbeschreibung nicht verfügbar - + volumes Bände @@ -2638,12 +3058,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SeriesQuestion - + no Nein - + yes Ja @@ -2656,41 +3076,41 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + Port Anschluss - + enable the server Server aktivieren - + set port Anschluss wählen - + Server connectivity information Serveranschluss-Information - + Scan it! Durchsuchen! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader ist für iOS- und Android-Geräte verfügbar.<br/>Entdecken Sie es für <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> oder <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. YACReader is available for iOS devices. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Discover it! </a> YACReader ist für iOS-Geräte verfügbar. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Jetzt entdecken! </a> - + Choose an IP address IP-Adresse auswählen @@ -2708,326 +3128,1167 @@ um die Leistung zu verbessern SortVolumeComics - + remove selected comics Ausgewählte Comics entfernen - + sort comics to match comic information Comics laut Comic-Information sortieren - + restore all removed comics Alle entfernten Comics wiederherstellen - + issues Ausgaben - + Please, sort the list of comics on the left until it matches the comics' information. Sortieren Sie bitte die Comic-Informationen links, bis die Informationen mit den Comics übereinstimmen. - TitleHeader + ThemeEditorDialog - - SEARCH - Suchen + + Theme Editor + Theme-Editor - - - UpdateLibraryDialog - - Update library - Bibliothek aktualisieren + + + + + - - Cancel - Abbrechen + + - + - - - Updating.... - Aktualisierung.... + + i + ich - - - VolumeComicsModel - - title - Titel + + Expand all + Alles erweitern - - - VolumesModel - - year - Jahr + + Collapse all + Alles einklappen - - issues - Ausgaben + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Halten Sie gedrückt, um den ausgewählten Wert in der Benutzeroberfläche zu blinken (Magenta / umgeschaltet / 0↔10). Releases stellen das Original wieder her. - - publisher - Herausgeber + + Search… + Suchen… - - - YACReader::TrayIconController - - &Restore - &Wiederherstellen + + Light + Helligkeit - &Quit - &Schließen + + Dark + Dunkel - - Systray - Taskleiste + + ID: + AUSWEIS: - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - YACReaderLibrary wird im Hintergrund weiterlaufen. Um das Programm zu schließen, wählen Sie <b>Schließen</b> im Kontextmenü des Taskleisten-Symbols. + + Display name: + Anzeigename: - - - YACReader::WhatsNewDialog - - Close - Schließen + + Variant: + Variante: - - - YACReaderFieldEdit - - Restore to default - Standardeinstellungen wiederherstellen + + Theme info + Themeninfo - - - Click to overwrite - Zum Überschreiben anklicken + + Parameter + Parameterwert - - - YACReaderFieldPlainTextEdit - - Restore to default - Standardeinstellungen wiederherstellen + + Value + Wert - - - - - Click to overwrite - Zum Überschreiben anklicken + + Save and apply + Speichern und bewerben - - - YACReaderFlowConfigWidget - - CoverFlow look - CoverFlow-Ansicht + + Export to file... + In Datei exportieren... - - How to show covers: - Wie Titelseiten angezeigt werden sollen: + + Load from file... + Aus Datei laden... - - Stripe look - Streifen-Ansicht + + Close + Schließen - - Overlapped Stripe look - Überlappende Streifen-Ansicht + + Double-click to edit color + Doppelklicken Sie, um die Farbe zu bearbeiten - - - YACReaderGLFlowConfigWidget - - Zoom - Vergößern + + + + + + + true + WAHR - - Light - Helligkeit + + + + + false + FALSCH - - Show advanced settings - Zeige erweiterte Einstellungen + + Double-click to toggle + Zum Umschalten doppelklicken - - Roulette look - Zufällige Darstellung + + Double-click to edit value + Doppelklicken Sie, um den Wert zu bearbeiten - - Cover Angle - Titelbild-Winkel + + + + Edit: %1 + Bearbeiten: %1 - - Stripe look - Streifen-Ansicht + + Save theme + Thema speichern - - Position - Position + + + JSON files (*.json);;All files (*) + JSON-Dateien (*.json);;Alle Dateien (*) - - Z offset - Z Abstand + + Save failed + Speichern fehlgeschlagen - - Y offset - Y Abstand + + Could not open file for writing: +%1 + Die Datei konnte nicht zum Schreiben geöffnet werden: +%1 - - Central gap - Mittiger Abstand + + Load theme + Theme laden - - Presets: + + + + Load failed + Das Laden ist fehlgeschlagen + + + + Could not open file: +%1 + Datei konnte nicht geöffnet werden: +%1 + + + + Invalid JSON: +%1 + Ungültiger JSON: +%1 + + + + Expected a JSON object. + Es wurde ein JSON-Objekt erwartet. + + + + TitleHeader + + + SEARCH + Suchen + + + + UpdateLibraryDialog + + + Update library + Bibliothek aktualisieren + + + + Cancel + Abbrechen + + + + Updating.... + Aktualisierung.... + + + + Viewer + + + + Press 'O' to open comic. + 'O' drücken, um Comic zu öffnen. + + + + Not found + Nicht gefunden + + + + Comic not found + Comic nicht gefunden + + + + Error opening comic + Fehler beim Öffnen des Comics + + + + CRC Error + CRC Fehler + + + + Loading...please wait! + Ladevorgang... Bitte warten! + + + + Page not available! + Seite nicht verfügbar! + + + + Cover! + Titelseite! + + + + Last page! + Letzte Seite! + + + + VolumeComicsModel + + + title + Titel + + + + VolumesModel + + + year + Jahr + + + + issues + Ausgaben + + + + publisher + Herausgeber + + + + YACReader3DFlowConfigWidget + + + Presets: Voreinstellungen: - + + Classic look + Klassische Ansicht + + + + Stripe look + Streifen-Ansicht + + + + Overlapped Stripe look + Überlappende Streifen-Ansicht + + + + Modern look + Moderne Ansicht + + + + Roulette look + Zufällige Darstellung + + + + Show advanced settings + Zeige erweiterte Einstellungen + + + + Custom: + Benutzerdefiniert: + + + + View angle + Zeige Winkel + + + + Position + Lage + + + + Cover gap + Titelbild Abstand + + + + Central gap + Mittiger Abstand + + + + Zoom + Vergößern + + + + Y offset + Y Abstand + + + + Z offset + Z Abstand + + + + Cover Angle + Titelbild-Winkel + + + + Visibility + Sichtbarkeit + + + + Light + Helligkeit + + + + Max angle + Maximaler Winkel + + + + Low Performance + Niedrige Leistung + + + + High Performance + Hohe Leistung + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + VSync nutzen (verbessert die Bilddarstellung im Vollbild, schlechtere Leistung) + + + + Performance: + Leistung: + + + + YACReader::MainWindowViewer + + + &Open + &Öffnen + + + + Open a comic + Comic öffnen + + + + New instance + Neuer Fall + + + + Open Folder + Ordner öffnen + + + + Open image folder + Bilder-Ordner öffnen + + + + Open latest comic + Neuesten Comic öffnen + + + + Open the latest comic opened in the previous reading session + Öffne den neuesten Comic deiner letzten Sitzung + + + + Clear + Löschen + + + + Clear open recent list + Lösche Liste zuletzt geöffneter Elemente + + + + Save + Speichern + + + + + Save current page + Aktuelle Seite speichern + + + + Previous Comic + Voheriger Comic + + + + + + Open previous comic + Vorherigen Comic öffnen + + + + Next Comic + Nächster Comic + + + + + + Open next comic + Nächsten Comic öffnen + + + + &Previous + &Vorherige + + + + + + Go to previous page + Zur vorherigen Seite gehen + + + + &Next + &Nächstes + + + + + + Go to next page + Zur nächsten Seite gehen + + + + Fit Height + Höhe anpassen + + + + Fit image to height + Bild an Höhe anpassen + + + + Fit Width + Breite anpassen + + + + Fit image to width + Bildbreite anpassen + + + + Show full size + Vollansicht anzeigen + + + + Fit to page + An Seite anpassen + + + + Continuous scroll + Kontinuierliches Scrollen + + + + Switch to continuous scroll mode + Wechseln Sie in den kontinuierlichen Bildlaufmodus + + + + Reset zoom + Zoom zurücksetzen + + + + Show zoom slider + Zoomleiste anzeigen + + + + Zoom+ + Vergr??ern+ + + + + Zoom- + Verkleinern- + + + + Rotate image to the left + Bild nach links drehen + + + + Rotate image to the right + Bild nach rechts drehen + + + + Double page mode + Doppelseiten-Modus + + + + Switch to double page mode + Zum Doppelseiten-Modus wechseln + + + + Double page manga mode + Doppelseiten-Manga-Modus + + + + Reverse reading order in double page mode + Umgekehrte Lesereihenfolge im Doppelseiten-Modus + + + + Go To + Gehe zu + + + + Go to page ... + Gehe zu Seite ... + + + + Options + Optionen + + + + YACReader options + YACReader Optionen + + + + + Help + Hilfe + + + + Help, About YACReader + Hilfe, Über YACReader + + + + Magnifying glass + Vergößerungsglas + + + + Switch Magnifying glass + Vergrößerungsglas wechseln + + + + Set bookmark + Lesezeichen setzen + + + + Set a bookmark on the current page + Lesezeichen auf dieser Seite setzen + + + + Show bookmarks + Lesezeichen anzeigen + + + + Show the bookmarks of the current comic + Lesezeichen für diesen Comic anzeigen + + + + Show keyboard shortcuts + Tastenkürzel anzeigen + + + + Show Info + Info anzeigen + + + + Close + Schließen + + + + Show Dictionary + Wörterbuch anzeigen + + + + Show go to flow + "Go to Flow" anzeigen + + + + Edit shortcuts + Kürzel bearbeiten + + + + &File + &Datei + + + + + Open recent + Kürzlich geöffnet + + + + File + Datei + + + + Edit + Bearbeiten + + + + View + Anzeigen + + + + Go + Los + + + + Window + Fenster + + + + + + Open Comic + Comic öffnen + + + + + + Comic files + Comic-Dateien + + + + Open folder + Ordner öffnen + + + + page_%1.jpg + Seite_%1.jpg + + + + Image files (*.jpg) + Bildateien (*.jpg) + + + + + Comics + Comichefte + + + + + General + Allgemein + + + + + Magnifiying glass + Vergrößerungsglas + + + + + Page adjustement + Seitenanpassung + + + + + Reading + Lesend + + + + Toggle fullscreen mode + Vollbild-Modus umschalten + + + + Hide/show toolbar + Symbolleiste anzeigen/verstecken + + + + Size up magnifying glass + Vergrößerungsglas vergrößern + + + + Size down magnifying glass + Vergrößerungsglas verkleinern + + + + Zoom in magnifying glass + Vergrößerungsglas reinzoomen + + + + Zoom out magnifying glass + Vergrößerungsglas rauszoomen + + + + Reset magnifying glass + Lupe zurücksetzen + + + + Toggle between fit to width and fit to height + Zwischen Anpassung an Seite und Höhe wechseln + + + + Autoscroll down + Automatisches Runterscrollen + + + + Autoscroll up + Automatisches Raufscrollen + + + + Autoscroll forward, horizontal first + Automatisches Vorwärtsscrollen, horizontal zuerst + + + + Autoscroll backward, horizontal first + Automatisches Zurückscrollen, horizontal zuerst + + + + Autoscroll forward, vertical first + Automatisches Vorwärtsscrollen, vertikal zuerst + + + + Autoscroll backward, vertical first + Automatisches Zurückscrollen, vertikal zuerst + + + + Move down + Nach unten + + + + Move up + Nach oben + + + + Move left + Nach links + + + + Move right + Nach rechts + + + + Go to the first page + Zur ersten Seite gehen + + + + Go to the last page + Zur letzten Seite gehen + + + + Offset double page to the left + Doppelseite nach links versetzt + + + + Offset double page to the right + Doppelseite nach rechts versetzt + + + + There is a new version available + Neue Version verfügbar + + + + Do you want to download the new version? + Möchten Sie die neue Version herunterladen? + + + + Remind me in 14 days + In 14 Tagen erneut erinnern + + + + Not now + Nicht jetzt + + + + YACReader::TrayIconController + + + &Restore + &Wiederherstellen + + + &Quit + &Schließen + + + + Systray + Taskleiste + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary wird im Hintergrund weiterlaufen. Um das Programm zu schließen, wählen Sie <b>Schließen</b> im Kontextmenü des Taskleisten-Symbols. + + + + YACReader::WhatsNewDialog + + Close + Schließen + + + + YACReaderFieldEdit + + + Restore to default + Standardeinstellungen wiederherstellen + + + + + Click to overwrite + Zum Überschreiben anklicken + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Standardeinstellungen wiederherstellen + + + + + + + Click to overwrite + Zum Überschreiben anklicken + + + + YACReaderFlowConfigWidget + + CoverFlow look + CoverFlow-Ansicht + + + How to show covers: + Wie Titelseiten angezeigt werden sollen: + + + Stripe look + Streifen-Ansicht + + Overlapped Stripe look - Überlappende Streifen-Ansicht + Überlappende Streifen-Ansicht + + + + YACReaderGLFlowConfigWidget + + Zoom + Vergößern + + + Light + Helligkeit + + + Show advanced settings + Zeige erweiterte Einstellungen + + + Roulette look + Zufällige Darstellung + + + Cover Angle + Titelbild-Winkel + + + Stripe look + Streifen-Ansicht + + + Position + Lage + + + Z offset + Z Abstand + + + Y offset + Y Abstand + + + Central gap + Mittiger Abstand + + + Presets: + Voreinstellungen: + + + Overlapped Stripe look + Überlappende Streifen-Ansicht - Modern look - Moderne Ansicht + Moderne Ansicht - View angle - Zeige Winkel + Zeige Winkel - Max angle - Maximaler Winkel + Maximaler Winkel - Custom: - Benutzerdefiniert: + Benutzerdefiniert: - Classic look - Klassische Ansicht + Klassische Ansicht - Cover gap - Titelbild Abstand + Titelbild Abstand - High Performance - Hohe Leistung + Hohe Leistung - Performance: - Leistung: + Leistung: - Use VSync (improve the image quality in fullscreen mode, worse performance) - VSync nutzen (verbessert die Bilddarstellung im Vollbild, schlechtere Leistung) + VSync nutzen (verbessert die Bilddarstellung im Vollbild, schlechtere Leistung) - Visibility - Sichtbarkeit + Sichtbarkeit - Low Performance - Niedrige Leistung + Niedrige Leistung YACReaderNavigationController - No favorites - Keine Favoriten + Keine Favoriten - You are not reading anything yet, come on!! - Sie lesen noch nichts, starten Sie!! - - - - There are no recent comics! - + Sie lesen noch nichts, starten Sie!! YACReaderOptionsDialog - + Save Speichern - Use hardware acceleration (restart needed) - Hardwarebeschleunigung nutzen (Neustart erforderlich) + Hardwarebeschleunigung nutzen (Neustart erforderlich) - + Cancel Abbrechen - + Edit shortcuts Kürzel bearbeiten - + Shortcuts Kürzel @@ -3035,7 +4296,7 @@ um die Leistung zu verbessern YACReaderSearchLineEdit - + type to search tippen, um zu suchen @@ -3043,34 +4304,60 @@ um die Leistung zu verbessern YACReaderSideBar - LIBRARIES - BIBLIOTHEKEN + BIBLIOTHEKEN - FOLDERS - ORDNER + ORDNER - Libraries - Bibliotheken + Bibliotheken - Folders - Ordner + Ordner - Reading Lists - Leselisten + Leselisten - READING LISTS - LESELISTEN + LESELISTEN + + + + YACReaderSlider + + + Reset + Zurücksetzen + + + + YACReaderTranslator + + + YACReader translator + YACReader Übersetzer + + + + + Translation + Übersetzung + + + + clear + Löschen + + + + Service not available + Service nicht verfügbar diff --git a/YACReaderLibrary/yacreaderlibrary_en.ts b/YACReaderLibrary/yacreaderlibrary_en.ts index 0d9528dc1..68b815eac 100644 --- a/YACReaderLibrary/yacreaderlibrary_en.ts +++ b/YACReaderLibrary/yacreaderlibrary_en.ts @@ -6,90 +6,30 @@ None - + None AddLabelDialog - + Label name: - + Label name: - + Choose a color: - - - - - red - - - - - orange - - - - - yellow - - - - - green - - - - - cyan - - - - - blue - - - - - violet - - - - - purple - - - - - pink - - - - - white - - - - - light - - - - - dark - + Choose a color: - + accept - + accept - + cancel - + cancel @@ -97,28 +37,28 @@ Comics folder : - + Comics folder : Library name : Library Name : - + Library name : Add - + Add Cancel - + Cancel - + Add an existing library - + Add an existing library @@ -126,113 +66,170 @@ Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> - + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> Paste here your Comic Vine API key - + Paste here your Comic Vine API key Accept - + Accept Cancel - + Cancel - ClassicComicsView + AppearanceTabWidget - - Hide comic flow - + + Color scheme + Color scheme - - - ComicInfoView - - Main character or team - + + System + System - - Teams - + + Light + Light - - Locations - + + Dark + Dark - - Authors - + + Custom + Custom - - writer - + + Remove + Remove - - penciller - + + Remove this user-imported theme + Remove this user-imported theme - - inker - + + Light: + Light: - - colorist - + + Dark: + Dark: - - letterer - + + Custom: + Custom: + + + + Import theme... + Import theme... + + + + Theme + Theme + + + + Theme editor + Theme editor + + + + Open Theme Editor... + Open Theme Editor... + + + + Theme editor error + Theme editor error + + + + The current theme JSON could not be loaded. + The current theme JSON could not be loaded. + + + + Import theme + Import theme + + + + JSON files (*.json);;All files (*) + JSON files (*.json);;All files (*) + + + + Could not import theme from: +%1 + Could not import theme from: +%1 - - cover artist - + + Could not import theme from: +%1 + +%2 + Could not import theme from: +%1 + +%2 - - editor - + + Import failed + Import failed + + + BookmarksDialog - - imprint - + + Lastest Page + Lastest Page - - Publisher - + + Close + Close - - color - + + Click on any image to go to the bookmark + Click on any image to go to the bookmark - - b/w - + + + Loading... + Loading... + + + ClassicComicsView - - Characters - + + Hide comic flow + Hide comic flow @@ -240,134 +237,142 @@ yes - + yes no - + no Title - + Title File Name - + File Name Pages - + Pages Size - + Size Read - + Read Current Page - + Current Page Publication Date - + Publication Date Rating - + Rating Series - + Series Volume - + Volume Story Arc - + Story Arc ComicVineDialog - + skip - + skip - + back - + back - + next - + next - + search - + search - + close - + close - - - + + + Looking for volume... - + Looking for volume... - - + + comic %1 of %2 - %3 - + comic %1 of %2 - %3 - + %1 comics selected - + %1 comics selected - + Error connecting to ComicVine - + Error connecting to ComicVine - - + + Retrieving tags for : %1 - + Retrieving tags for : %1 - + Retrieving volume info... - + Retrieving volume info... - + Looking for comic... - + Looking for comic... + + + + ContinuousPageWidget + + + Loading page %1 + Loading page %1 @@ -375,42 +380,42 @@ Comics folder : - + Comics folder : Library Name : - + Library Name : Create - + Create Cancel - + Cancel Create a library could take several minutes. You can stop the process and update the library later for completing the task. - + Create a library could take several minutes. You can stop the process and update the library later for completing the task. - + Create new library - + Create new library - + Path not found - + Path not found - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder @@ -418,54 +423,43 @@ Restore defaults - + Restore defaults To change a shortcut, double click in the key combination and type the new keys. - + To change a shortcut, double click in the key combination and type the new keys. Shortcuts settings - + Shortcuts settings - + Shortcut in use - + Shortcut in use - + The shortcut "%1" is already assigned to other function - + The shortcut "%1" is already assigned to other function EmptyFolderWidget - - - Subfolders in this folder - - - - - Empty folder - - - - - Drag and drop folders and comics here - + + This folder doesn't contain comics yet + This folder doesn't contain comics yet EmptyLabelWidget - + This label doesn't contain comics yet - + This label doesn't contain comics yet @@ -474,7 +468,25 @@ This reading list does not contain any comics yet This reading list doesn't contain any comics yet - + This reading list does not contain any comics yet + + + + EmptySpecialListWidget + + + No favorites + No favorites + + + + You are not reading anything yet, come on!! + You are not reading anything yet, come on!! + + + + There are no recent comics! + There are no recent comics! @@ -482,37 +494,37 @@ Output file : - + Output file : Create - + Create Cancel - + Cancel - + Export comics info - + Export comics info - + Destination database name - + Destination database name - + Problem found while writing - + Problem found while writing - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder @@ -520,37 +532,37 @@ Output folder : - + Output folder : Create - + Create Cancel - + Cancel - + Create covers package - + Create covers package - + Problem found while writing - + Problem found while writing - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder - + Destination directory - + Destination directory @@ -558,64 +570,85 @@ CRC error on page (%1): some of the pages will not be displayed correctly - + CRC error on page (%1): some of the pages will not be displayed correctly Unknown error opening the file - + Unknown error opening the file 7z not found - + 7z not found Format not supported - + Format not supported - FolderContentView + GoToDialog + + + Page : + Page : + + + + Go To + Go To + + + + Cancel + Cancel + + + + + Total pages : + Total pages : + - - Continue Reading... - + + Go to... + Go to... - FolderContentView6 + GoToFlowToolBar - - Continue Reading... - + + Page : + Page : GridComicsView - + Show info - + Show info HelpAboutDialog - + About - + About - + Help - + Help - + System info - + System info @@ -623,27 +656,27 @@ Import comics info - + Import comics info Info database location : - + Info database location : Import - + Import Cancel - + Cancel - + Comics info file (*.ydb) - + Comics info file (*.ydb) @@ -651,940 +684,944 @@ Library Name : - + Library Name : Package location : - + Package location : Destination folder : - + Destination folder : Unpack - + Unpack Cancel - + Cancel - + Extract a catalog - + Extract a catalog - + Compresed library covers (*.clc) - + Compresed library covers (*.clc) ImportWidget - + stop - + stop - + Some of the comics being added... - + Some of the comics being added... - + Importing comics - + Importing comics - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> - + Updating the library - + Updating the library - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> - + Upgrading the library - + Upgrading the library - + <p>The current library is being upgraded, please wait.</p> - + <p>The current library is being upgraded, please wait.</p> - + Scanning the library - + Scanning the library - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> LibraryWindow - + YACReader Library - + YACReader Library - + Library - + Library - + Set as read - + Set as read - - + + Set as unread - + Set as unread - - - + + + manga - + manga - - - + + + comic - + comic - - - + + + web comic - + web comic - - - + + + western manga (left to right) - + western manga (left to right) - + Library not available Library ' - + Library not available - + Rescan library for XML info - + Rescan library for XML info - + Delete folder - + Delete folder - + Open folder... - + Open folder... - + Set as uncompleted - + Set as uncompleted - + Set as completed - + Set as completed - + Update folder - + Update folder - + Folder - + Folder - + Comic - + Comic - + Upgrade failed - + Upgrade failed - + There were errors during library upgrade in: - + There were errors during library upgrade in: - + Update needed - + Update needed - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? - + Download new version - + Download new version - + This library was created with a newer version of YACReaderLibrary. Download the new version now? - + This library was created with a newer version of YACReaderLibrary. Download the new version now? - + Library '%1' is no longer available. Do you want to remove it? - + Library '%1' is no longer available. Do you want to remove it? - + Old library - + Old library - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? - - + + Copying comics... - + Copying comics... - - + + Moving comics... - + Moving comics... - + Folder name: - + Folder name: - + No folder selected - + No folder selected - + Please, select a folder first - + Please, select a folder first - + Error in path - + Error in path - + There was an error accessing the folder's path - + There was an error accessing the folder's path - + The selected folder and all its contents will be deleted from your disk. Are you sure? - + The selected folder and all its contents will be deleted from your disk. Are you sure? - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. - + Add new reading lists - + Add new reading lists - - + + List name: - + List name: - + Delete list/label - + Delete list/label - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? - + Rename list name - + Rename list name - - - + + + 4koma (top to botom) - + 4koma (top to botom) - - - - + + + + Set type - + Set type - + Set custom cover - + Set custom cover - + Delete custom cover - + Delete custom cover - + Save covers - + Save covers - + You are adding too many libraries. - + You are adding too many libraries. - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. - + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. - - + + YACReader not found - + YACReader not found - + Error - + Error - + Error opening comic with third party reader. - + Error opening comic with third party reader. - + Library not found - + Library not found - + The selected folder doesn't contain any library. - + The selected folder doesn't contain any library. - + Are you sure? - + Are you sure? - + Do you want remove - + Do you want remove - + library? - + library? - + Remove and delete metadata - + Remove and delete metadata - + Library info - + Library info - + Assign comics numbers - + Assign comics numbers - + Assign numbers starting in: - + Assign numbers starting in: - - + + Unable to delete - + Unable to delete - + Add new folder - + Add new folder - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. - + YACReader not found. There might be a problem with your YACReader installation. - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. - + Invalid image - + Invalid image - + The selected file is not a valid image. - + The selected file is not a valid image. - + Error saving cover - + Error saving cover - + There was an error saving the cover image. - + There was an error saving the cover image. - + Error creating the library - + Error creating the library - + Error updating the library - + Error updating the library - + Error opening the library - + Error opening the library - + Delete comics - + Delete comics - + All the selected comics will be deleted from your disk. Are you sure? - + All the selected comics will be deleted from your disk. Are you sure? - + Remove comics - + Remove comics - + Comics will only be deleted from the current label/list. Are you sure? - + Comics will only be deleted from the current label/list. Are you sure? - + Library name already exists - + Library name already exists - + There is another library with the name '%1'. - + There is another library with the name '%1'. LibraryWindowActions - + Create a new library - + Create a new library - + Open an existing library - + Open an existing library - - + + Export comics info - + Export comics info - - + + Import comics info - + Import comics info - + Pack covers - + Pack covers - + Pack the covers of the selected library - + Pack the covers of the selected library - + Unpack covers - + Unpack covers - + Unpack a catalog - + Unpack a catalog - + Update library - + Update library - + Update current library - + Update current library - + Rename library - + Rename library - + Rename current library - + Rename current library - + Remove library - + Remove library - + Remove current library from your collection - + Remove current library from your collection - + Rescan library for XML info - + Rescan library for XML info - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Show library info - + Show library info - + Show information about the current library - + Show information about the current library - + Open current comic - + Open current comic - + Open current comic on YACReader - + Open current comic on YACReader - + Save selected covers to... - + Save selected covers to... - + Save covers of the selected comics as JPG files - + Save covers of the selected comics as JPG files - - + + Set as read - + Set as read - + Set comic as read - + Set comic as read - - + + Set as unread - + Set as unread - + Set comic as unread - + Set comic as unread - - + + manga - + manga - + Set issue as manga - + Set issue as manga - - + + comic - + comic - + Set issue as normal - + Set issue as normal - + western manga - + western manga - + Set issue as western manga - + Set issue as western manga - - + + web comic - + web comic - + Set issue as web comic - + Set issue as web comic - - + + yonkoma - + yonkoma - + Set issue as yonkoma - + Set issue as yonkoma - + Show/Hide marks - + Show/Hide marks - + Show or hide read marks - + Show or hide read marks - + Show/Hide recent indicator - + Show/Hide recent indicator - + Show or hide recent indicator - + Show or hide recent indicator - - + + Fullscreen mode on/off - + Fullscreen mode on/off - + Help, About YACReader - + Help, About YACReader - + Add new folder - + Add new folder - + Add new folder to the current library - + Add new folder to the current library - + Delete folder - + Delete folder - + Delete current folder from disk - + Delete current folder from disk - + Select root node - + Select root node - + Expand all nodes - + Expand all nodes - + Collapse all nodes - + Collapse all nodes - + Show options dialog - + Show options dialog - + Show comics server options dialog - + Show comics server options dialog - - + + Change between comics views - + Change between comics views - + Open folder... - + Open folder... - + Set as uncompleted - + Set as uncompleted - + Set as completed - + Set as completed - + Set custom cover - + Set custom cover - + Delete custom cover - + Delete custom cover - + western manga (left to right) - + western manga (left to right) - + Open containing folder... - + Open containing folder... - + Reset comic rating - + Reset comic rating - + Select all comics - + Select all comics - + Edit - + Edit - + Assign current order to comics - + Assign current order to comics - + Update cover - + Update cover - + Delete selected comics - + Delete selected comics - + Delete metadata from selected comics - + Delete metadata from selected comics - + Download tags from Comic Vine - + Download tags from Comic Vine - + Focus search line - + Focus search line - + Focus comics view - + Focus comics view - + Edit shortcuts - + Edit shortcuts - + &Quit - + &Quit - + Update folder - + Update folder - + Update current folder - + Update current folder - + Scan legacy XML metadata - + Scan legacy XML metadata - + Add new reading list - + Add new reading list - + Add a new reading list to the current library - + Add a new reading list to the current library - + Remove reading list - + Remove reading list - + Remove current reading list from the library - + Remove current reading list from the library - + Add new label - + Add new label - + Add a new label to this library - + Add a new label to this library - + Rename selected list - + Rename selected list - + Rename any selected labels or lists - + Rename any selected labels or lists - + Add to... - + Add to... - + Favorites - + Favorites - + Add selected comics to favorites list - + Add selected comics to favorites list @@ -1592,68 +1629,38 @@ YACReaderLibrary will not stop you from creating more libraries but you should k file name - - - - - LogWindow - - - Log window - - - - - &Pause - - - - - &Save - - - - - C&lear - - - - - &Copy - - - - - Level: - - - - - &Auto scroll - + file name NoLibrariesWidget - + You don't have any libraries yet - + You don't have any libraries yet - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> - + create your first library - + create your first library - + add an existing one - + add an existing one + + + + NoSearchResultsWidget + + + No results + No results @@ -1661,123 +1668,124 @@ YACReaderLibrary will not stop you from creating more libraries but you should k Tray icon settings (experimental) - + Tray icon settings (experimental) Close to tray - + Close to tray Start into the system tray - + Start into the system tray Edit Comic Vine API key - + Edit Comic Vine API key Comic Vine API key - + Comic Vine API key ComicInfo.xml legacy support - + ComicInfo.xml legacy support Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Import metadata from ComicInfo.xml when adding new comics Consider 'recent' items added or updated since X days ago - + Consider 'recent' items added or updated since X days ago Third party reader - + Third party reader Write {comic_file_path} where the path should go in the command - + Write {comic_file_path} where the path should go in the command + Clear - + Clear Update libraries at startup - + Update libraries at startup Try to detect changes automatically - + Try to detect changes automatically Update libraries periodically - + Update libraries periodically Interval: - + Interval: 30 minutes - + 30 minutes 1 hour - + 1 hour 2 hours - + 2 hours 4 hours - + 4 hours 8 hours - + 8 hours 12 hours - + 12 hours daily - + daily Update libraries at certain time - + Update libraries at certain time Time: - + Time: @@ -1788,364 +1796,561 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. Modifications detection - + Modifications detection Compare the modified date of files when updating a library (not recommended) - + Compare the modified date of files when updating a library (not recommended) - + Enable background image - + Enable background image - + Opacity level - + Opacity level - + Blur level - + Blur level - + Use selected comic cover as background - + Use selected comic cover as background - + Restore defautls - + Restore defautls - + Background - + Background - + Display continue reading banner - + Display continue reading banner - + Display current comic banner - + Display current comic banner - + Continue reading - + Continue reading - + Comic Flow - + Comic Flow - + Libraries - + Libraries Grid view - + Grid view - + + General - + General + + + + + Appearance + Appearance + Options - + Options - - - PropertiesDialog - - General info - + + My comics path + My comics path - - Authors - + + Display + Display - - Publishing - + + Show time in current page information label + Show time in current page information label - - Plot - + + "Go to flow" size + "Go to flow" size - - Notes - + + Background color + Background color - - Cover page - + + Choose + Choose - - Load previous page as cover - + + Scroll behaviour + Scroll behaviour - - Load next page as cover - + + Disable scroll animations and smooth scrolling + Disable scroll animations and smooth scrolling - - Reset cover to the default image - + + Do not turn page using scroll + Do not turn page using scroll - - Load custom cover image - + + Use single scroll step to turn page + Use single scroll step to turn page - - Series: - + + Mouse mode + Mouse mode - - Title: - + + Only Back/Forward buttons can turn pages + Only Back/Forward buttons can turn pages - - - - of: - + + Use the Left/Right buttons to turn pages. + Use the Left/Right buttons to turn pages. - - Issue number: - + + Click left or right half of the screen to turn pages. + Click left or right half of the screen to turn pages. - - Volume: - + + Quick Navigation Mode + Quick Navigation Mode - - Arc number: - + + Disable mouse over activation + Disable mouse over activation - - Story arc: - + + Brightness + Brightness - - alt. number: - + + Contrast + Contrast - - Alternate series: - + + Gamma + Gamma - - Series Group: - + + Reset + Reset - - Genre: - Genere: - + + Image options + Image options - - Size: - + + Fit options + Fit options - - Writer(s): - + + Enlarge images to fit width/height + Enlarge images to fit width/height - - Penciller(s): - + + Double Page options + Double Page options - - Inker(s): - + + Show covers as single page + Show covers as single page - - Colorist(s): - + + Scaling + Scaling - - Letterer(s): - + + Scaling method + Scaling method - - Cover Artist(s): - + + Nearest (fast, low quality) + Nearest (fast, low quality) - - Editor(s): - + + Bilinear + Bilinear - - Imprint: - + + Lanczos (better quality) + Lanczos (better quality) - + + Page Flow + Page Flow + + + + Image adjustment + Image adjustment + + + + Restart is needed + Restart is needed + + + + Comics directory + Comics directory + + + + PropertiesDialog + + + General info + General info + + + + Authors + Authors + + + + Publishing + Publishing + + + + Plot + Plot + + + + Notes + Notes + + + + Cover page + Cover page + + + + Load previous page as cover + Load previous page as cover + + + + Load next page as cover + Load next page as cover + + + + Reset cover to the default image + Reset cover to the default image + + + + Load custom cover image + Load custom cover image + + + + Series: + Series: + + + + Title: + Title: + + + + + + of: + of: + + + + Issue number: + Issue number: + + + + Volume: + Volume: + + + + Arc number: + Arc number: + + + + Story arc: + Story arc: + + + + alt. number: + alt. number: + + + + Alternate series: + Alternate series: + + + + Series Group: + Series Group: + + + + Genre: + Genere: + Genre: + + + + Size: + Size: + + + + Writer(s): + Writer(s): + + + + Penciller(s): + Penciller(s): + + + + Inker(s): + Inker(s): + + + + Colorist(s): + Colorist(s): + + + + Letterer(s): + Letterer(s): + + + + Cover Artist(s): + Cover Artist(s): + + + + Editor(s): + Editor(s): + + + + Imprint: + Imprint: + + + Day: - + Day: Month: - + Month: Year: - + Year: Publisher: - + Publisher: Format: - + Format: Color/BW: - + Color/BW: Age rating: - + Age rating: Type: - + Type: Language (ISO): - + Language (ISO): Synopsis: - + Synopsis: Characters: - + Characters: Teams: - + Teams: Locations: - + Locations: Main character or team: - + Main character or team: Review: - + Review: Notes: - + Notes: Tags: - + Tags: Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> - + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> Not found - + Not found Comic not found. You should update your library. - + Comic not found. You should update your library. Edit selected comics information - + Edit selected comics information Invalid cover - + Invalid cover The image is invalid. - + The image is invalid. Edit comic information - + Edit comic information + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md @@ -2153,93 +2358,77 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 7z lib not found - + 7z lib not found unable to load 7z lib from ./utils - + unable to load 7z lib from ./utils Trace - + Trace Debug - + Debug Info - + Info Warning - + Warning Error - + Error Fatal - + Fatal - + Select custom cover - + Select custom cover - + Images (%1) - - - - - QsLogging::LogWindowModel - - - Time - - - - - Level - + Images (%1) - - Message - + + The file could not be read or is not valid JSON. + The file could not be read or is not valid JSON. - - - QsLogging::Window - - &Pause - + + This theme is for %1, not %2. + This theme is for %1, not %2. - - &Resume - + + Libraries + Libraries - - Save log - + + Folders + Folders - - Log file (*.log) - + + Reading Lists + Reading Lists @@ -2247,41 +2436,41 @@ To stop an automatic update tap on the loading indicator next to the Libraries t New Library Name : - + New Library Name : Rename - + Rename Cancel - + Cancel - + Rename current library - + Rename current library ScraperResultsPaginator - + Number of volumes found : %1 - + Number of volumes found : %1 - - + + page %1 of %2 - + page %1 of %2 - + Number of %1 found : %2 - + Number of %1 found : %2 @@ -2290,17 +2479,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - + Please provide some additional information for this comic. - + Series: - + Series: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. @@ -2308,83 +2497,83 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information. - + Please provide some additional information. - + Series: - + Series: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. SelectComic - + Please, select the right comic info. - + Please, select the right comic info. - + comics - + comics - + loading cover - + loading cover - + loading description - + loading description - + comic description unavailable - + comic description unavailable SelectVolume - + Please, select the right series for your comic. - + Please, select the right series for your comic. - + Filter: - + Filter: - + volumes - + volumes - + Nothing found, clear the filter if any. - + Nothing found, clear the filter if any. - + loading cover - + loading cover - + loading description - + loading description - + volume description unavailable - + volume description unavailable @@ -2392,419 +2581,1123 @@ To stop an automatic update tap on the loading indicator next to the Libraries t You are trying to get information for various comics at once, are they part of the same series? - + You are trying to get information for various comics at once, are they part of the same series? - + yes - + yes - + no - + no ServerConfigDialog - + set port - + set port - + Server connectivity information - + Server connectivity information - + Scan it! - + Scan it! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address - + Choose an IP address - + Port - + Port - + enable the server - + enable the server SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. - + Please, sort the list of comics on the left until it matches the comics' information. - + sort comics to match comic information - + sort comics to match comic information - + issues - + issues - + remove selected comics - + remove selected comics - + restore all removed comics - + restore all removed comics - TitleHeader + ThemeEditorDialog - - SEARCH - + + Theme Editor + Theme Editor - - - UpdateLibraryDialog - - Updating.... - + + + + + - - Cancel - + + - + - - - Update library - + + i + i - - - VolumeComicsModel - - title - + + Expand all + Expand all - - - VolumesModel - - year - + + Collapse all + Collapse all - - issues - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. - - publisher - + + Search… + Search… - - - YACReader::TrayIconController - - &Restore - + + Light + Light - - Systray - + + Dark + Dark - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - + + ID: + ID: - - - YACReader::WhatsNewDialog - - Close - + + Display name: + Display name: - - - YACReaderFieldEdit - - - Click to overwrite - + + Variant: + Variant: - - Restore to default - + + Theme info + Theme info - - - YACReaderFieldPlainTextEdit - - - - - Click to overwrite - + + Parameter + Parameter - - Restore to default - + + Value + Value - - - YACReaderFlowConfigWidget - - How to show covers: - + + Save and apply + Save and apply - - CoverFlow look - + + Export to file... + Export to file... - - Stripe look - + + Load from file... + Load from file... - - Overlapped Stripe look - + + Close + Close - - - YACReaderGLFlowConfigWidget - - Presets: - + + Double-click to edit color + Double-click to edit color - - Classic look - + + + + + + + true + true - - Stripe look - + + + + + false + false - - Overlapped Stripe look - + + Double-click to toggle + Double-click to toggle - - Modern look - + + Double-click to edit value + Double-click to edit value - - Roulette look - + + + + Edit: %1 + Edit: %1 - - Show advanced settings - + + Save theme + Save theme - - Custom: - + + + JSON files (*.json);;All files (*) + JSON files (*.json);;All files (*) - - View angle - + + Save failed + Save failed - - Position - + + Could not open file for writing: +%1 + Could not open file for writing: +%1 - - Cover gap - + + Load theme + Load theme - - Central gap - + + + + Load failed + Load failed - - Zoom - + + Could not open file: +%1 + Could not open file: +%1 - - Y offset - + + Invalid JSON: +%1 + Invalid JSON: +%1 - - Z offset - + + Expected a JSON object. + Expected a JSON object. + + + TitleHeader - - Cover Angle - + + SEARCH + SEARCH + + + UpdateLibraryDialog - - Visibility - + + Updating.... + Updating.... - - Light - + + Cancel + Cancel - - Max angle - + + Update library + Update library + + + Viewer - - Low Performance - + + + Press 'O' to open comic. + Press 'O' to open comic. - - High Performance - + + Not found + Not found - - Use VSync (improve the image quality in fullscreen mode, worse performance) - + + Comic not found + Comic not found - - Performance: - + + Error opening comic + Error opening comic - - - YACReaderNavigationController - - No favorites - + + CRC Error + CRC Error - - You are not reading anything yet, come on!! - + + Loading...please wait! + Loading...please wait! - - There are no recent comics! - + + Page not available! + Page not available! + + + + Cover! + Cover! + + + + Last page! + Last page! + + + + VolumeComicsModel + + + title + title + + + + VolumesModel + + + year + year + + + + issues + issues + + + + publisher + publisher + + + + YACReader3DFlowConfigWidget + + + Presets: + Presets: + + + + Classic look + Classic look + + + + Stripe look + Stripe look + + + + Overlapped Stripe look + Overlapped Stripe look + + + + Modern look + Modern look + + + + Roulette look + Roulette look + + + + Show advanced settings + Show advanced settings + + + + Custom: + Custom: + + + + View angle + View angle + + + + Position + Position + + + + Cover gap + Cover gap + + + + Central gap + Central gap + + + + Zoom + Zoom + + + + Y offset + Y offset + + + + Z offset + Z offset + + + + Cover Angle + Cover Angle + + + + Visibility + Visibility + + + + Light + Light + + + + Max angle + Max angle + + + + Low Performance + Low Performance + + + + High Performance + High Performance + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Use VSync (improve the image quality in fullscreen mode, worse performance) + + + + Performance: + Performance: + + + + YACReader::MainWindowViewer + + + &Open + &Open + + + + Open a comic + Open a comic + + + + New instance + New instance + + + + Open Folder + Open Folder + + + + Open image folder + Open image folder + + + + Open latest comic + Open latest comic + + + + Open the latest comic opened in the previous reading session + Open the latest comic opened in the previous reading session + + + + Clear + Clear + + + + Clear open recent list + Clear open recent list + + + + Save + Save + + + + + Save current page + Save current page + + + + Previous Comic + Previous Comic + + + + + + Open previous comic + Open previous comic + + + + Next Comic + Next Comic + + + + + + Open next comic + Open next comic + + + + &Previous + &Previous + + + + + + Go to previous page + Go to previous page + + + + &Next + &Next + + + + + + Go to next page + Go to next page + + + + Fit Height + Fit Height + + + + Fit image to height + Fit image to height + + + + Fit Width + Fit Width + + + + Fit image to width + Fit image to width + + + + Show full size + Show full size + + + + Fit to page + Fit to page + + + + Continuous scroll + Continuous scroll + + + + Switch to continuous scroll mode + Switch to continuous scroll mode + + + + Reset zoom + Reset zoom + + + + Show zoom slider + Show zoom slider + + + + Zoom+ + Zoom+ + + + + Zoom- + Zoom- + + + + Rotate image to the left + Rotate image to the left + + + + Rotate image to the right + Rotate image to the right + + + + Double page mode + Double page mode + + + + Switch to double page mode + Switch to double page mode + + + + Double page manga mode + Double page manga mode + + + + Reverse reading order in double page mode + Reverse reading order in double page mode + + + + Go To + Go To + + + + Go to page ... + Go to page ... + + + + Options + Options + + + + YACReader options + YACReader options + + + + + Help + Help + + + + Help, About YACReader + Help, About YACReader + + + + Magnifying glass + Magnifying glass + + + + Switch Magnifying glass + Switch Magnifying glass + + + + Set bookmark + Set bookmark + + + + Set a bookmark on the current page + Set a bookmark on the current page + + + + Show bookmarks + Show bookmarks + + + + Show the bookmarks of the current comic + Show the bookmarks of the current comic + + + + Show keyboard shortcuts + Show keyboard shortcuts + + + + Show Info + Show Info + + + + Close + Close + + + + Show Dictionary + Show Dictionary + + + + Show go to flow + Show go to flow + + + + Edit shortcuts + Edit shortcuts + + + + &File + &File + + + + + Open recent + Open recent + + + + File + File + + + + Edit + Edit + + + + View + View + + + + Go + Go + + + + Window + Window + + + + + + Open Comic + Open Comic + + + + + + Comic files + Comic files + + + + Open folder + Open folder + + + + page_%1.jpg + page_%1.jpg + + + + Image files (*.jpg) + Image files (*.jpg) + + + + + Comics + Comics + + + + + General + General + + + + + Magnifiying glass + Magnifiying glass + + + + + Page adjustement + Page adjustement + + + + + Reading + Reading + + + + Toggle fullscreen mode + Toggle fullscreen mode + + + + Hide/show toolbar + Hide/show toolbar + + + + Size up magnifying glass + Size up magnifying glass + + + + Size down magnifying glass + Size down magnifying glass + + + + Zoom in magnifying glass + Zoom in magnifying glass + + + + Zoom out magnifying glass + Zoom out magnifying glass + + + + Reset magnifying glass + Reset magnifying glass + + + + Toggle between fit to width and fit to height + Toggle between fit to width and fit to height + + + + Autoscroll down + Autoscroll down + + + + Autoscroll up + Autoscroll up + + + + Autoscroll forward, horizontal first + Autoscroll forward, horizontal first + + + + Autoscroll backward, horizontal first + Autoscroll backward, horizontal first + + + + Autoscroll forward, vertical first + Autoscroll forward, vertical first + + + + Autoscroll backward, vertical first + Autoscroll backward, vertical first + + + + Move down + Move down + + + + Move up + Move up + + + + Move left + Move left + + + + Move right + Move right + + + + Go to the first page + Go to the first page + + + + Go to the last page + Go to the last page + + + + Offset double page to the left + Offset double page to the left + + + + Offset double page to the right + Offset double page to the right + + + + There is a new version available + There is a new version available + + + + Do you want to download the new version? + Do you want to download the new version? + + + + Remind me in 14 days + Remind me in 14 days + + + + Not now + Not now + + + + YACReader::TrayIconController + + + &Restore + &Restore + + + + Systray + Systray + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + + + + YACReaderFieldEdit + + + + Click to overwrite + Click to overwrite + + + + Restore to default + Restore to default + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Click to overwrite + + + + Restore to default + Restore to default YACReaderOptionsDialog - + Save - + Save - + Cancel - + Cancel - + Edit shortcuts - + Edit shortcuts - + Shortcuts - - - - - Use hardware acceleration (restart needed) - + Shortcuts YACReaderSearchLineEdit - + type to search - + type to search - YACReaderSideBar + YACReaderSlider - - Libraries - - - - - Folders - + + Reset + Reset + + + YACReaderTranslator - - Reading Lists - + + YACReader translator + YACReader translator - - LIBRARIES - + + + Translation + Translation - - FOLDERS - + + clear + clear - - READING LISTS - + + Service not available + Service not available diff --git a/YACReaderLibrary/yacreaderlibrary_es.ts b/YACReaderLibrary/yacreaderlibrary_es.ts index 643c55b0d..c3db24d0a 100644 --- a/YACReaderLibrary/yacreaderlibrary_es.ts +++ b/YACReaderLibrary/yacreaderlibrary_es.ts @@ -12,82 +12,70 @@ AddLabelDialog - + cancel cancelar - + Label name: Nombre de la etiqueta: - + Choose a color: Elige un color: - red - rojo + rojo - orange - naranja + naranja - yellow - amarillo + amarillo - green - verde + verde - cyan - cian + cian - blue - azul + azul - violet - violeta + violeta - purple - morado + morado - pink - rosa + rosa - white - blanco + blanco - light - claro + claro - dark - oscuro + oscuro - + accept aceptar @@ -100,7 +88,7 @@ Añadir - + Add an existing library Añadir una biblioteca existente @@ -130,12 +118,12 @@ Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> - Antes de que te puedas conectar a Comic Vine necesitas tu ropia clave API. Por favor, obtén una gratis <a href=\"http://www.comicvine.com/api/\">aquí</a> + Antes de que te puedas conectar a Comic Vine necesitas tu propia clave API. Por favor, obtén una gratis <a href="http://www.comicvine.com/api/">aquí</a> Paste here your Comic Vine API key - Pega aquí tu clave API de Comic Vina + Pega aquí tu clave API de Comic Vine @@ -143,10 +131,146 @@ Aceptar + + AppearanceTabWidget + + + Color scheme + Esquema de color + + + + System + Sistema + + + + Light + Luz + + + + Dark + Oscuro + + + + Custom + Personalizado + + + + Remove + Eliminar + + + + Remove this user-imported theme + Eliminar este tema importado por el usuario + + + + Light: + Claro: + + + + Dark: + Oscuro: + + + + Custom: + Personalizado: + + + + Import theme... + Importar tema... + + + + Theme + Tema + + + + Theme editor + Editor de temas + + + + Open Theme Editor... + Abrir editor de temas... + + + + Theme editor error + Error del editor de temas + + + + The current theme JSON could not be loaded. + No se ha podido cargar el JSON del tema actual. + + + + Import theme + Importar tema + + + + JSON files (*.json);;All files (*) + Archivos JSON (*.json);;Todos los archivos (*) + + + + Could not import theme from: +%1 + No se pudo importar el tema desde:\n%1 + + + + Could not import theme from: +%1 + +%2 + No se pudo importar el tema desde:\n%1\n\n%2 + + + + Import failed + Error al importar + + + + BookmarksDialog + + + Lastest Page + Última página + + + + Close + Cerrar + + + + Click on any image to go to the bookmark + Pulsa en cualquier imagen para ir al marcador + + + + + Loading... + Cargando... + + ClassicComicsView - + Hide comic flow Ocultar cómic flow @@ -154,82 +278,82 @@ ComicInfoView - + Main character or team Personaje principal o equipo - + Teams Equipos - + Locations Lugares - + Authors Autores - + writer escritor - + penciller dibujante - + inker entintador - + colorist colorista - + letterer rotulista - + cover artist artista de portada - + editor editor - + imprint sello editorial - + Publisher Editorial - + color color - + b/w b/n - + Characters Personajes @@ -239,7 +363,7 @@ no - no + No @@ -259,7 +383,7 @@ Volume - Volúmen + Volumen @@ -305,74 +429,82 @@ ComicVineDialog - + back atrás - + next siguiente - + skip omitir - + close cerrar - - + + Retrieving tags for : %1 Recuperando etiquetas para : %1 - + Looking for comic... Buscando cómic... - + search buscar - - - + + + Looking for volume... Buscando volumen... - - + + comic %1 of %2 - %3 cómic %1 de %2 - %3 - + %1 comics selected - %1 comics seleccionados + %1 cómics seleccionados - + Error connecting to ComicVine Error conectando a ComicVine - + Retrieving volume info... - Recuperando imformación del volumen... + Recuperando información del volumen... + + + + ContinuousPageWidget + + + Loading page %1 + Cargando página %1 CreateLibraryDialog - + Create new library Crear la nueva biblioteca @@ -392,7 +524,7 @@ Crear una biblioteca puede llevar varios minutos. Puedes parar el proceso en cualquier momento y completar la tarea más tarde. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder La ruta seleccionada no existe o no es válida. Asegúrate de que tienes privilegios de escritura en esta carpeta @@ -407,7 +539,7 @@ Nombre de la biblioteca : - + Path not found Ruta no encontrada @@ -430,12 +562,12 @@ Configuración de atajos - + Shortcut in use Atajo en uso - + The shortcut "%1" is already assigned to other function El atajo "%1" ya está asignado a otra función @@ -443,26 +575,27 @@ EmptyFolderWidget - - Subfolders in this folder - Subcarpetas en esta carpeta + Subcarpetas en esta carpeta - Empty folder - Carpeta vacía + Carpeta vacía - Drag and drop folders and comics here - Arrastra y suelta carpetas y cómics aquí + Arrastra y suelta carpetas y cómics aquí + + + + This folder doesn't contain comics yet + Esta carpeta aún no contiene cómics EmptyLabelWidget - + This label doesn't contain comics yet Esta etiqueta aún no contiene ningún cómic @@ -475,6 +608,24 @@ Esta lista de tectura aún no contiene ningún cómic + + EmptySpecialListWidget + + + No favorites + Ningún favorito + + + + You are not reading anything yet, come on!! + No estás leyendo nada aún, ¡vamos! + + + + There are no recent comics! + ¡No hay comics recientes! + + ExportComicsInfoDialog @@ -483,7 +634,7 @@ Archivo de salida : - + Destination database name Nombre de la base de datos de destino @@ -498,17 +649,17 @@ Crear - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder La ruta seleccionada para el archivo de salida no existe o no es una ruta válida. Asegúrate de que tienes permisos de escritura en esta carpeta - + Export comics info Exportar información de los cómics - + Problem found while writing Problema encontrado mientras se escribía @@ -526,7 +677,7 @@ Crear - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder La ruta seleccionada para el archivo de salida no existe o no es una ruta válida. Asegúrate de que tienes permisos de escritura en esta carpeta @@ -536,17 +687,17 @@ Carpeta de destino : - + Problem found while writing Problema encontrado mientras se escribía - + Create covers package Crear paquete de portadas - + Destination directory Carpeta de destino @@ -577,7 +728,7 @@ FolderContentView - + Continue Reading... Continúa leyendo... @@ -585,15 +736,51 @@ FolderContentView6 - Continue Reading... - Continúa leyendo... + Continúa leyendo... + + + + GoToDialog + + + Page : + Página : + + + + Go To + Ir a + + + + Cancel + Cancelar + + + + + Total pages : + Páginas totales : + + + + Go to... + Ir a... + + + + GoToFlowToolBar + + + Page : + Página : GridComicsView - + Show info Mostrar información @@ -601,17 +788,17 @@ HelpAboutDialog - + Help Ayuda - + System info Información de systema - + About Acerca de @@ -639,7 +826,7 @@ Importar información de cómics - + Comics info file (*.ydb) Archivo de información de cómics (*.ydb) @@ -662,9 +849,9 @@ Desempaquetar - + Compresed library covers (*.clc) - Compresed library covers (*.clc) + Portadas de biblioteca comprimidas (*.clc) @@ -677,7 +864,7 @@ Nombre de la biblioteca : - + Extract a catalog Extraer un catálogo @@ -685,52 +872,52 @@ ImportWidget - + stop parar - + Importing comics Importando cómics - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary está creando una nueva biblioteca.</p><p>Crear una biblioteca puede llevar varios minutos. Puedes parar el proceso en cualquier momento y actualizar la biblioteca más tarde para completar el proceso.</p> - + Some of the comics being added... Algunos de los cómics que estan siendo añadidos.... - + Updating the library Actualizando la biblioteca - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>La biblioteca actual está siendo actualizada. Para actualizaciones más rápidas, por favor, actualiza tus bibliotecas frecuentemente.</p><p>Puedes parar el proceso y continunar la actualización más tarde.</p> - + Upgrading the library Actualizando la biblioteca - + <p>The current library is being upgraded, please wait.</p> <p>La biblioteca actual está siendo actualizadad, espera por favor.</p> - + Scanning the library Escaneando la biblioteca - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> <p>La biblioteca está siendo escaneada para encontrar metadatos en formato XML.</p><p>Sólo necesitas hacer esto una vez, y sólo si la biblioteca fue creada con YACReaderLibrary 9.8.2 o antes.</p> @@ -742,22 +929,22 @@ Editar - + The selected folder doesn't contain any library. La carpeta seleccionada no contiene ninguna biblioteca. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Esta biblioteca fue creada con una versión anterior de YACReaderLibrary. Es necesario que se actualice. ¿Deseas hacerlo ahora? - + Comic Cómic - + Error opening the library Error abriendo la biblioteca @@ -766,8 +953,8 @@ Mostrar/Ocultar marcas - - + + YACReader not found YACReader no encontrado @@ -780,12 +967,12 @@ Marcar cómic como leído - + Remove and delete metadata Eliminar y borrar metadatos - + Old library Biblioteca antigua @@ -794,12 +981,12 @@ Actualizar portada - + Set as completed Marcar como completo - + Library Librería @@ -812,7 +999,7 @@ Modo a pantalla completa on/off - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Esta biblioteca fue creada con una versión más nueva de YACReaderLibrary. ¿Deseas descargar la nueva versión ahora? @@ -825,7 +1012,7 @@ Actualizar la biblioteca seleccionada - + Library '%1' is no longer available. Do you want to remove it? La biblioteca '%1' no está disponible. ¿Deseas eliminarla? @@ -834,17 +1021,17 @@ Actualizar biblioteca - + Open folder... Abrir carpeta... - + Do you want remove ¿Deseas eliminar la biblioteca - + Set as uncompleted Marcar como incompleto @@ -853,12 +1040,12 @@ Reseteal cómic rating - + Error updating the library Error actualizando la biblioteca - + Folder Carpeta @@ -867,7 +1054,7 @@ Expandir todos los nodos - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? La biblioteca '%1' ha sido creada con una versión más antigua de YACReaderLibrary y debe ser creada de nuevo. ¿Deseas crear la biblioteca ahora? @@ -876,7 +1063,7 @@ Empaquetar portadas - + Set as read Marcar como leído @@ -897,7 +1084,7 @@ Crear una nueva biblioteca - + Library not available Biblioteca no disponible @@ -906,7 +1093,7 @@ Importar información de cómics - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. Ha habido algún problema intentando borrar los cómics selecionados. Por favor, verifica los permisos de escritura en los arhicovs seleccionados o los directorios que los conienen. @@ -915,12 +1102,12 @@ Abrir cómic actual - + YACReader Library - YACReader Library + Biblioteca YACReader - + Error creating the library Errar creando la biblioteca @@ -929,7 +1116,7 @@ Desempaquetar portadas - + Update needed Se necesita actualizar @@ -938,22 +1125,22 @@ Abrir una biblioteca existente - + Library name already exists Ya existe el nombre de la biblioteca - + There is another library with the name '%1'. Hay otra biblioteca con el nombre '%1'. - + Download new version Descargar la nueva versión - + Delete comics Borrar cómics @@ -982,7 +1169,7 @@ Desempaquetar un catálogo - + All the selected comics will be deleted from your disk. Are you sure? Todos los cómics seleccionados serán borrados de tu disco. ¿Estás seguro? @@ -991,13 +1178,13 @@ Descargar etiquetas de Comic Vine - - + + Set as unread Marcar como no leído - + Library not found Biblioteca no encontrada @@ -1010,16 +1197,16 @@ Eliminar biblioteca - - - + + + manga - manga + historieta manga - - - + + + comic cómic @@ -1032,9 +1219,9 @@ Marcar número como manga occidental - - - + + + web comic cómic web @@ -1044,7 +1231,7 @@ yonkoma - yonkoma + tira yonkoma Set issue as yonkoma @@ -1059,9 +1246,9 @@ Mostrar o ocultar el indicador reciente - - - + + + western manga (left to right) manga occidental (izquierda a derecha) @@ -1070,26 +1257,26 @@ Abrir carpeta contenedora... - - + + Unable to delete No se ha podido borrar - - - + + + 4koma (top to botom) 4koma (top to botom 4koma (de arriba a abajo) - + library? ? - + Are you sure? ¿Estás seguro? @@ -1098,7 +1285,7 @@ Guardar las portadas seleccionadas en... - + Rescan library for XML info Volver a escanear la biblioteca en busca de información XML @@ -1123,7 +1310,7 @@ Mostrar u ocultar marcas - + Add new folder Añadir carpeta @@ -1132,7 +1319,7 @@ Añadir carpeta a la biblioteca actual - + Delete folder Borrar carpeta @@ -1173,7 +1360,7 @@ Salir - + Update folder Actualizar carpeta @@ -1230,118 +1417,118 @@ Añadir cómics seleccionados a la lista de favoritos - + Upgrade failed La actualización falló - + There were errors during library upgrade in: Hubo errores durante la actualización de la biblioteca en: - - + + Copying comics... Copiando cómics... - - + + Moving comics... Moviendo cómics... - + Folder name: Nombre de la carpeta: - + No folder selected No has selecionado ninguna carpeta - + Please, select a folder first Por favor, selecciona una carpeta primero - + Error in path Error en la ruta - + There was an error accessing the folder's path Hubo un error al acceder a la ruta de la carpeta - + The selected folder and all its contents will be deleted from your disk. Are you sure? ¿Estás seguro de que deseas eliminar la carpeta seleccionada y todo su contenido de tu disco? - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. Se produjo un problema al intentar eliminar las carpetas seleccionadas. Por favor, verifica los permisos de escritura y asegúrate de que no haya aplicaciones usando estas carpetas o alguno de los archivos contenidos en ellas. - + Add new reading lists Añadir nuevas listas de lectura - - + + List name: Nombre de la lista: - + Delete list/label Eliminar lista/etiqueta - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? El elemento seleccionado se eliminará, tus cómics o carpetas NO se eliminarán de tu disco. ¿Estás seguro? - + Rename list name Renombrar lista - - - - + + + + Set type Establecer tipo - + Set custom cover Establecer portada personalizada - + Delete custom cover Eliminar portada personalizada - + Save covers Guardar portadas - + You are adding too many libraries. Estás añadiendo demasiadas bibliotecas. - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1350,67 +1537,67 @@ YACReaderLibrary will not stop you from creating more libraries but you should k Estás añadiendo demasiadas bibliotecas.\n\nProbablemente solo necesites una biblioteca en la carpeta principal de tus cómics, puedes explorar cualquier subcarpeta utilizando la sección de carpetas en la barra lateral izquierda.\n\nYACReaderLibrary no te detendrá de crear más bibliotecas, pero deberías mantener el número de bibliotecas bajo control. - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. YACReader no encontrado. YACReader debería estar instalado en la misma carpeta que YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. YACReader no encontrado. Podría haber un problema con tu instalación de YACReader. - + Error - Error + Fallo - + Error opening comic with third party reader. Error al abrir el cómic con una aplicación de terceros. - + Library info Información de la biblioteca - + Assign comics numbers Asignar números a los cómics - + Assign numbers starting in: Asignar números comenzando en: - + Invalid image Imagen inválida - + The selected file is not a valid image. El archivo seleccionado no es una imagen válida. - + Error saving cover Error guardando portada - + There was an error saving the cover image. Hubo un error guardando la image de portada. - + Remove comics Eliminar cómics - + Comics will only be deleted from the current label/list. Are you sure? Los cómics sólo se eliminarán de la etiqueta/lista actual. ¿Estás seguro? @@ -1418,437 +1605,437 @@ YACReaderLibrary will not stop you from creating more libraries but you should k LibraryWindowActions - + Create a new library Crear una nueva biblioteca - + Open an existing library Abrir una biblioteca existente - - + + Export comics info Exportar información de los cómics - - + + Import comics info Importar información de cómics - + Pack covers Empaquetar portadas - + Pack the covers of the selected library Empaquetar las portadas de la biblioteca seleccionada - + Unpack covers Desempaquetar portadas - + Unpack a catalog Desempaquetar un catálogo - + Update library Actualizar biblioteca - + Update current library Actualizar la biblioteca seleccionada - + Rename library Renombrar biblioteca - + Rename current library Renombrar la biblioteca seleccionada - + Remove library Eliminar biblioteca - + Remove current library from your collection Eliminar biblioteca de la colección - + Rescan library for XML info Volver a escanear la biblioteca en busca de información XML - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. Intenta encontrar información XML incrustada en los archivos de cómic. Solo necesitas hacer esto si la biblioteca fue creada con la versión 9.8.2 o versiones anteriores o si estás utilizando software de terceros para incrustar información XML en los archivos. - + Show library info Mostrar información de la biblioteca - + Show information about the current library Mostrar información de la biblioteca actual - + Open current comic Abrir cómic actual - + Open current comic on YACReader Abrir el cómic actual en YACReader - + Save selected covers to... Guardar las portadas seleccionadas en... - + Save covers of the selected comics as JPG files Guardar las portadas de los cómics seleccionados como archivos JPG - - + + Set as read Marcar como leído - + Set comic as read Marcar cómic como leído - - + + Set as unread Marcar como no leído - + Set comic as unread Marcar cómic como no leído - - + + manga - manga + historieta manga - + Set issue as manga Marcar número como manga - - + + comic cómic - + Set issue as normal Marcar número como cómic - + western manga manga occidental - + Set issue as western manga Marcar número como manga occidental - - + + web comic cómic web - + Set issue as web comic Marcar número como cómic web - - + + yonkoma - yonkoma + tira yonkoma - + Set issue as yonkoma Marcar número como yonkoma - + Show/Hide marks Mostrar/Ocultar marcas - + Show or hide read marks Mostrar u ocultar marcas - + Show/Hide recent indicator Mostrar/Ocultar el indicador reciente - + Show or hide recent indicator Mostrar o ocultar el indicador reciente - - + + Fullscreen mode on/off Modo a pantalla completa on/off - + Help, About YACReader Ayuda, A cerca de... YACReader - + Add new folder Añadir carpeta - + Add new folder to the current library Añadir carpeta a la biblioteca actual - + Delete folder Borrar carpeta - + Delete current folder from disk Borrar carpeta actual del disco - + Select root node Seleccionar el nodo raíz - + Expand all nodes Expandir todos los nodos - + Collapse all nodes Contraer todos los nodos - + Show options dialog Mostrar opciones - + Show comics server options dialog - + Mostrar el diálogo de opciones del servidor de cómics - - + + Change between comics views Cambiar entre vistas de cómics - + Open folder... Abrir carpeta... - + Set as uncompleted Marcar como incompleto - + Set as completed Marcar como completo - + Set custom cover Establecer portada personalizada - + Delete custom cover Eliminar portada personalizada - + western manga (left to right) manga occidental (izquierda a derecha) - + Open containing folder... Abrir carpeta contenedora... - + Reset comic rating Reseteal cómic rating - + Select all comics Seleccionar todos los cómics - + Edit Editar - + Assign current order to comics Asignar el orden actual a los cómics - + Update cover Actualizar portada - + Delete selected comics Borrar los cómics seleccionados - + Delete metadata from selected comics Borrar metadatos de los cómics seleccionados - + Download tags from Comic Vine Descargar etiquetas de Comic Vine - + Focus search line Selecionar el campo de búsqueda - + Focus comics view Selecionar la vista de cómics - + Edit shortcuts Editar atajos - + &Quit - Salir + &Salir - + Update folder Actualizar carpeta - + Update current folder Actualizar carpeta actual - + Scan legacy XML metadata Escaneal metadatos XML - + Add new reading list Añadir lista de lectura - + Add a new reading list to the current library Añadir una nueva lista de lectura a la biblioteca actual - + Remove reading list Eliminar lista de lectura - + Remove current reading list from the library Eliminar la lista de lectura actual de la biblioteca - + Add new label Añadir etiqueta - + Add a new label to this library Añadir etiqueta a esta biblioteca - + Rename selected list Renombrar la lista seleccionada - + Rename any selected labels or lists Renombrar las etiquetas o listas seleccionadas - + Add to... Añadir a... - + Favorites Favoritos - + Add selected comics to favorites list Añadir cómics seleccionados a la lista de favoritos @@ -1864,194 +2051,197 @@ YACReaderLibrary will not stop you from creating more libraries but you should k LogWindow - - Log window - - - - &Pause - &Pausar - - - - &Save - - - - - C&lear - - - - - &Copy - - - - - Level: - - - - - &Auto scroll - + &Pausar NoLibrariesWidget - + create your first library crea tu primera biblioteca - + You don't have any libraries yet Aún no tienes ninguna biblioteca - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>Puedes crear una biblioteca en cualquier carpeta, YACReaderLibrary importará todos las carpetas y cómics de esa carpeta. Si has creado alguna biblioteca anteriormente, puedes abrirla sin volver a crearla.</p><p>No olvides que puedes usar YACReader como una aplicación independiente para leer los cómics en tu ordenador.</p> - + add an existing one añade una existente + + NoSearchResultsWidget + + + No results + Sin resultados + + OptionsDialog - + + + Appearance + Apariencia + + + + Options Opciones - + + + Language + Idioma + + + + + Application language + Idioma de la aplicación + + + + + System default + Predeterminado del sistema + + + Tray icon settings (experimental) Opciones de bandeja de sistema (experimental) - + Close to tray Cerrar a la bandeja - + Start into the system tray Comenzar en la bandeja de sistema - + Edit Comic Vine API key Editar la clave API de Comic Vine - + Comic Vine API key Clave API de Comic Vine - + ComicInfo.xml legacy support Soporte para ComicInfo.xml - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics Importar metadatos desde ComicInfo.xml al añadir nuevos cómics - + Consider 'recent' items added or updated since X days ago Considerar elementos 'recientes' añadidos o actualizados desde hace X días - + Third party reader Lector externo - + Write {comic_file_path} where the path should go in the command Escribe {comic_file_path} donde la ruta al cómic debería ir en el comando - + + Clear Borrar - + Update libraries at startup Actualizar bibliotecas al inicio - + Try to detect changes automatically Intentar detectar cambios automáticamente - + Update libraries periodically Actualizar bibliotecas periódicamente - + Interval: Intervalo: - + 30 minutes 30 minutos - + 1 hour 1 hora - + 2 hours 2 horas - + 4 hours 4 horas - + 8 hours 8 horas - + 12 hours 12 horas - + daily dirariamente - + Update libraries at certain time Actualizar bibliotecas en un momento determinado - + Time: Hora: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2062,166 +2252,338 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ¡ADVERTENCIA! Durante las actualizaciones de la biblioteca se desactivan las escrituras en la base de datos. No programes actualizaciones mientras puedas estar usando la aplicación activamente. Durante las actualizaciones automáticas, la aplicación bloqueará algunas de las acciones hasta que la actualización esté terminada. Para detener una actualización automática, toca en el indicador de carga junto al título de Bibliotecas. - + Modifications detection Detección de modificaciones - + Compare the modified date of files when updating a library (not recommended) Comparar la fecha de modificación de los archivos al actualizar una biblioteca (no recomendado) - + Enable background image Activar imagen de fondo - + Opacity level Nivel de opacidad - + Blur level Nivel de desenfoque - + Use selected comic cover as background Usar la portada del cómic seleccionado como fondo - + Restore defautls Restaurar valores predeterminados - + Background Fondo - + Display continue reading banner Mostrar banner de "Continuar leyendo" - + Display current comic banner Mostar el báner del cómic actual - + Continue reading Continuar leyendo - + Comic Flow - Comic Flow + Flujo cómico - - + + Libraries Bibliotecas - + Grid view Vista en cuadrícula - + + General - General + Opciones generales - - - PropertiesDialog - - Day: - Día: + + My comics path + Ruta a mis cómics - - Plot - Argumento + + Display + Visualización - - Size: - Tamaño: + + Show time in current page information label + Mostrar la hora en la etiqueta de información de la página actual - - Year: - Año: + + "Go to flow" size + Tamaño de "Go to flow" - - Inker(s): - Entintador(es): + + Background color + Color de fondo - - Publishing - Publicación + + Choose + Elegir - - Publisher: - Editorial: + + Scroll behaviour + Comportamiento del scroll - - General info - Información general + + Disable scroll animations and smooth scrolling + Desactivar animaciones de desplazamiento y desplazamiento suave - - Color/BW: - Color/BN: + + Do not turn page using scroll + No cambiar de página usando el scroll - - Edit selected comics information - Editar la información de los cómics seleccionados + + Use single scroll step to turn page + Usar un solo paso de desplazamiento para cambiar de página - - Penciller(s): - Dibujant(es): + + Mouse mode + Modo del ratón - - Colorist(s): - Color: + + Only Back/Forward buttons can turn pages + Solo los botones Atrás/Adelante pueden cambiar de página - - Genre: - Género: + + Use the Left/Right buttons to turn pages. + Usar los botones Izquierda/Derecha para cambiar de página. - - Notes - Notas + + Click left or right half of the screen to turn pages. + Hacer clic en la mitad izquierda o derecha de la pantalla para cambiar de página. - - Load previous page as cover - Cargar página anterior como portada + + Quick Navigation Mode + Modo de navegación rápida - - Load next page as cover - Cargar página siguiente como portada + + Disable mouse over activation + Desactivar activación al pasar el ratón - + + Brightness + Brillo + + + + Contrast + Contraste + + + + Gamma + Gama + + + + Reset + Restablecer + + + + Image options + Opciones de imagen + + + + Fit options + Opciones de ajuste + + + + Enlarge images to fit width/height + Ampliar imágenes para ajustarse al ancho/alto + + + + Double Page options + Opciones de doble página + + + + Show covers as single page + Mostrar portadas como página única + + + + Scaling + Escalado + + + + Scaling method + Método de escalado + + + + Nearest (fast, low quality) + Vecino más cercano (rápido, baja calidad) + + + + Bilinear + Bilineal + + + + Lanczos (better quality) + Lanczos (mejor calidad) + + + + Page Flow + Flujo de página + + + + Image adjustment + Ajustes de imagen + + + + + Restart is needed + Es necesario reiniciar + + + + Comics directory + Directorio de cómics + + + + PropertiesDialog + + + Day: + Día: + + + + Plot + Argumento + + + + Size: + Tamaño: + + + + Year: + Año: + + + + Inker(s): + Entintador(es): + + + + Publishing + Publicación + + + + Publisher: + Editorial: + + + + General info + Información general + + + + Color/BW: + Color/BN: + + + + Edit selected comics information + Editar la información de los cómics seleccionados + + + + Penciller(s): + Dibujant(es): + + + + Colorist(s): + Color: + + + + Genre: + Género: + + + + Notes + Notas + + + + Load previous page as cover + Cargar página anterior como portada + + + + Load next page as cover + Cargar página siguiente como portada + + + Reset cover to the default image Restaurar la portada por defecto @@ -2233,7 +2595,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Series: - Series: + Serie: @@ -2413,6 +2775,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Número de arco: + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + \nYACReaderLibraryServer es la versión sin interfaz gráfica (headless) de YACReaderLibrary.\n\nEsta aplicación admite ajustes persistentes; para configurarlos, edita este archivo %1\nPara conocer los ajustes disponibles, consulta la documentación en https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + QObject @@ -2428,89 +2802,107 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Trace - + Traza Debug - + Depuración Info - + Información Warning - + Advertencia Error - + Fallo Fatal - + Cr?tico - + Select custom cover - + Seleccionar portada personalizada - + Images (%1) - + Imágenes (%1) + + + + The file could not be read or is not valid JSON. + No se pudo leer el archivo o no es un JSON válido. + + + + This theme is for %1, not %2. + Este tema es para %1, no para %2. + + + + Libraries + Bibliotecas + + + + Folders + Carpetas + + + + Reading Lists + Listas de lectura QsLogging::LogWindowModel - Time - Hora + Hora - Level - Nivel + Nivel - Message - Mensaje + Mensaje QsLogging::Window - &Pause - &Pausar + &Pausar - &Resume - &Restaurar + &Restaurar - Save log - Guardar log + Guardar log - Log file (*.log) - Archivo de log (*.log) + Archivo de log (*.log) RenameLibraryDialog - + Rename current library Renombrar la biblioteca seleccionada @@ -2533,18 +2925,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of %1 found : %2 Número de %1 encontrados : %2 - - + + page %1 of %2 página %1 de %2 - + Number of volumes found : %1 Número de volúmenes encontrados : %1 @@ -2558,12 +2950,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Por favor, proporciona alguna información adicional para éste cómic. - + Series: - Series: + Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. Usar búsqueda exacta. Desactívala si quieres encontrar volúmenes que coincidan con algunas palabras del nombre. @@ -2576,12 +2968,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Por favor, proporciona alguna informacion adicional. - + Series: - Series: + Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. Usar búsqueda exacta. Desactívala si queires buscar volúmenes que coincidan con algunas de las palabras del nombre. @@ -2589,27 +2981,27 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectComic - + loading description cargando descripción - + comics cómics - + loading cover cargando portada - + comic description unavailable Descripción del cómic no disponible - + Please, select the right comic info. Por favor, selecciona la información correcta. @@ -2621,37 +3013,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + loading description cargando descripción - + Please, select the right series for your comic. Por favor, seleciona la serie correcta para tu cómic. - + Filter: Filtro: - + Nothing found, clear the filter if any. No se encontró nada, limpia el filtro si lo hubiera. - + loading cover cargando portada - + volume description unavailable Descripción del volumen no disponible - + volumes volúmenes @@ -2663,12 +3055,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SeriesQuestion - + no - no + No - + yes @@ -2681,37 +3073,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + Port Puerto - + enable the server activar el servidor - + set port fijar puerto - + Server connectivity information Infomación de conexión del servidor - + Scan it! ¡Escaneálo! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. YACReader está disponible para iOS y Android.<br/> Descúbrela para <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a>o <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address Elige una dirección IP @@ -2719,322 +3111,1164 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SortVolumeComics - + remove selected comics eliminar cómics seleccionados - + sort comics to match comic information ordena los cómics para coincidir con la información - + restore all removed comics restaurar todos los cómics eliminados - + issues números - + Please, sort the list of comics on the left until it matches the comics' information. Por favor, ordena la lista de cómics en la izquiera hasta que coincida con la información adecuada. - TitleHeader + ThemeEditorDialog - - SEARCH - BUSCAR + + Theme Editor + Editor de temas - - - UpdateLibraryDialog - - Update library - Actualizar biblioteca + + + + + - - Cancel - Cancelar + + - + - - - Updating.... - Actualizado... + + i + ? - - - VolumeComicsModel - - title - título + + Expand all + Expandir todo - - - VolumesModel - - year - año + + Collapse all + Contraer todo - - issues - números + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Mantén pulsado para resaltar temporalmente el valor seleccionado en la interfaz (magenta / alternado / 0↔10). Al soltar se restaura el original. - - publisher - editor + + Search… + Buscar… - - - YACReader::TrayIconController - - &Restore - &Restaurar + + Light + Luz - - Systray - Bandeja del sistema + + Dark + Oscuro - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - YACReaderLibrary se continuará ejecutando en la bandeja del sistema. Para cerrar el programa elige <b>Cerrar</b> en el menú contextual del icono de la applicación en la bandeja del sistema. + + ID: + IDENTIFICACIÓN: - - - YACReader::WhatsNewDialog - - Close - Cerrar + + Display name: + Nombre para mostrar: - - - YACReaderFieldEdit - - Restore to default - Restaurar valor por defecto + + Variant: + Variante: - - - Click to overwrite - Click para sobreescribir + + Theme info + Información del tema - - - YACReaderFieldPlainTextEdit - - Restore to default - Restaurar valor por defecto + + Parameter + Parámetro - - - - - Click to overwrite - Click para sobreescribir + + Value + Valor - - - YACReaderFlowConfigWidget - - CoverFlow look - Tipo CoverFlow + + Save and apply + Guardar y aplicar - - How to show covers: - Cómo mostrar las portadas: + + Export to file... + Exportar a archivo... - - Stripe look - Tipo tira + + Load from file... + Cargar desde archivo... - - Overlapped Stripe look - Tipo tira solapada + + Close + Cerrar - - - YACReaderGLFlowConfigWidget - - Zoom - Zoom + + Double-click to edit color + Doble clic para editar el color - - Light - Luz + + + + + + + true + verdadero - - Show advanced settings - Opciones avanzadas + + + + + false + falso - - Roulette look - Tipo ruleta + + Double-click to toggle + Doble clic para alternar - - Cover Angle - Ángulo de las portadas + + Double-click to edit value + Doble clic para editar el valor - - Stripe look - Tipo tira + + + + Edit: %1 + Editar: %1 - - Position - Posición + + Save theme + Guardar tema - - Z offset - Desplazamiento en Z + + + JSON files (*.json);;All files (*) + Archivos JSON (*.json);;Todos los archivos (*) - - Y offset - Desplazamiento en Y + + Save failed + Error al guardar - - Central gap - Hueco central + + Could not open file for writing: +%1 + No se pudo abrir el archivo para escribir:\n%1 - - Presets: - Predeterminados: + + Load theme + Cargar tema - - Overlapped Stripe look - Tipo tira solapada + + + + Load failed + Error al cargar - - Modern look - Tipo moderno + + Could not open file: +%1 + No se pudo abrir el archivo:\n%1 - - View angle + + Invalid JSON: +%1 + JSON no válido:\n%1 + + + + Expected a JSON object. + Se esperaba un objeto JSON. + + + + TitleHeader + + + SEARCH + BUSCAR + + + + UpdateLibraryDialog + + + Update library + Actualizar biblioteca + + + + Cancel + Cancelar + + + + Updating.... + Actualizado... + + + + Viewer + + + + Press 'O' to open comic. + Pulsa 'O' para abrir un fichero. + + + + Not found + No encontrado + + + + Comic not found + Cómic no encontrado + + + + Error opening comic + Error abriendo cómic + + + + CRC Error + Error CRC + + + + Loading...please wait! + Cargando...espere, por favor! + + + + Page not available! + ¡Página no disponible! + + + + Cover! + ¡Portada! + + + + Last page! + ¡Última página! + + + + VolumeComicsModel + + + title + título + + + + VolumesModel + + + year + año + + + + issues + números + + + + publisher + editor + + + + YACReader3DFlowConfigWidget + + + Presets: + Predeterminados: + + + + Classic look + Tipo clásico + + + + Stripe look + Tipo tira + + + + Overlapped Stripe look + Tipo tira solapada + + + + Modern look + Tipo moderno + + + + Roulette look + Tipo ruleta + + + + Show advanced settings + Opciones avanzadas + + + + Custom: + Personalizado: + + + + View angle Ángulo de vista - + + Position + Posición + + + + Cover gap + Hueco entre portadas + + + + Central gap + Hueco central + + + + Zoom + Ampliaci?n + + + + Y offset + Desplazamiento en Y + + + + Z offset + Desplazamiento en Z + + + + Cover Angle + Ángulo de las portadas + + + + Visibility + Visibilidad + + + + Light + Luz + + + + Max angle + Ángulo máximo + + + + Low Performance + Rendimiento bajo + + + + High Performance + Alto rendimiento + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Usar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) + + + + Performance: + Rendimiento: + + + + YACReader::MainWindowViewer + + + &Open + &Abrir + + + + Open a comic + Abrir cómic + + + + New instance + Nueva instancia + + + + Open Folder + Abrir carpeta + + + + Open image folder + Abrir carpeta de imágenes + + + + Open latest comic + Abrir el cómic más reciente + + + + Open the latest comic opened in the previous reading session + Abrir el cómic más reciente abierto en la sesión de lectura anterior + + + + Clear + Borrar + + + + Clear open recent list + Limpiar lista de abiertos recientemente + + + + Save + Guardar + + + + + Save current page + Guardar la página actual + + + + Previous Comic + Cómic anterior + + + + + + Open previous comic + Abrir cómic anterior + + + + Next Comic + Siguiente Cómic + + + + + + Open next comic + Abrir siguiente cómic + + + + &Previous + A&nterior + + + + + + Go to previous page + Ir a la página anterior + + + + &Next + Siguie&nte + + + + + + Go to next page + Ir a la página siguiente + + + + Fit Height + Ajustar altura + + + + Fit image to height + Ajustar página a lo alto + + + + Fit Width + Ajustar anchura + + + + Fit image to width + Ajustar página a lo ancho + + + + Show full size + Mostrar a tamaño original + + + + Fit to page + Ajustar a página + + + + Continuous scroll + Desplazamiento continuo + + + + Switch to continuous scroll mode + Cambiar al modo de desplazamiento continuo + + + + Reset zoom + Restablecer zoom + + + + Show zoom slider + Mostrar control deslizante de zoom + + + + Zoom+ + Ampliar+ + + + + Zoom- + Reducir + + + + Rotate image to the left + Rotar imagen a la izquierda + + + + Rotate image to the right + Rotar imagen a la derecha + + + + Double page mode + Modo a doble página + + + + Switch to double page mode + Cambiar a modo de doble página + + + + Double page manga mode + Modo de manga de página doble + + + + Reverse reading order in double page mode + Invertir el orden de lectura en modo de página doble + + + + Go To + Ir a + + + + Go to page ... + Ir a página... + + + + Options + Opciones + + + + YACReader options + Opciones de YACReader + + + + + Help + Ayuda + + + + Help, About YACReader + Ayuda, A cerca de... YACReader + + + + Magnifying glass + Lupa + + + + Switch Magnifying glass + Lupa On/Off + + + + Set bookmark + Añadir marcador + + + + Set a bookmark on the current page + Añadir un marcador en la página actual + + + + Show bookmarks + Mostrar marcadores + + + + Show the bookmarks of the current comic + Mostrar los marcadores del cómic actual + + + + Show keyboard shortcuts + Mostrar atajos de teclado + + + + Show Info + Mostrar información + + + + Close + Cerrar + + + + Show Dictionary + Mostrar diccionario + + + + Show go to flow + Mostrar flow ir a + + + + Edit shortcuts + Editar atajos + + + + &File + &Archivo + + + + + Open recent + Abrir reciente + + + + File + Archivo + + + + Edit + Editar + + + + View + Ver + + + + Go + Ir + + + + Window + Ventana + + + + + + Open Comic + Abrir cómic + + + + + + Comic files + Archivos de cómic + + + + Open folder + Abrir carpeta + + + + page_%1.jpg + página_%1.jpg + + + + Image files (*.jpg) + Archivos de imagen (*.jpg) + + + + + Comics + Cómics + + + + + General + Opciones generales + + + + + Magnifiying glass + Lupa + + + + + Page adjustement + Ajuste de página + + + + + Reading + Leyendo + + + + Toggle fullscreen mode + Alternar modo de pantalla completa + + + + Hide/show toolbar + Ocultar/mostrar barra de herramientas + + + + Size up magnifying glass + Aumentar tamaño de la lupa + + + + Size down magnifying glass + Disminuir tamaño de lupa + + + + Zoom in magnifying glass + Incrementar el aumento de la lupa + + + + Zoom out magnifying glass + Reducir el aumento de la lupa + + + + Reset magnifying glass + Resetear lupa + + + + Toggle between fit to width and fit to height + Alternar entre ajuste al ancho y ajuste al alto + + + + Autoscroll down + Desplazamiento automático hacia abajo + + + + Autoscroll up + Desplazamiento automático hacia arriba + + + + Autoscroll forward, horizontal first + Desplazamiento automático hacia adelante, primero horizontal + + + + Autoscroll backward, horizontal first + Desplazamiento automático hacia atrás, primero horizontal + + + + Autoscroll forward, vertical first + Desplazamiento automático hacia adelante, primero vertical + + + + Autoscroll backward, vertical first + Desplazamiento automático hacia atrás, primero vertical + + + + Move down + Mover abajo + + + + Move up + Mover arriba + + + + Move left + Mover a la izquierda + + + + Move right + Mover a la derecha + + + + Go to the first page + Ir a la primera página + + + + Go to the last page + Ir a la última página + + + + Offset double page to the left + Mover una página a la izquierda + + + + Offset double page to the right + Mover una página a la derecha + + + + There is a new version available + Hay una nueva versión disponible + + + + Do you want to download the new version? + ¿Desea descargar la nueva versión? + + + + Remind me in 14 days + Recordar en 14 días + + + + Not now + Ahora no + + + + YACReader::TrayIconController + + + &Restore + &Restaurar + + + + Systray + Bandeja del sistema + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary se continuará ejecutando en la bandeja del sistema. Para cerrar el programa elige <b>Cerrar</b> en el menú contextual del icono de la aplicación en la bandeja del sistema. + + + + YACReader::WhatsNewDialog + + Close + Cerrar + + + + YACReaderFieldEdit + + + Restore to default + Restaurar valor por defecto + + + + + Click to overwrite + Clic para sobrescribir + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Restaurar valor por defecto + + + + + + + Click to overwrite + Clic para sobrescribir + + + + YACReaderFlowConfigWidget + + CoverFlow look + Tipo CoverFlow + + + How to show covers: + Cómo mostrar las portadas: + + + Stripe look + Tipo tira + + + Overlapped Stripe look + Tipo tira solapada + + + + YACReaderGLFlowConfigWidget + + Zoom + Ampliaci?n + + + Light + Luz + + + Show advanced settings + Opciones avanzadas + + + Roulette look + Tipo ruleta + + + Cover Angle + Ángulo de las portadas + + + Stripe look + Tipo tira + + + Position + Posición + + + Z offset + Desplazamiento en Z + + + Y offset + Desplazamiento en Y + + + Central gap + Hueco central + + + Presets: + Predeterminados: + + + Overlapped Stripe look + Tipo tira solapada + + + Modern look + Tipo moderno + + + View angle + Ángulo de vista + + Max angle - Ángulo máximo + Ángulo máximo - Custom: - Personalizado: + Personalizado: - Classic look - Tipo clásico + Tipo clásico - Cover gap - Hueco entre portadas + Hueco entre portadas - High Performance - Alto rendimiento + Alto rendimiento - Performance: - Rendimiento: + Rendimiento: - Use VSync (improve the image quality in fullscreen mode, worse performance) - Usar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) + Usar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) - Visibility - Visibilidad + Visibilidad - Low Performance - Rendimiento bajo + Rendimiento bajo YACReaderNavigationController - No favorites - Ningún favorito + Ningún favorito - You are not reading anything yet, come on!! - No estás leyendo nada aún, ¡vamos! + No estás leyendo nada aún, ¡vamos! - There are no recent comics! - ¡No hay comics recientes! + ¡No hay comics recientes! YACReaderOptionsDialog - + Save Guardar - Use hardware acceleration (restart needed) - Usar aceleración por hardware (necesario reiniciar) + Usar aceleración por hardware (necesario reiniciar) - + Cancel Cancelar - + Edit shortcuts Editar atajos - + Shortcuts Atajos @@ -3042,7 +4276,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t YACReaderSearchLineEdit - + type to search escribe para buscar @@ -3050,34 +4284,60 @@ To stop an automatic update tap on the loading indicator next to the Libraries t YACReaderSideBar - LIBRARIES - BIBLIOTECAS + BIBLIOTECAS - FOLDERS - CARPETAS + CARPETAS - Libraries - Bibliotecas + Bibliotecas - Folders - Carpetas + Carpetas - Reading Lists - Listas de lectura + Listas de lectura - READING LISTS - LISTAS DE LECTURA + LISTAS DE LECTURA + + + + YACReaderSlider + + + Reset + Restablecer + + + + YACReaderTranslator + + + YACReader translator + Traductor YACReader + + + + + Translation + Traducción + + + + clear + Limpiar + + + + Service not available + Servicio no disponible diff --git a/YACReaderLibrary/yacreaderlibrary_fr.ts b/YACReaderLibrary/yacreaderlibrary_fr.ts index 5212a1457..54b978cbc 100644 --- a/YACReaderLibrary/yacreaderlibrary_fr.ts +++ b/YACReaderLibrary/yacreaderlibrary_fr.ts @@ -12,84 +12,72 @@ AddLabelDialog - red - rouge + rouge - blue - bleu + bleu - dark - foncé + foncé - cyan - cyan + bleu cyan - pink - rose + rose - green - vert + vert - light - clair + clair - white - blanc + blanc - + Choose a color: Choisissez une couleur: - + accept accepter - + cancel Annuler - orange - orange + orang? - purple - violet + violet - violet - violet + pourpre - yellow - jaune + jaune - + Label name: - + Nom de l'étiquette : @@ -100,7 +88,7 @@ Ajouter - + Add an existing library Ajouter une librairie existante @@ -143,10 +131,150 @@ Collez ici votre clé API Comic Vine + + AppearanceTabWidget + + + Color scheme + Jeu de couleurs + + + + System + Système + + + + Light + Lumière + + + + Dark + Sombre + + + + Custom + Coutume + + + + Remove + Retirer + + + + Remove this user-imported theme + Supprimer ce thème importé par l'utilisateur + + + + Light: + Lumière: + + + + Dark: + Sombre: + + + + Custom: + Personnalisation: + + + + Import theme... + Importer le thème... + + + + Theme + Thème + + + + Theme editor + Éditeur de thème + + + + Open Theme Editor... + Ouvrir l'éditeur de thème... + + + + Theme editor error + Erreur de l'éditeur de thème + + + + The current theme JSON could not be loaded. + Le thème actuel JSON n'a pas pu être chargé. + + + + Import theme + Importer un thème + + + + JSON files (*.json);;All files (*) + Fichiers JSON (*.json);;Tous les fichiers (*) + + + + Could not import theme from: +%1 + Impossible d'importer le thème depuis : +%1 + + + + Could not import theme from: +%1 + +%2 + Impossible d'importer le thème depuis : +%1 + +%2 + + + + Import failed + Échec de l'importation + + + + BookmarksDialog + + + Lastest Page + Aller à la dernière page + + + + Close + Fermer + + + + Click on any image to go to the bookmark + Cliquez sur une image pour aller au marque-page + + + + + Loading... + Chargement... + + ClassicComicsView - + Hide comic flow Cacher le flux de bande dessinée @@ -154,82 +282,82 @@ ComicInfoView - + b/w - noir et blanc + n/b - + cover artist - couverture + dessinateur de couverture - + color couleur - + inker - encre + encreur - + penciller - dessin + dessinateur - + colorist - couleur + coloriste - + writer - scénario + scénariste - + Characters Personnages - + Main character or team - + Personnage principal ou équipe - + Teams - + Équipes - + Locations - + Emplacements - + Authors Auteurs - + editor - + éditeur - + imprint - + label éditorial - + Publisher - Editeur + Éditeur - + letterer lettreur @@ -254,17 +382,17 @@ Series - + Série Volume - + Tome Story Arc - + Arc d'histoire @@ -274,7 +402,7 @@ Pages - Pages + Feuilles @@ -294,7 +422,7 @@ Publication Date - + Date de publication @@ -305,74 +433,82 @@ ComicVineDialog - + back retour - + next suivant - + skip passer - + close fermer - - + + Retrieving tags for : %1 Retrouver les infomartions de: %1 - + Looking for comic... Vous cherchez une bande dessinée ... - + search chercher - - + + comic %1 of %2 - %3 bande dessinée %1 sur %2 - %3 - + %1 comics selected %1 bande(s) dessinnée(s) sélectionnée(s) - + Error connecting to ComicVine Erreur de connexion à Comic Vine - - - + + + Looking for volume... - + Vous cherchez du volume... - + Retrieving volume info... - + Récupération des informations sur le volume... + + + + ContinuousPageWidget + + + Loading page %1 + Chargement de la page %1 CreateLibraryDialog - + Create new library Créer une nouvelle librairie @@ -392,7 +528,7 @@ La création d'une librairie peut prendre quelques minutes. Vous pouvez arrêter le processus et continuer plus tard. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder Le chemin sélectionné n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier @@ -407,7 +543,7 @@ Nom de la librairie : - + Path not found Chemin introuvable @@ -417,52 +553,49 @@ Restore defaults - + Réinitialiser To change a shortcut, double click in the key combination and type the new keys. - + Pour modifier un raccourci, double-cliquez sur la combinaison de touches et tapez les nouvelles clés. Shortcuts settings - + Paramètres de raccourcis - + Shortcut in use - + Raccourci en cours d'utilisation - + The shortcut "%1" is already assigned to other function - + Le raccourci "%1" est déjà affecté à une autre fonction EmptyFolderWidget - - Subfolders in this folder - Sous-dossiers dans ce dossier + Sous-dossiers dans ce dossier - Drag and drop folders and comics here - Glissez et déposez les dossiers et les bandes dessinées ici + Glissez et déposez les dossiers et les bandes dessinées ici - - Empty folder - + + This folder doesn't contain comics yet + Ce dossier ne contient pas encore de bandes dessinées EmptyLabelWidget - + This label doesn't contain comics yet Ce dossier ne contient pas encore de bandes dessinées @@ -475,6 +608,24 @@ Cette liste de lecture ne contient aucune bande dessinée + + EmptySpecialListWidget + + + No favorites + Pas de favoris + + + + You are not reading anything yet, come on!! + Vous ne lisez rien encore, allez !! + + + + There are no recent comics! + Il n'y a pas de BD récente ! + + ExportComicsInfoDialog @@ -483,7 +634,7 @@ Fichier de sortie : - + Destination database name Nom de la base de données de destination @@ -498,17 +649,17 @@ Créer - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Le chemin sélectionné pour le fichier n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier - + Export comics info Exporter les infos des bandes dessinées - + Problem found while writing Problème durant l'écriture @@ -526,7 +677,7 @@ Créer - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Le chemin sélectionné pour le fichier n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier @@ -536,17 +687,17 @@ Dossier de sortie : - + Problem found while writing Problème durant l'écriture - + Create covers package Créer un pack de couvertures - + Destination directory Répertoire de destination @@ -561,57 +712,86 @@ CRC error on page (%1): some of the pages will not be displayed correctly - + Erreur CRC sur la page (%1): certaines pages ne s'afficheront pas correctement Unknown error opening the file - + Erreur inconnue lors de l'ouverture du fichier Format not supported - + Format non supporté FolderContentView - + Continue Reading... - + Continuer la lecture... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Feuille : + + + + Go To + Aller à + + + + Cancel + Annuler + + + + + Total pages : + Nombre de pages : + + + + Go to... + Aller à... + + + + GoToFlowToolBar + + + Page : + Feuille : GridComicsView - + Show info - + Afficher les informations HelpAboutDialog - + Help Aide - + System info - + Informations système - + About A propos @@ -639,7 +819,7 @@ Importer les infos des bandes dessinées - + Comics info file (*.ydb) Fichier infos BD (*.ydb) @@ -662,9 +842,9 @@ Désarchiver - + Compresed library covers (*.clc) - Compresed library covers (*.clc) + Couvertures de bibliothèque compressées (*.clc) @@ -677,7 +857,7 @@ Nom de la librairie : - + Extract a catalog Extraire un catalogue @@ -685,54 +865,54 @@ ImportWidget - + stop - Stop + Arrêter - + Importing comics Importation de bande dessinée - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary est en train de créer une nouvelle librairie.</p><p>La création d'une librairie peut prendre quelques minutes. Vous pouvez arrêter le processus et poursuivre plus tard.</p> - + Some of the comics being added... Ajout de bande dessinée... - + Updating the library Mise à jour de la librairie - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>Mise à jour de la librairie. Pour plus de rapidité lors de la mise à jour, veuillez effectuer cette dernière régulièrement.</p><p>Vous pouvez arrêter le processus et poursuivre plus tard.</p> - + Upgrading the library - + Mise à niveau de la bibliothèque - + <p>The current library is being upgraded, please wait.</p> - + <p>La bibliothèque actuelle est en cours de mise à niveau, veuillez patienter.</p> - + Scanning the library - + Scanner la bibliothèque - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>La bibliothèque actuelle est en cours d'analyse pour rechercher des informations sur les métadonnées XML héritées.</p><p>Ceci n'est nécessaire qu'une seule fois, et uniquement si la bibliothèque a été créée avec YACReaderLibrary 9.8.2 ou une version antérieure.</p> @@ -742,17 +922,17 @@ Editer - + The selected folder doesn't contain any library. Le dossier sélectionné ne contient aucune librairie. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Cette librairie a été créée avec une ancienne version de YACReaderLibrary. Mise à jour necessaire. Mettre à jour? - + Comic Bande dessinée @@ -761,7 +941,7 @@ Mettre à jour ce dossier - + Error opening the library Erreur lors de l'ouverture de la librairie @@ -782,45 +962,45 @@ Marquer cette bande dessinée comme lu - - - + + + manga - + mangas - - - + + + comic - + comique - - - + + + western manga (left to right) - + manga occidental (de gauche à droite) Add selected comics to favorites list Ajouter la bande dessinée sélectionnée à la liste des favoris - - - + + + 4koma (top to botom) 4koma (top to botom - + 4koma (de haut en bas) - + Remove and delete metadata Supprimer les métadata - + Old library Ancienne librairie @@ -829,12 +1009,12 @@ Mise à jour des couvertures - + Set as completed Marquer comme complet - + Library Librairie @@ -847,13 +1027,13 @@ Mode plein écran activé/désactivé - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Cette librairie a été créée avec une version plus récente de YACReaderLibrary. Télécharger la nouvelle version? - - + + Moving comics... Déplacer la bande dessinée... @@ -866,13 +1046,13 @@ Mettre à jour la librairie actuelle - - + + Copying comics... Copier la bande dessinée... - + Library '%1' is no longer available. Do you want to remove it? La librarie '%1' n'est plus disponible. Voulez-vous la supprimer? @@ -881,17 +1061,17 @@ Mettre la librairie à jour - + Open folder... Ouvrir le dossier... - + Do you want remove Voulez-vous supprimer - + Set as uncompleted Marquer comme incomplet @@ -900,17 +1080,17 @@ Supprimer la note d'évaluation - + Error updating the library Erreur lors de la mise à jour de la librairie - + Folder Dossier - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? L'élément sélectionné sera supprimé, vos bandes dessinées ou dossiers ne seront pas supprimés de votre disque. Êtes-vous sûr? @@ -923,7 +1103,7 @@ Ajouter à... - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? La librarie '%1' a été créée avec une ancienne version de YACReaderLibrary. Elle doit être re-créée. Voulez-vous créer la librairie? @@ -936,12 +1116,12 @@ Supprimer la liste de lecture actuelle de la bibliothèque - + Add new reading lists Ajouter de nouvelles listes de lecture - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -954,7 +1134,7 @@ Vous n'avez probablement besoin que d'une bibliothèque dans votre dos YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais vous devriez garder le nombre de bibliothèques bas. - + Set as read Marquer comme lu @@ -975,7 +1155,7 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Créer une nouvelle librairie - + Library not available Librairie non disponible @@ -996,7 +1176,7 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Ouvrir cette bande dessinée - + YACReader Library Librairie de YACReader @@ -1005,12 +1185,12 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Ajouter une nouvelle liste de lecture à la bibliothèque actuelle - + Error creating the library Erreur lors de la création de la librairie - + Update folder Mettre à jour le dossier @@ -1019,7 +1199,7 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Désarchiver les couvertures - + Update needed Mise à jour requise @@ -1032,12 +1212,12 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Afficher ou masquer les marques de lecture - + Library name already exists Le nom de la librairie existe déjà - + There is another library with the name '%1'. Une autre librairie a le nom '%1'. @@ -1046,12 +1226,12 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Supprimer la liste de lecture - + Download new version Téléchrger la nouvelle version - + Delete comics Supprimer les comics @@ -1088,7 +1268,7 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Désarchiver un catalogue - + All the selected comics will be deleted from your disk. Are you sure? Tous les comics sélectionnés vont être supprimés de votre disque. Êtes-vous sûr? @@ -1097,13 +1277,13 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Télécharger les informations de Comic Vine - - + + Set as unread Marquer comme non-lu - + Library not found Librairie introuvable @@ -1120,7 +1300,7 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Ouvrir le dossier... - + library? la librairie? @@ -1129,640 +1309,640 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v Enregistrer les couvertures des bandes dessinées sélectionnées en tant que fichiers JPG - + Are you sure? Êtes-vous sûr? - + Rescan library for XML info - + Réanalyser la bibliothèque pour les informations XML - - - + + + web comic - + bande dessinée Web - + Add new folder - + Ajouter un nouveau dossier - + Delete folder - + Supprimer le dossier - + Upgrade failed - + La mise à niveau a échoué - + There were errors during library upgrade in: - + Des erreurs se sont produites lors de la mise à niveau de la bibliothèque dans : - + Folder name: - + Nom du dossier : - + No folder selected - + Aucun dossier sélectionné - + Please, select a folder first - + Veuillez d'abord sélectionner un dossier - + Error in path - + Erreur dans le chemin - + There was an error accessing the folder's path - + Une erreur s'est produite lors de l'accès au chemin du dossier - + The selected folder and all its contents will be deleted from your disk. Are you sure? - + Le dossier sélectionné et tout son contenu seront supprimés de votre disque. Es-tu sûr? - - + + Unable to delete - + Impossible de supprimer - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. - + Un problème est survenu lors de la tentative de suppression des dossiers sélectionnés. Veuillez vérifier les autorisations d'écriture et assurez-vous que toutes les applications utilisent ces dossiers ou l'un des fichiers contenus. - - + + List name: - + Nom de la liste : - + Delete list/label - + Supprimer la liste/l'étiquette - + Rename list name - + Renommer le nom de la liste - - - - + + + + Set type - + Définir le type - + Set custom cover - + Définir une couverture personnalisée - + Delete custom cover - + Supprimer la couverture personnalisée - + Save covers - + Enregistrer les couvertures - + You are adding too many libraries. - + Vous ajoutez trop de bibliothèques. - - + + YACReader not found - + YACReader introuvable - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader introuvable. YACReader doit être installé dans le même dossier que YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. - + YACReader introuvable. Il se peut qu'il y ait un problème avec votre installation de YACReader. - + Error - + Erreur - + Error opening comic with third party reader. - + Erreur lors de l'ouverture de la bande dessinée avec un lecteur tiers. - + Library info - + Informations sur la bibliothèque - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. - + Un problème est survenu lors de la tentative de suppression des bandes dessinées sélectionnées. Veuillez vérifier les autorisations d'écriture dans les fichiers sélectionnés ou le dossier contenant. - + Assign comics numbers - + Attribuer des numéros de bandes dessinées - + Assign numbers starting in: - + Attribuez des numéros commençant par : - + Invalid image - + Image invalide - + The selected file is not a valid image. - + Le fichier sélectionné n'est pas une image valide. - + Error saving cover - + Erreur lors de l'enregistrement de la couverture - + There was an error saving the cover image. - + Une erreur s'est produite lors de l'enregistrement de l'image de couverture. - + Remove comics - + Supprimer les bandes dessinées - + Comics will only be deleted from the current label/list. Are you sure? - + Les bandes dessinées seront uniquement supprimées du label/liste actuelle. Es-tu sûr? LibraryWindowActions - + Create a new library - Créer une nouvelle librairie + Créer une nouvelle librairie - + Open an existing library - Ouvrir une librairie existante + Ouvrir une librairie existante - - + + Export comics info - Exporter les infos des bandes dessinées + Exporter les infos des bandes dessinées - - + + Import comics info - Importer les infos des bandes dessinées + Importer les infos des bandes dessinées - + Pack covers - Archiver les couvertures + Archiver les couvertures - + Pack the covers of the selected library - Archiver les couvertures de la librairie sélectionnée + Archiver les couvertures de la librairie sélectionnée - + Unpack covers - Désarchiver les couvertures + Désarchiver les couvertures - + Unpack a catalog - Désarchiver un catalogue + Désarchiver un catalogue - + Update library - Mettre la librairie à jour + Mettre la librairie à jour - + Update current library - Mettre à jour la librairie actuelle + Mettre à jour la librairie actuelle - + Rename library - Renommer la librairie + Renommer la librairie - + Rename current library - Renommer la librairie actuelle + Renommer la librairie actuelle - + Remove library - Supprimer la librairie + Supprimer la librairie - + Remove current library from your collection - Enlever cette librairie de votre collection + Enlever cette librairie de votre collection - + Rescan library for XML info - + Réanalyser la bibliothèque pour les informations XML - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Essaie de trouver des informations XML intégrées dans des fichiers de bandes dessinées. Vous ne devez le faire que si la bibliothèque a été créée avec la version 9.8.2 ou des versions antérieures ou si vous utilisez un logiciel tiers pour intégrer des informations XML dans les fichiers. - + Show library info - + Afficher les informations sur la bibliothèque - + Show information about the current library - + Afficher des informations sur la bibliothèque actuelle - + Open current comic - Ouvrir cette bande dessinée + Ouvrir cette bande dessinée - + Open current comic on YACReader - Ouvrir cette bande dessinée dans YACReader + Ouvrir cette bande dessinée dans YACReader - + Save selected covers to... - Exporter la couverture vers... + Exporter la couverture vers... - + Save covers of the selected comics as JPG files - Enregistrer les couvertures des bandes dessinées sélectionnées en tant que fichiers JPG + Enregistrer les couvertures des bandes dessinées sélectionnées en tant que fichiers JPG - - + + Set as read - Marquer comme lu + Marquer comme lu - + Set comic as read - Marquer cette bande dessinée comme lu + Marquer cette bande dessinée comme lu - - + + Set as unread - Marquer comme non-lu + Marquer comme non-lu - + Set comic as unread - Marquer cette bande dessinée comme non-lu + Marquer cette bande dessinée comme non-lu - - + + manga - + mangas - + Set issue as manga - + Définir le problème comme manga - - + + comic - + comique - + Set issue as normal - + Définir le problème comme d'habitude - + western manga - + manga occidental - + Set issue as western manga - + Définir le problème comme un manga occidental - - + + web comic - + bande dessinée Web - + Set issue as web comic - + Définir le problème comme bande dessinée Web - - + + yonkoma - + Yonkoma - + Set issue as yonkoma - + Définir le problème comme Yonkoma - + Show/Hide marks - Afficher/Cacher les marqueurs + Afficher/Cacher les marqueurs - + Show or hide read marks - Afficher ou masquer les marques de lecture + Afficher ou masquer les marques de lecture - + Show/Hide recent indicator - + Afficher/Masquer l'indicateur récent - + Show or hide recent indicator - + Afficher ou masquer l'indicateur récent - - + + Fullscreen mode on/off - Mode plein écran activé/désactivé + Mode plein écran activé/désactivé - + Help, About YACReader - Aide, à propos de YACReader + Aide, à propos de YACReader - + Add new folder - + Ajouter un nouveau dossier - + Add new folder to the current library - + Ajouter un nouveau dossier à la bibliothèque actuelle - + Delete folder - + Supprimer le dossier - + Delete current folder from disk - + Supprimer le dossier actuel du disque - + Select root node - Allerà la racine + Allerà la racine - + Expand all nodes - Afficher tous les noeuds + Afficher tous les noeuds - + Collapse all nodes - + Réduire tous les nœuds - + Show options dialog - Ouvrir la boite de dialogue + Ouvrir la boite de dialogue - + Show comics server options dialog - Ouvrir la boite de dialogue du serveur + Ouvrir la boite de dialogue du serveur - - + + Change between comics views - + Changement entre les vues de bandes dessinées - + Open folder... - Ouvrir le dossier... + Ouvrir le dossier... - + Set as uncompleted - Marquer comme incomplet + Marquer comme incomplet - + Set as completed - Marquer comme complet + Marquer comme complet - + Set custom cover - + Définir une couverture personnalisée - + Delete custom cover - + Supprimer la couverture personnalisée - + western manga (left to right) - + manga occidental (de gauche à droite) - + Open containing folder... - Ouvrir le dossier... + Ouvrir le dossier... - + Reset comic rating - Supprimer la note d'évaluation + Supprimer la note d'évaluation - + Select all comics - Sélectionner toutes les bandes dessinées + Sélectionner toutes les bandes dessinées - + Edit - Editer + Editer - + Assign current order to comics - Assigner l'ordre actuel aux bandes dessinées + Assigner l'ordre actuel aux bandes dessinées - + Update cover - Mise à jour des couvertures + Mise à jour des couvertures - + Delete selected comics - Supprimer la bande dessinée sélectionnée + Supprimer la bande dessinée sélectionnée - + Delete metadata from selected comics - + Supprimer les métadonnées des bandes dessinées sélectionnées - + Download tags from Comic Vine - Télécharger les informations de Comic Vine + Télécharger les informations de Comic Vine - + Focus search line - + Ligne de recherche ciblée - + Focus comics view - + Focus sur la vue des bandes dessinées - + Edit shortcuts - + Modifier les raccourcis - + &Quit - + &Quitter - + Update folder - Mettre à jour le dossier + Mettre à jour le dossier - + Update current folder - Mettre à jour ce dossier + Mettre à jour ce dossier - + Scan legacy XML metadata - + Analyser les métadonnées XML héritées - + Add new reading list - Ajouter une nouvelle liste de lecture + Ajouter une nouvelle liste de lecture - + Add a new reading list to the current library - Ajouter une nouvelle liste de lecture à la bibliothèque actuelle + Ajouter une nouvelle liste de lecture à la bibliothèque actuelle - + Remove reading list - Supprimer la liste de lecture + Supprimer la liste de lecture - + Remove current reading list from the library - Supprimer la liste de lecture actuelle de la bibliothèque + Supprimer la liste de lecture actuelle de la bibliothèque - + Add new label - + Ajouter une nouvelle étiquette - + Add a new label to this library - + Ajouter une nouvelle étiquette à cette bibliothèque - + Rename selected list - + Renommer la liste sélectionnée - + Rename any selected labels or lists - + Renommer toutes les étiquettes ou listes sélectionnées - + Add to... - Ajouter à... + Ajouter à... - + Favorites - Favoris + Favoris - + Add selected comics to favorites list - Ajouter la bande dessinée sélectionnée à la liste des favoris + Ajouter la bande dessinée sélectionnée à la liste des favoris @@ -1770,200 +1950,196 @@ YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais v file name - - - - - LogWindow - - - Log window - - - - - &Pause - - - - - &Save - - - - - C&lear - - - - - &Copy - - - - - Level: - - - - - &Auto scroll - + nom de fichier NoLibrariesWidget - + create your first library Créez votre première librairie - + You don't have any libraries yet Vous n'avez pas encore de librairie - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>Vous pouvez creer une librairie dans n'importe quel dossierr, YACReaderLibrary importera les dossiers et les bandes dessinées contenus dans ce dossier. Si vous avez déjà crer des librairies, vous pouvez les ouvrir.</p><p>N'oubliez pas que vous pouvez utiliser YACReader en tant que stand alone pour lire vos bandes dessinées sur votre ordinateur.</p> - + add an existing one Ajouter une librairie existante + + NoSearchResultsWidget + + + No results + Aucun résultat + + OptionsDialog - + + + Appearance + Apparence + + + + Options - Options + Possibilités + + + + + Language + Langue - + + + Application language + Langue de l'application + + + + + System default + Par défaut du système + + + Tray icon settings (experimental) - + Paramètres de l'icône de la barre d'état (expérimental) - + Close to tray - + Près du plateau - + Start into the system tray - + Commencez dans la barre d'état système - + Edit Comic Vine API key - + Modifier la clé API Comic Vine - + Comic Vine API key - + Clé API Comic Vine - + ComicInfo.xml legacy support - + Prise en charge héritée de ComicInfo.xml - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Importer des métadonnées depuis ComicInfo.xml lors de l'ajout de nouvelles bandes dessinées - + Consider 'recent' items added or updated since X days ago - + Considérez les éléments « récents » ajoutés ou mis à jour depuis X jours - + Third party reader - + Lecteur tiers - + Write {comic_file_path} where the path should go in the command - + Écrivez {comic_file_path} où le chemin doit aller dans la commande - + + Clear - + Clair - + Update libraries at startup - + Mettre à jour les bibliothèques au démarrage - + Try to detect changes automatically - + Essayez de détecter automatiquement les changements - + Update libraries periodically - + Mettre à jour les bibliothèques périodiquement - + Interval: - + Intervalle: - + 30 minutes - + 30 min - + 1 hour - + 1 heure - + 2 hours - + 2 heures - + 4 hours - + 4 heures - + 8 hours - + 8 heures - + 12 hours - + 12 heures - + daily - + tous les jours - + Update libraries at certain time - + Mettre à jour les bibliothèques à un certain moment - + Time: - + Temps: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -1971,147 +2147,322 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + AVERTISSEMENT! Lors des mises à jour de la bibliothèque, les écritures dans la base de données sont désactivées ! +Ne planifiez pas de mises à jour pendant que vous utilisez activement l'application. +Lors des mises à jour automatiques, l'application bloquera certaines actions jusqu'à ce que la mise à jour soit terminée. +Pour arrêter une mise à jour automatique, appuyez sur l'indicateur de chargement à côté du titre Bibliothèques. - + Modifications detection - + Détection des modifications - + Compare the modified date of files when updating a library (not recommended) - + Comparer la date de modification des fichiers lors de la mise à jour d'une bibliothèque (déconseillé) - + Enable background image - + Activer l'image d'arrière-plan - + Opacity level - + Niveau d'opacité - + Blur level - + Niveau de flou - + Use selected comic cover as background - + Utiliser la couverture de bande dessinée sélectionnée comme arrière-plan - + Restore defautls - + Restaurer les valeurs par défaut - + Background - + Arrière-plan - + Display continue reading banner - + Afficher la bannière de lecture continue - + Display current comic banner - + Afficher la bannière de bande dessinée actuelle - + Continue reading - + Continuer la lecture - + Comic Flow - + Flux comique - - + + Libraries - + Bibliothèques - + Grid view - + Vue grille - + + General - + Général - - - PropertiesDialog - - - - of: - sur: + + My comics path + Chemin de mes bandes dessinées - - Day: - Jour: + + Display + Afficher - - Plot - Intrigue + + Show time in current page information label + Afficher l'heure dans l'étiquette d'information de la page actuelle - - Size: - Taille: + + "Go to flow" size + Taille du flux - - Year: - Année: + + Background color + Couleur d'arrière plan - - Inker(s): - Encreur(s): + + Choose + Choisir - - Publishing - Publication + + Scroll behaviour + Comportement de défilement - - Publisher: - Editeur: + + Disable scroll animations and smooth scrolling + Désactiver les animations de défilement et le défilement fluide - - General info - Infos générales + + Do not turn page using scroll + Ne tournez pas la page en utilisant le défilement - - Color/BW: - Couleur/Noir et blanc: + + Use single scroll step to turn page + Utilisez une seule étape de défilement pour tourner la page - - Edit selected comics information - Editer les informations du comic sélectionné + + Mouse mode + Mode souris - - Penciller(s): + + Only Back/Forward buttons can turn pages + Seuls les boutons Précédent/Avant peuvent tourner les pages + + + + Use the Left/Right buttons to turn pages. + Utilisez les boutons Gauche/Droite pour tourner les pages. + + + + Click left or right half of the screen to turn pages. + Cliquez sur la moitié gauche ou droite de l'écran pour tourner les pages. + + + + Quick Navigation Mode + Mode navigation rapide + + + + Disable mouse over activation + Désactiver la souris sur l'activation + + + + Brightness + Luminosité + + + + Contrast + Contraste + + + + Gamma + Valeur gamma + + + + Reset + Remise à zéro + + + + Image options + Option de l'image + + + + Fit options + Options d'ajustement + + + + Enlarge images to fit width/height + Agrandir les images pour les adapter à la largeur/hauteur + + + + Double Page options + Options de double page + + + + Show covers as single page + Afficher les couvertures sur une seule page + + + + Scaling + Mise à l'échelle + + + + Scaling method + Méthode de mise à l'échelle + + + + Nearest (fast, low quality) + Le plus proche (rapide, mauvaise qualité) + + + + Bilinear + Bilinéaire + + + + Lanczos (better quality) + Lanczos (meilleure qualité) + + + + Page Flow + Flux des pages + + + + Image adjustment + Ajustement de l'image + + + + + Restart is needed + Redémarrage nécessaire + + + + Comics directory + Répertoire des bandes dessinées + + + + PropertiesDialog + + + + + of: + sur: + + + + Day: + Jour: + + + + Plot + Intrigue + + + + Size: + Taille: + + + + Year: + Année: + + + + Inker(s): + Encreur(s): + + + + Publishing + Publication + + + + Publisher: + Editeur: + + + + General info + Infos générales + + + + Color/BW: + Couleur/Noir et blanc: + + + + Edit selected comics information + Editer les informations du comic sélectionné + + + + Penciller(s): Dessinateur(s): @@ -2122,37 +2473,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Genre: - Genre: + Genre : Notes - + Remarques Load previous page as cover - + Charger la page précédente comme couverture Load next page as cover - + Charger la page suivante comme couverture Reset cover to the default image - + Réinitialiser la couverture à l'image par défaut Load custom cover image - + Charger une image de couverture personnalisée Series: - + Série: @@ -2162,27 +2513,27 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + alt. nombre: Alternate series: - + Série alternative : Series Group: - + Groupe de séries : Editor(s): - + Editeur(s) : Imprint: - + Imprimer: @@ -2192,52 +2543,52 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + Taper: Language (ISO): - + Langue (ISO) : Teams: - + Équipes : Locations: - + Emplacements : Main character or team: - + Personnage principal ou équipe : Review: - + Revoir: Notes: - Notes: + Remarques : Invalid cover - + Couverture invalide The image is invalid. - + L'image n'est pas valide. Synopsis: - Synopsis: + Synopsis : @@ -2252,7 +2603,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + Balises : @@ -2307,12 +2658,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Volume: - Volume: + Tome : Format: - Format: + Format : @@ -2322,7 +2673,23 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> - + Lien Comic Vine : <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> vue </a> + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer est la version sans tête (sans interface graphique) de YACReaderLibrary. + +Cette application prend en charge les paramètres persistants, pour les configurer, modifiez ce fichier %1 +Pour en savoir plus sur les paramètres disponibles, veuillez consulter la documentation sur https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md @@ -2330,99 +2697,83 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 7z lib not found - + lib 7z introuvable unable to load 7z lib from ./utils - + impossible de charger 7z depuis ./utils Trace - + Tracer Debug - + Déboguer Info - + Informations Warning - + Avertissement Error - + Erreur Fatal - + Critique - + Select custom cover - + Sélectionnez une couverture personnalisée - + Images (%1) - - - - - QsLogging::LogWindowModel - - - Time - - - - - Level - + Illustrations (%1) - - Message - + + The file could not be read or is not valid JSON. + Le fichier n'a pas pu être lu ou n'est pas un JSON valide. - - - QsLogging::Window - - &Pause - + + This theme is for %1, not %2. + Ce thème est pour %1, pas pour %2. - - &Resume - + + Libraries + Bibliothèques - - Save log - + + Folders + Dossiers - - Log file (*.log) - + + Reading Lists + Listes de lecture RenameLibraryDialog - + Rename current library Renommer la librairie actuelle @@ -2445,20 +2796,20 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of volumes found : %1 - + Nombre de volumes trouvés : %1 - - + + page %1 of %2 - + page %1 de %2 - + Number of %1 found : %2 - + Nombre de %1 trouvés : %2 @@ -2467,17 +2818,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - + Veuillez fournir des informations supplémentaires pour cette bande dessinée. - + Series: - + Série: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Utilisez la recherche de correspondance exacte. Désactivez-la si vous souhaitez rechercher des volumes correspondant à certains mots du nom. @@ -2485,503 +2836,1355 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information. - + Veuillez fournir quelques informations supplémentaires. - + Series: - + Série: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Utilisez la recherche de correspondance exacte. Désactivez-la si vous souhaitez rechercher des volumes correspondant à certains mots du nom. SelectComic - + Please, select the right comic info. - + Veuillez sélectionner les bonnes informations sur la bande dessinée. - + comics - + bandes dessinées - + loading cover - + couvercle de chargement - + loading description - + description du chargement - + comic description unavailable - + description de la bande dessinée indisponible SelectVolume - + Please, select the right series for your comic. - + Veuillez sélectionner la bonne série pour votre bande dessinée. - + Filter: - + Filtre: - + volumes - + tomes - + Nothing found, clear the filter if any. - + Rien trouvé, effacez le filtre le cas échéant. - + loading cover - + couvercle de chargement - + loading description - + description du chargement - + volume description unavailable - + description du volume indisponible SeriesQuestion - + no non - + yes oui You are trying to get information for various comics at once, are they part of the same series? - + Vous essayez d’obtenir des informations sur plusieurs bandes dessinées à la fois, font-elles partie de la même série ? ServerConfigDialog - + Port - Port + Port r?seau - + enable the server Autoriser le serveur - + set port Configurer le port - + Server connectivity information - + Informations sur la connectivité du serveur - + Scan it! - + Scannez-le ! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader est disponible pour les appareils iOS et Android.<br/>Découvrez-le pour <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> ou <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address - + Choisissez une adresse IP SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. - + Veuillez trier la liste des bandes dessinées sur la gauche jusqu'à ce qu'elle corresponde aux informations des bandes dessinées. - + sort comics to match comic information - + trier les bandes dessinées pour qu'elles correspondent aux informations sur les bandes dessinées - + issues - + problèmes - + remove selected comics - + supprimer les bandes dessinées sélectionnées - + restore all removed comics - + restaurer toutes les bandes dessinées supprimées - TitleHeader + ThemeEditorDialog - - SEARCH - + + Theme Editor + Éditeur de thème - - - UpdateLibraryDialog - - Update library - Mettre la librairie à jour + + + + + - - Cancel - Annuler + + - + - - - Updating.... - Mise à jour... + + i + je - - - VolumeComicsModel - - title - + + Expand all + Tout développer - - - VolumesModel - - publisher - éditeur + + Collapse all + Tout réduire - - year - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Maintenez enfoncé pour faire clignoter la valeur sélectionnée dans l'interface utilisateur (magenta / basculé / 0↔10). Les versions restaurent l'original. - - issues - + + Search… + Rechercher… - - - YACReader::TrayIconController - - &Restore - + + Light + Lumière - - Systray - + + Dark + Sombre - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - + + ID: + IDENTIFIANT: - - - YACReader::WhatsNewDialog - - Close - + + Display name: + Nom d'affichage : - - - YACReaderFieldEdit - - Restore to default - Restaurer les paramètres par défaut + + Variant: + Variante: - - - Click to overwrite - Cliquer pour modifier + + Theme info + Informations sur le thème - - - YACReaderFieldPlainTextEdit - - Restore to default - Restaurer les paramètres par défaut + + Parameter + Paramètre - - - - - Click to overwrite - Cliquer pour modifier + + Value + Valeur - - - YACReaderFlowConfigWidget - - CoverFlow look - Vue CoverFlow + + Save and apply + Enregistrer et postuler - - How to show covers: - Comment voir les couvertures: + + Export to file... + Exporter vers un fichier... - - Stripe look - Vue alignée + + Load from file... + Charger à partir du fichier... - - Overlapped Stripe look - Vue superposée + + Close + Fermer - - - YACReaderGLFlowConfigWidget - - Zoom - Zoom + + Double-click to edit color + Double-cliquez pour modifier la couleur - - Light - Lumière + + + + + + + true + vrai - - Show advanced settings - Réglages avancés + + + + + false + FAUX - - Roulette look - Vue roulette + + Double-click to toggle + Double-cliquez pour basculer - - Cover Angle - Angle des couvertures + + Double-click to edit value + Double-cliquez pour modifier la valeur - - Stripe look - Vue alignée + + + + Edit: %1 + Modifier : %1 - - Position - Position + + Save theme + Enregistrer le thème - - Z offset - Axe Z + + + JSON files (*.json);;All files (*) + Fichiers JSON (*.json);;Tous les fichiers (*) - - Y offset - Axe Y + + Save failed + Échec de l'enregistrement - - Central gap - Espace central + + Could not open file for writing: +%1 + Impossible d'ouvrir le fichier en écriture : +%1 - - Presets: - Réglages: + + Load theme + Charger le thème - - Overlapped Stripe look - Vue superposée + + + + Load failed + Échec du chargement - - Modern look - Vue moderne + + Could not open file: +%1 + Impossible d'ouvrir le fichier : +%1 - - View angle - Angle de vue + + Invalid JSON: +%1 + JSON invalide : +%1 - - Max angle - Angle maximum + + Expected a JSON object. + Attendu un objet JSON. + + + TitleHeader - - Custom: - Personnalisation: + + SEARCH + RECHERCHE + + + UpdateLibraryDialog - - Classic look - Vue classique + + Update library + Mettre la librairie à jour - - Cover gap - Espace entre les couvertures + + Cancel + Annuler - - High Performance - Haute performance + + Updating.... + Mise à jour... + + + Viewer - - Performance: - Performance: + + + Press 'O' to open comic. + Appuyez sur "O" pour ouvrir une bande dessinée. - - Use VSync (improve the image quality in fullscreen mode, worse performance) - Utiliser VSync (améliore la qualité de l'image en plein écran, diminue la performance) + + Not found + Introuvable + + + + Comic not found + Bande dessinée introuvable + + + + Error opening comic + Erreur d'ouverture de la bande dessinée + + + + CRC Error + Erreur CRC + + + + Loading...please wait! + Chargement... Patientez + + + + Page not available! + Page non disponible ! + + + + Cover! + Couverture! + + + + Last page! + Dernière page! + + + + VolumeComicsModel + + + title + titre + + + + VolumesModel + + + publisher + éditeur + + + + year + année + + + + issues + problèmes + + + + YACReader3DFlowConfigWidget + + + Presets: + Réglages: + + + + Classic look + Vue classique + + + + Stripe look + Vue alignée + + + + Overlapped Stripe look + Vue superposée - + + Modern look + Vue moderne + + + + Roulette look + Vue roulette + + + + Show advanced settings + Réglages avancés + + + + Custom: + Personnalisation: + + + + View angle + Angle de vue + + + + Position + Positionnement + + + + Cover gap + Espace entre les couvertures + + + + Central gap + Espace central + + + + Zoom + Agrandissement + + + + Y offset + Axe Y + + + + Z offset + Axe Z + + + + Cover Angle + Angle des couvertures + + + Visibility Visibilité - + + Light + Lumière + + + + Max angle + Angle maximum + + + Low Performance Basse performance + + + High Performance + Haute performance + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Utiliser VSync (améliore la qualité de l'image en plein écran, diminue la performance) + + + + Performance: + Performance : + - YACReaderNavigationController + YACReader::MainWindowViewer - - You are not reading anything yet, come on!! - Vous ne lisez rien encore, allez !! + + &Open + &Ouvrir - - There are no recent comics! - + + Open a comic + Ouvrir une bande dessinée + + + + New instance + Nouvelle instance + + + + Open Folder + Ouvrir un dossier + + + + Open image folder + Ouvrir un dossier d'images + + + + Open latest comic + Ouvrir la dernière bande dessinée + + + + Open the latest comic opened in the previous reading session + Ouvrir la dernière bande dessinée ouverte lors de la session de lecture précédente + + + + Clear + Clair + + + + Clear open recent list + Vider la liste d'ouverture récente + + + + Save + Sauvegarder + + + + + Save current page + Sauvegarder la page actuelle + + + + Previous Comic + Bande dessinée précédente + + + + + + Open previous comic + Ouvrir la bande dessiné précédente + + + + Next Comic + Bande dessinée suivante + + + + + + Open next comic + Ouvrir la bande dessinée suivante + + + + &Previous + &Précédent + + + + + + Go to previous page + Aller à la page précédente + + + + &Next + &Suivant + + + + + + Go to next page + Aller à la page suivante + + + + Fit Height + Ajuster la hauteur + + + + Fit image to height + Ajuster l'image à la hauteur + + + + Fit Width + Ajuster la largeur + + + + Fit image to width + Ajuster l'image à la largeur + + + + Show full size + Plein écran + + + + Fit to page + Ajuster à la page + + + + Continuous scroll + Défilement continu + + + + Switch to continuous scroll mode + Passer en mode défilement continu + + + + Reset zoom + Réinitialiser le zoom + + + + Show zoom slider + Afficher le curseur de zoom + + + + Zoom+ + Agrandir + + + + Zoom- + R?duire + + + + Rotate image to the left + Rotation à gauche + + + + Rotate image to the right + Rotation à droite + + + + Double page mode + Mode double page + + + + Switch to double page mode + Passer en mode double page + + + + Double page manga mode + Mode manga en double page + + + + Reverse reading order in double page mode + Ordre de lecture inversée en mode double page + + + + Go To + Aller à + + + + Go to page ... + Aller à la page ... + + + + Options + Possibilités + + + + YACReader options + Options de YACReader + + + + + Help + Aide + + + + Help, About YACReader + Aide, à propos de YACReader + + + + Magnifying glass + Loupe + + + + Switch Magnifying glass + Utiliser la loupe + + + + Set bookmark + Placer un marque-page + + + + Set a bookmark on the current page + Placer un marque-page sur la page actuelle + + + + Show bookmarks + Voir les marque-pages + + + + Show the bookmarks of the current comic + Voir les marque-pages de cette bande dessinée + + + + Show keyboard shortcuts + Voir les raccourcis + + + + Show Info + Voir les infos + + + + Close + Fermer + + + + Show Dictionary + Dictionnaire + + + + Show go to flow + Afficher le flux + + + + Edit shortcuts + Modifier les raccourcis + + + + &File + &Fichier + + + + + Open recent + Ouvrir récent + + + + File + Fichier + + + + Edit + Editer + + + + View + Vue + + + + Go + Aller + + + + Window + Fenêtre + + + + + + Open Comic + Ouvrir la bande dessinée + + + + + + Comic files + Bande dessinée + + + + Open folder + Ouvirir le dossier + + + + page_%1.jpg + feuille_%1.jpg + + + + Image files (*.jpg) + Image(*.jpg) + + + + + Comics + Bandes dessinées + + + + + General + Général + + + + + Magnifiying glass + Loupe + + + + + Page adjustement + Ajustement de la page + + + + + Reading + Lecture + + + + Toggle fullscreen mode + Basculer en mode plein écran + + + + Hide/show toolbar + Masquer / afficher la barre d'outils + + + + Size up magnifying glass + Augmenter la taille de la loupe + + + + Size down magnifying glass + Réduire la taille de la loupe + + + + Zoom in magnifying glass + Zoomer + + + + Zoom out magnifying glass + Dézoomer + + + + Reset magnifying glass + Réinitialiser la loupe + + + + Toggle between fit to width and fit to height + Basculer entre adapter à la largeur et adapter à la hauteur + + + + Autoscroll down + Défilement automatique vers le bas + + + + Autoscroll up + Défilement automatique vers le haut + + + + Autoscroll forward, horizontal first + Défilement automatique en avant, horizontal + + + + Autoscroll backward, horizontal first + Défilement automatique en arrière horizontal + + + + Autoscroll forward, vertical first + Défilement automatique en avant, vertical + + + + Autoscroll backward, vertical first + Défilement automatique en arrière, verticak + + + + Move down + Descendre + + + + Move up + Monter + + + + Move left + Déplacer à gauche + + + + Move right + Déplacer à droite + + + + Go to the first page + Aller à la première page + + + + Go to the last page + Aller à la dernière page + + + + Offset double page to the left + Double page décalée vers la gauche + + + + Offset double page to the right + Double page décalée à droite + + + + There is a new version available + Une nouvelle version est disponible + + + + Do you want to download the new version? + Voulez-vous télécharger la nouvelle version? + + + + Remind me in 14 days + Rappelez-moi dans 14 jours + + + + Not now + Pas maintenant + + + + YACReader::TrayIconController + + + &Restore + &Restaurer + + + + Systray + Zone de notification + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuera à fonctionner dans la barre d'état système. Pour terminer le programme, choisissez <b>Quit</b> dans le menu contextuel de l'icône de la barre d'état système. + + + + YACReaderFieldEdit + + + Restore to default + Restaurer les paramètres par défaut + + + + + Click to overwrite + Cliquer pour modifier + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Restaurer les paramètres par défaut + + + + + + + Click to overwrite + Cliquer pour modifier + + + + YACReaderFlowConfigWidget + + CoverFlow look + Vue CoverFlow + + + How to show covers: + Comment voir les couvertures: + + + Stripe look + Vue alignée + + + Overlapped Stripe look + Vue superposée + + + + YACReaderGLFlowConfigWidget + + Zoom + Agrandissement + + + Light + Lumière + + + Show advanced settings + Réglages avancés + + + Roulette look + Vue roulette + + + Cover Angle + Angle des couvertures + + + Stripe look + Vue alignée + + + Position + Positionnement + + + Z offset + Axe Z + + + Y offset + Axe Y + + + Central gap + Espace central + + + Presets: + Réglages: + + + Overlapped Stripe look + Vue superposée + + + Modern look + Vue moderne + + + View angle + Angle de vue + + + Max angle + Angle maximum + + + Custom: + Personnalisation: + + + Classic look + Vue classique + + + Cover gap + Espace entre les couvertures + + + High Performance + Haute performance + + + Performance: + Performance : + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Utiliser VSync (améliore la qualité de l'image en plein écran, diminue la performance) + + + Visibility + Visibilité + + + Low Performance + Basse performance + + + + YACReaderNavigationController + + You are not reading anything yet, come on!! + Vous ne lisez rien encore, allez !! - No favorites - Pas de favoris + Pas de favoris YACReaderOptionsDialog - + Save Sauvegarder - Use hardware acceleration (restart needed) - Utiliser l'accélération hardware (redémarrage nécessaire) + Utiliser l'accélération hardware (redémarrage nécessaire) - + Cancel Annuler - + Edit shortcuts - + Modifier les raccourcis - + Shortcuts - + Raccourcis YACReaderSearchLineEdit - + type to search - + tapez pour rechercher YACReaderSideBar - Reading Lists - Listes de lecture + Listes de lecture - LIBRARIES - LIBRAIRIES + LIBRAIRIES - FOLDERS - DOSSIERS + DOSSIERS - READING LISTS - Listes de lecture + Listes de lecture + + + YACReaderSlider - - Libraries - + + Reset + Remise à zéro + + + YACReaderTranslator - - Folders - + + YACReader translator + Traducteur YACReader + + + + + Translation + Traduction + + + + clear + effacer + + + + Service not available + Service non disponible diff --git a/YACReaderLibrary/yacreaderlibrary_it.ts b/YACReaderLibrary/yacreaderlibrary_it.ts index 8f32caea7..1a561cb11 100644 --- a/YACReaderLibrary/yacreaderlibrary_it.ts +++ b/YACReaderLibrary/yacreaderlibrary_it.ts @@ -12,82 +12,70 @@ AddLabelDialog - red - Rosso + Rosso - blue - Blu + Blu - dark - Scuro + Scuro - cyan - Azzurro + Azzurro - pink - Rosa + Rosa - green - Verde + Verde - light - Luminoso + Luminoso - white - Bianco + Bianco - + Choose a color: Seleziona un colore: - + accept Accetta - + cancel Cancella - orange - Arancione + Arancione - purple - Porpora + Porpora - violet - Viola + Viola - yellow - Giallo + Giallo - + Label name: Nome etichetta: @@ -100,7 +88,7 @@ Aggiungi - + Add an existing library Aggiungi ad una libreria esistente @@ -121,7 +109,7 @@ Library name : - + Nome della biblioteca: @@ -147,10 +135,150 @@ Incolla qui la tua chiave API di "Comic Vine" + + AppearanceTabWidget + + + Color scheme + Combinazione di colori + + + + System + Sistema + + + + Light + Luminoso + + + + Dark + Buio + + + + Custom + Costume + + + + Remove + Rimuovere + + + + Remove this user-imported theme + Rimuovi questo tema importato dall'utente + + + + Light: + Leggero: + + + + Dark: + Buio: + + + + Custom: + Personalizza: + + + + Import theme... + Importa tema... + + + + Theme + Tema + + + + Theme editor + Redattore del tema + + + + Open Theme Editor... + Apri l'editor del tema... + + + + Theme editor error + Errore nell'editor del tema + + + + The current theme JSON could not be loaded. + Impossibile caricare il tema corrente JSON. + + + + Import theme + Importa tema + + + + JSON files (*.json);;All files (*) + File JSON (*.json);;Tutti i file (*) + + + + Could not import theme from: +%1 + Impossibile importare il tema da: +%1 + + + + Could not import theme from: +%1 + +%2 + Impossibile importare il tema da: +%1 + +%2 + + + + Import failed + Importazione non riuscita + + + + BookmarksDialog + + + Lastest Page + Ultima Pagina + + + + Close + Chiudi + + + + Click on any image to go to the bookmark + Click su qualsiasi immagine per andare al bookmark + + + + + Loading... + Caricamento... + + ClassicComicsView - + Hide comic flow Nascondi il flusso dei fumetti @@ -158,84 +286,84 @@ ComicInfoView - + + Characters + Personaggi + + + Main character or team - + Personaggio principale o squadra - + Teams - + Squadre - + Locations - + Posizioni - + Authors - Autori + Autori - + writer - + sceneggiatore - + penciller - + disegnatore - + inker - + inchiostratore - + colorist - + colorista - + letterer - + letterista - + cover artist - + disegnatore di copertina - + editor - + editor - + imprint - + marchio editoriale - + Publisher - + Editore - + color - + colore - + b/w - - - - - Characters - + b/n @@ -258,17 +386,17 @@ Series - + Serie Volume - + Tomo Story Arc - + Arco narrativo @@ -298,7 +426,7 @@ Publication Date - + Data di pubblicazione @@ -309,74 +437,82 @@ ComicVineDialog - + back Indietro - + next Prossimo - + skip Salta - + close Chiudi - - + + Retrieving tags for : %1 Ricezione tag per: %1 - + Looking for comic... Sto cercando il fumetto... - + search Cerca - - - + + + Looking for volume... Sto cercando il fumetto... - - + + comic %1 of %2 - %3 Fumetto %1 di %2 - %3 - + %1 comics selected Fumetto %1 selezionato - + Error connecting to ComicVine Errore durante la connessione a ComicVine - + Retrieving volume info... Sto ricevendo le informazioni per l'abum... + + ContinuousPageWidget + + + Loading page %1 + Caricamento pagina %1 + + CreateLibraryDialog - + Create new library Crea una nuova libreria @@ -396,7 +532,7 @@ Creare una Libreria può aver bisogno di alcuni minuti. Puoi fermare il processo ed aggiornare la libreria più tardi. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder Il percorso selezionato non esiste oppure non è valido. Controlla di avere i permessi di scrittura per questa cartella @@ -411,7 +547,7 @@ Nome libreria: - + Path not found Percorso non trovato @@ -419,7 +555,7 @@ EditShortcutsDialog - + Shortcut in use Scorciatoia in uso @@ -434,7 +570,7 @@ Impostazioni scorciatoie - + The shortcut "%1" is already assigned to other function La scorciatoia "%1" è già assegnata ad un' altra funzione @@ -447,26 +583,27 @@ EmptyFolderWidget - Empty folder - Cartella vuota + Cartella vuota - - Subfolders in this folder - Sottocartelle in questa cartella + Sottocartelle in questa cartella - Drag and drop folders and comics here - Prendi e sposta le cartelle qui + Prendi e sposta le cartelle qui + + + + This folder doesn't contain comics yet + Questa cartella non contiene ancora fumetti EmptyLabelWidget - + This label doesn't contain comics yet Per ora questa etichetta non contiene fumetti @@ -479,6 +616,24 @@ Per ora questa lista non contiene fumetti + + EmptySpecialListWidget + + + No favorites + Nessun Favorito + + + + You are not reading anything yet, come on!! + Non stai ancora leggendo nulla, Forza!! + + + + There are no recent comics! + Non ci sono fumetti recenti! + + ExportComicsInfoDialog @@ -487,7 +642,7 @@ File di Output: - + Destination database name Nome database di destinazione @@ -502,17 +657,17 @@ Crea - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Il percorso selezionato per il file di Output non esiste oppure non è valido. Controlla di avere i permessi di scrittura per questa cartella - + Export comics info Esporta informazioni fumetto - + Problem found while writing Trovato problema durante la scrittura @@ -530,7 +685,7 @@ Crea - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Il percorso selezionato per il file di Output non esiste oppure non è valido. Controlla di avere i permessi di scrittura per questa cartella @@ -540,17 +695,17 @@ Cartella di Output: - + Problem found while writing Trovato problema durante la scrittura - + Create covers package Crea pacchetto delle copertine - + Destination directory Cartella di destinazione @@ -581,23 +736,52 @@ FolderContentView - + Continue Reading... - + Continua a leggere... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Pagina: + + + + Go To + Vai a + + + + Cancel + Cancella + + + + + Total pages : + Pagine totali: + + + + Go to... + Vai a... + + + + GoToFlowToolBar + + + Page : + Pagina: GridComicsView - + Show info Mostra informazioni @@ -605,17 +789,17 @@ HelpAboutDialog - + Help Aiuto - + System info - + Informazioni di sistema - + About Informazioni @@ -643,7 +827,7 @@ Importa informazioni fumetto - + Comics info file (*.ydb) File informazioni fumetto (*.ydb) @@ -666,7 +850,7 @@ Decomprimi - + Compresed library covers (*.clc) Libreria di copertine compresse (*.clc) @@ -681,7 +865,7 @@ Nome libreria: - + Extract a catalog Estrai un catalogo @@ -689,54 +873,54 @@ ImportWidget - + stop Ferma - + Importing comics Sto importando i fumetti - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YacReader sta creando una nuova libreria.</p><p>La creazione di una libreria può durare diversi minuti. Puoi fermare l'attività ed aggiornare la libreria più tardi, completando l'attività</p> - + Some of the comics being added... Alcuni fumetti che sto aggiungendo... - + Updating the library Sto aggiornando la Libreria - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>Quest alibreria si sta aggiornando. Per aggiornamenti più veloci aggiorna la tua libreria di frequente.</p><p>Puoi fermare il processo ed aggiornare la libreria più tardi.</p> - + Upgrading the library - + Aggiornamento della biblioteca - + <p>The current library is being upgraded, please wait.</p> - + <p>È in corso l'aggiornamento della libreria corrente, attendi.</p> - + Scanning the library - + Scansione della libreria - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>Scansione della libreria corrente per informazioni sui metadati XML legacy.</p><p>Questa operazione è necessaria solo una volta e solo se la libreria è stata creata con YACReaderLibrary 9.8.2 o versioni precedenti.</p> @@ -746,27 +930,27 @@ Edita - + The selected folder doesn't contain any library. La cartella selezionata non contiene nessuna Libreria. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Questa libreria è stata creata con una versione precedente di YACREaderLibrary. Deve essere aggiornata. Aggiorno ora? - + Comic Fumetto - + Folder name: Nome della cartella: - + The selected folder and all its contents will be deleted from your disk. Are you sure? La cartella seleziona e tutto il suo contenuto verranno cancellati dal tuo disco. Sei sicuro? @@ -775,7 +959,7 @@ Aggiorna la cartella corrente - + Error opening the library Errore nell'apertura della libreria @@ -784,8 +968,8 @@ Mostra/Nascondi - - + + YACReader not found YACReader non trovato @@ -794,7 +978,7 @@ Mostra le opzioni per il server dei fumetti - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. C'è stato un problema cancellando le cartelle selezionate. Per favore controlla i tuoi permessi di scrittura e sii sicuro che non ci siano altre applicazioni che usano le stesse cartelle. @@ -807,7 +991,7 @@ Setta il fumetto come letto - + Rename list name Rinomina la lista @@ -816,7 +1000,7 @@ Aggiungi i fumetti selezionati alla lista dei favoriti - + Remove and delete metadata Rimuovi e cancella i Metadati @@ -825,7 +1009,7 @@ YACReader non trovato, YACReader deve esere installato nella stessa cartella di YACReaderLibrary. - + Old library Vecchia libreria @@ -838,17 +1022,17 @@ Rinomina qualsiasi etichetta o lista selezionata - + Set as completed Segna come completo - + There was an error accessing the folder's path C'è stato un errore nell'accesso al percorso della cartella - + Library Libreria @@ -857,7 +1041,7 @@ Aggiungi una nuova cartella alla libreria corrente - + Comics will only be deleted from the current label/list. Are you sure? I fumetti verranno cancellati dall'etichetta/lista corrente. Sei sicuro? @@ -870,13 +1054,13 @@ Modalità a schermo interno on/off - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Questa libreria è stata creata con una verisone più recente di YACReaderLibrary. Scarico la versione aggiornata ora? - - + + Moving comics... Sto muovendo i fumetti... @@ -889,13 +1073,13 @@ Aggiorna la Libreria corrente - - + + Copying comics... Sto copiando i fumetti... - + Library '%1' is no longer available. Do you want to remove it? La libreria '%1' non è più disponibile, la vuoi cancellare? @@ -904,22 +1088,22 @@ Aggiorna Libreria - + Open folder... Apri Cartella... - + Do you want remove Vuoi rimuovere - + Set as uncompleted Segna come non completo - + Error in path Errore nel percorso @@ -928,17 +1112,17 @@ Resetta la valutazione dei fumetti - + Error updating the library Errore aggiornando la libreria - + Folder Cartella - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? Gli elementi selezionati verranno cancellati, i tuoi fumetti o cartella NON verranno cancellati dal tuo disco. Sei sicuro? @@ -951,8 +1135,8 @@ Cancella la cartella corrente dal disco - - + + List name: Nome lista: @@ -961,7 +1145,7 @@ Aggiungi a... - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? La libreria '%1' è stata creata con una versione precedente di YACREaderLibrary. Deve essere ricreata. Lo vuoi fare ora? @@ -970,7 +1154,7 @@ Compatta Copertine - + Save covers Salva Copertine @@ -983,12 +1167,12 @@ Rimuovi la lista di lettura dalla libreria - + Add new reading lists Aggiungi una lista di lettura - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1001,17 +1185,17 @@ Hai probabilemnte bisogno di una sola Libreria al livello superiore, puoi poi na YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il numero di librerie basso. - + Set as read Setta come letto - + Library info - + Informazioni sulla biblioteca - + Assign comics numbers Assegna un numero ai fumetti @@ -1028,7 +1212,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Mostra le opzioni - + Please, select a folder first Per cortesia prima seleziona una cartella @@ -1037,7 +1221,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Crea una nuova libreria - + Library not available Libreria non disponibile @@ -1050,7 +1234,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu La libreria corrente non può essere aggiornata. Controlla i tuoi permessi di scrittura su: - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. C'è un problema nel cancellare i fumetti selezionati. Per favore controlla i tuoi permessi di scrittura sui file o sulla cartella. @@ -1067,7 +1251,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Apri il fumetto corrente - + YACReader Library Libreria YACReader @@ -1076,7 +1260,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Aggiungi una lista di lettura alla libreria corrente - + Error creating the library Errore creando la libreria @@ -1085,12 +1269,12 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Aggiornamento fallito - + You are adding too many libraries. Stai aggiungendto troppe librerie. - + Update folder Aggiorna Cartella @@ -1099,7 +1283,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Scompatta le Copertine - + Update needed Devi aggiornarmi @@ -1112,12 +1296,12 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Mostra o nascondi lo stato di lettura - + Library name already exists Esiste già una libreria con lo stesso nome - + There is another library with the name '%1'. Esiste già una libreria con il nome '%1'. @@ -1126,47 +1310,47 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Rimuovi la lista di lettura - + Delete folder Cancella Cartella - + Assign numbers starting in: Assegna numeri partendo da: - + Download new version Scarica la nuova versione - + Invalid image - + Immagine non valida - + The selected file is not a valid image. - + Il file selezionato non è un'immagine valida. - + Error saving cover - + Errore durante il salvataggio della copertina - + There was an error saving the cover image. - + Si è verificato un errore durante il salvataggio dell'immagine di copertina. - + Delete comics Cancella i fumetti - + Add new folder Aggiungi una nuova cartella @@ -1199,7 +1383,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Rinomina la lista selezionata - + Delete list/label Cancella Lista/Etichetta @@ -1216,7 +1400,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Seleziona il nodo principale - + No folder selected Nessuna cartella selezionata @@ -1225,7 +1409,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Scompatta un catalogo - + All the selected comics will be deleted from your disk. Are you sure? Tutti i fumetti selezionati saranno cancellati dal tuo disco. Sei sicuro? @@ -1234,7 +1418,7 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Scarica i Tag da Comic Vine - + Remove comics Rimuovi i fumetti @@ -1243,13 +1427,13 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Aggiungi una nuova etichetta a questa libreria - - + + Set as unread Setta come non letto - + Library not found Libreria non trovata @@ -1262,32 +1446,32 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Rimuovi la libreria - - - + + + manga - + Manga - - - + + + comic - + comico - - - + + + web comic - + fumetto web - - - + + + western manga (left to right) - + manga occidentale (da sinistra a destra) Open containing folder... @@ -1298,48 +1482,48 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Aggiungi una nuova etichetta - - + + Unable to delete Non posso cancellare - - - + + + 4koma (top to botom) - + 4koma (dall'alto verso il basso) - - - - + + + + Set type - + Imposta il tipo - + Set custom cover - + Imposta la copertina personalizzata - + Delete custom cover - + Elimina la copertina personalizzata - + Error - + Errore - + Error opening comic with third party reader. - + Errore nell'apertura del fumetto con un lettore di terze parti. - + library? Libreria? @@ -1348,472 +1532,472 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Salva le copertine dei fumetti selezionati come file JPG - + Are you sure? Sei sicuro? - + Rescan library for XML info - + Eseguire nuovamente la scansione della libreria per informazioni XML - + Upgrade failed - + Aggiornamento non riuscito - + There were errors during library upgrade in: - + Si sono verificati errori durante l'aggiornamento della libreria in: - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader non trovato. YACReader deve essere installato nella stessa cartella di YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. - + YACReader non trovato. Potrebbe esserci un problema con l'installazione di YACReader. LibraryWindowActions - + Create a new library - Crea una nuova libreria + Crea una nuova libreria - + Open an existing library - Apri una libreria esistente + Apri una libreria esistente - - + + Export comics info - Esporta informazioni fumetto + Esporta informazioni fumetto - - + + Import comics info - Importa informazioni fumetto + Importa informazioni fumetto - + Pack covers - Compatta Copertine + Compatta Copertine - + Pack the covers of the selected library - Compatta le copertine della libreria selezionata + Compatta le copertine della libreria selezionata - + Unpack covers - Scompatta le Copertine + Scompatta le Copertine - + Unpack a catalog - Scompatta un catalogo + Scompatta un catalogo - + Update library - Aggiorna Libreria + Aggiorna Libreria - + Update current library - Aggiorna la Libreria corrente + Aggiorna la Libreria corrente - + Rename library - Rinomina la libreria + Rinomina la libreria - + Rename current library - Rinomina la libreria corrente + Rinomina la libreria corrente - + Remove library - Rimuovi la libreria + Rimuovi la libreria - + Remove current library from your collection - Rimuovi la libreria corrente dalla tua collezione + Rimuovi la libreria corrente dalla tua collezione - + Rescan library for XML info - + Eseguire nuovamente la scansione della libreria per informazioni XML - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Cerca di trovare informazioni XML incorporate nei file dei fumetti. Devi farlo solo se la libreria è stata creata con la versione 9.8.2 o precedente o se utilizzi software di terze parti per incorporare informazioni XML nei file. - + Show library info - + Mostra informazioni sulla biblioteca - + Show information about the current library - + Mostra informazioni sulla libreria corrente - + Open current comic - Apri il fumetto corrente + Apri il fumetto corrente - + Open current comic on YACReader - Apri il fumetto corrente con YACReader + Apri il fumetto corrente con YACReader - + Save selected covers to... - Salva le copertine selezionate in... + Salva le copertine selezionate in... - + Save covers of the selected comics as JPG files - Salva le copertine dei fumetti selezionati come file JPG + Salva le copertine dei fumetti selezionati come file JPG - - + + Set as read - Setta come letto + Setta come letto - + Set comic as read - Setta il fumetto come letto + Setta il fumetto come letto - - + + Set as unread - Setta come non letto + Setta come non letto - + Set comic as unread - Setta il fumetto come non letto + Setta il fumetto come non letto - - + + manga - + Manga - + Set issue as manga - + Imposta il problema come manga - - + + comic - + comico - + Set issue as normal - + Imposta il problema come normale - + western manga - + manga occidentali - + Set issue as western manga - + Imposta il problema come manga occidentale - - + + web comic - + fumetto web - + Set issue as web comic - + Imposta il problema come fumetto web - - + + yonkoma - + Yonkoma - + Set issue as yonkoma - + Imposta il problema come Yonkoma - + Show/Hide marks - Mostra/Nascondi + Mostra/Nascondi - + Show or hide read marks - Mostra o nascondi lo stato di lettura + Mostra o nascondi lo stato di lettura - + Show/Hide recent indicator - + Mostra/Nascondi l'indicatore recente - + Show or hide recent indicator - + Mostra o nascondi l'indicatore recente - - + + Fullscreen mode on/off - Modalità a schermo interno on/off + Modalità a schermo interno on/off - + Help, About YACReader - Aiuto, Crediti YACReader + Aiuto, Crediti YACReader - + Add new folder - Aggiungi una nuova cartella + Aggiungi una nuova cartella - + Add new folder to the current library - Aggiungi una nuova cartella alla libreria corrente + Aggiungi una nuova cartella alla libreria corrente - + Delete folder - Cancella Cartella + Cancella Cartella - + Delete current folder from disk - Cancella la cartella corrente dal disco + Cancella la cartella corrente dal disco - + Select root node - Seleziona il nodo principale + Seleziona il nodo principale - + Expand all nodes - Espandi tutti i nodi + Espandi tutti i nodi - + Collapse all nodes - Compatta tutti i nodi + Compatta tutti i nodi - + Show options dialog - Mostra le opzioni + Mostra le opzioni - + Show comics server options dialog - Mostra le opzioni per il server dei fumetti + Mostra le opzioni per il server dei fumetti - - + + Change between comics views - Cambia tra i modi di visualizzazione dei fumetti + Cambia tra i modi di visualizzazione dei fumetti - + Open folder... - Apri Cartella... + Apri Cartella... - + Set as uncompleted - Segna come non completo + Segna come non completo - + Set as completed - Segna come completo + Segna come completo - + Set custom cover - + Imposta la copertina personalizzata - + Delete custom cover - + Elimina la copertina personalizzata - + western manga (left to right) - + manga occidentale (da sinistra a destra) - + Open containing folder... - Apri la cartella dei contenuti... + Apri la cartella dei contenuti... - + Reset comic rating - Resetta la valutazione dei fumetti + Resetta la valutazione dei fumetti - + Select all comics - Seleziona tutti i fumetti + Seleziona tutti i fumetti - + Edit - Edita + Edita - + Assign current order to comics - Assegna l'ordinamento corrente ai fumetti + Assegna l'ordinamento corrente ai fumetti - + Update cover - Aggiorna copertina + Aggiorna copertina - + Delete selected comics - Cancella i fumetti selezionati + Cancella i fumetti selezionati - + Delete metadata from selected comics - + Elimina i metadati dai fumetti selezionati - + Download tags from Comic Vine - Scarica i Tag da Comic Vine + Scarica i Tag da Comic Vine - + Focus search line - + Mettere a fuoco la linea di ricerca - + Focus comics view - + Focus sulla visualizzazione dei fumetti - + Edit shortcuts - + Edita scorciatoie - + &Quit - + &Esci - + Update folder - Aggiorna Cartella + Aggiorna Cartella - + Update current folder - Aggiorna la cartella corrente + Aggiorna la cartella corrente - + Scan legacy XML metadata - + Scansione dei metadati XML legacy - + Add new reading list - Aggiorna la lista di lettura + Aggiorna la lista di lettura - + Add a new reading list to the current library - Aggiungi una lista di lettura alla libreria corrente + Aggiungi una lista di lettura alla libreria corrente - + Remove reading list - Rimuovi la lista di lettura + Rimuovi la lista di lettura - + Remove current reading list from the library - Rimuovi la lista di lettura dalla libreria + Rimuovi la lista di lettura dalla libreria - + Add new label - Aggiungi una nuova etichetta + Aggiungi una nuova etichetta - + Add a new label to this library - Aggiungi una nuova etichetta a questa libreria + Aggiungi una nuova etichetta a questa libreria - + Rename selected list - Rinomina la lista selezionata + Rinomina la lista selezionata - + Rename any selected labels or lists - Rinomina qualsiasi etichetta o lista selezionata + Rinomina qualsiasi etichetta o lista selezionata - + Add to... - Aggiungi a... + Aggiungi a... - + Favorites - Favoriti + Favoriti - + Add selected comics to favorites list - Aggiungi i fumetti selezionati alla lista dei favoriti + Aggiungi i fumetti selezionati alla lista dei favoriti @@ -1824,248 +2008,245 @@ YACReader non ti fermerà dal creare altre librerie ma è meglio se terrai il nu Nome file - - LogWindow - - - Log window - - - - - &Pause - - - - - &Save - - - - - C&lear - - - - - &Copy - - - - - Level: - - - - - &Auto scroll - - - NoLibrariesWidget - + create your first library Crea la tua prima libreria - + You don't have any libraries yet Per ora non hai ancora nessuna libreria - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>Puoi creare una libreria in qualsiasi cartella, YACReader importerà tutti i fumetti e struttura da questa certella. Se hai creato una qualsiasia libreria nel passato la puoi aprire. </p><p>Non dimenticare che puoi usare YACReader come applicazione stand alone per leggere i fumetti sul tuo PC.</p> - + add an existing one Aggiungine una esistente + + NoSearchResultsWidget + + + No results + Nessun risultato + + OptionsDialog - + Restore defautls Resetta al Default - + Background Sfondo - + Blur level Livello di sfumatura - + Enable background image Abilita l'immagine di sfondo - + + Options Opzioni - + Comic Vine API key API di ComicVine - + Edit Comic Vine API key Edita l'API di ComicVine - + Opacity level Livello di opacità - + + General Generale - + Use selected comic cover as background Usa la cover del fumetto selezionato come sfondo - + Comic Flow Flusso dei fumetti - - + + Libraries - Librerie + Librerie - + Grid view Vista a Griglia - + + + Appearance + Aspetto + + + + + Language + Lingua + + + + + Application language + Lingua dell'applicazione + + + + + System default + Predefinita del sistema + + + Tray icon settings (experimental) - + Impostazioni dell'icona nella barra delle applicazioni (sperimentale) - + Close to tray - + Vicino al vassoio - + Start into the system tray - + Inizia nella barra delle applicazioni - + ComicInfo.xml legacy support - + Supporto legacy ComicInfo.xml - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Importa metadati da ComicInfo.xml quando aggiungi nuovi fumetti - + Consider 'recent' items added or updated since X days ago - + Considera gli elementi "recenti" aggiunti o aggiornati da X giorni fa - + Third party reader - + Lettore di terze parti - + Write {comic_file_path} where the path should go in the command - + Scrivi {comic_file_path} dove dovrebbe andare il percorso nel comando - + + Clear - + Cancella - + Update libraries at startup - + Aggiorna le librerie all'avvio - + Try to detect changes automatically - + Prova a rilevare automaticamente le modifiche - + Update libraries periodically - + Aggiorna periodicamente le librerie - + Interval: - + Intervallo: - + 30 minutes - + 30 minuti - + 1 hour - + 1 ora - + 2 hours - + 2 ore - + 4 hours - + 4 ore - + 8 hours - + 8 ore - + 12 hours - + 12 ore - + daily - + quotidiano - + Update libraries at certain time - + Aggiorna le librerie in determinati orari - + Time: - + Tempo: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2073,79 +2254,253 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + AVVERTIMENTO! Durante gli aggiornamenti della libreria le scritture sul database sono disabilitate! +Non pianificare gli aggiornamenti mentre potresti utilizzare l'app attivamente. +Durante gli aggiornamenti automatici l'app bloccherà alcune azioni fino al termine dell'aggiornamento. +Per interrompere un aggiornamento automatico, tocca l'indicatore di caricamento accanto al titolo Librerie. - + Modifications detection - + Rilevamento delle modifiche - + Compare the modified date of files when updating a library (not recommended) - + Confronta la data di modifica dei file durante l'aggiornamento di una libreria (non consigliato) - + Display continue reading banner - + Visualizza il banner continua a leggere - + Display current comic banner - + Visualizza il banner del fumetto corrente - + Continue reading - + Continua a leggere - - - PropertiesDialog - - Day: - Giorno: + + My comics path + Percorso dei miei fumetti - - Plot - Trama + + Display + Visualizzazione - - Size: - Dimesioni: + + Show time in current page information label + Mostra l'ora nell'etichetta delle informazioni della pagina corrente - - Year: - Anno: + + "Go to flow" size + Dimensione "Vai all'elenco" - - Inker(s): - Inchiostratore(i): + + Background color + Colore di sfondo - - Publishing - Pubblicazione + + Choose + Scegli - - Publisher: - Editore: + + Scroll behaviour + Comportamento di scorrimento - - General info - Informazioni generali + + Disable scroll animations and smooth scrolling + Disabilita le animazioni di scorrimento e lo scorrimento fluido - - Color/BW: + + Do not turn page using scroll + Non voltare pagina utilizzando lo scorrimento + + + + Use single scroll step to turn page + Utilizzare un singolo passaggio di scorrimento per voltare pagina + + + + Mouse mode + Modalità mouse + + + + Only Back/Forward buttons can turn pages + Solo i pulsanti Indietro/Avanti possono girare le pagine + + + + Use the Left/Right buttons to turn pages. + Utilizzare i pulsanti Sinistra/Destra per girare le pagine. + + + + Click left or right half of the screen to turn pages. + Fare clic sulla metà sinistra o destra dello schermo per girare le pagine. + + + + Quick Navigation Mode + Modo navigazione rapida + + + + Disable mouse over activation + Disabilita il mouse all'attivazione + + + + Brightness + Luminosità + + + + Contrast + Contrasto + + + + Gamma + Valore gamma + + + + Reset + Resetta + + + + Image options + Opzione immagine + + + + Fit options + Opzioni di adattamento + + + + Enlarge images to fit width/height + Ingrandisci le immagini per adattarle alla larghezza/altezza + + + + Double Page options + Opzioni doppia pagina + + + + Show covers as single page + Mostra le copertine come pagina singola + + + + Scaling + Ridimensionamento + + + + Scaling method + Metodo di scala + + + + Nearest (fast, low quality) + Più vicino (veloce, bassa qualità) + + + + Bilinear + Bilineare + + + + Lanczos (better quality) + Lanczos (qualità migliore) + + + + Page Flow + Flusso pagine + + + + Image adjustment + Correzioni immagine + + + + + Restart is needed + Riavvio Necessario + + + + Comics directory + Cartella Fumetti + + + + PropertiesDialog + + + Day: + Giorno: + + + + Plot + Trama + + + + Size: + Dimesioni: + + + + Year: + Anno: + + + + Inker(s): + Inchiostratore(i): + + + + Publishing + Pubblicazione + + + + Publisher: + Editore: + + + + General info + Informazioni generali + + + + Color/BW: Colore o B/N: @@ -2171,32 +2526,32 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Notes - + Note Load previous page as cover - + Carica la pagina precedente come copertina Load next page as cover - + Carica la pagina successiva come copertina Reset cover to the default image - + Ripristina la copertina sull'immagine predefinita Load custom cover image - + Carica l'immagine di copertina personalizzata Series: - Serie: + Serie: @@ -2206,27 +2561,27 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + alt. numero: Alternate series: - + Serie alternative: Series Group: - + Gruppo di serie: Editor(s): - + Redattore(i): Imprint: - + Impronta: @@ -2236,32 +2591,32 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + Tipo: Language (ISO): - + Lingua (ISO): Teams: - + Squadre: Locations: - + Posizioni: Main character or team: - + Personaggio principale o squadra: Review: - + Revisione: @@ -2271,12 +2626,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Invalid cover - + Copertina non valida The image is invalid. - + L'immagine non è valida. @@ -2321,7 +2676,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + tag: @@ -2368,12 +2723,28 @@ To stop an automatic update tap on the loading indicator next to the Libraries t of: - + Di: Arc number: - + Numero dell'arco: + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer è la versione headless (senza GUI) di YACReaderLibrary. + +Questa applicazione supporta le impostazioni persistenti, per configurarle modifica questo file %1 +Per conoscere le impostazioni disponibili, consultare la documentazione su https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md @@ -2391,89 +2762,73 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Trace - + Traccia Debug - + Diagnostica Info - + Informazioni Warning - + Avvertimento Error - + Errore Fatal - + Fatale - + Select custom cover - + Seleziona la copertina personalizzata - + Images (%1) - - - - - QsLogging::LogWindowModel - - - Time - - - - - Level - + Immagini (%1) - - Message - + + The file could not be read or is not valid JSON. + Impossibile leggere il file o non è un JSON valido. - - - QsLogging::Window - - &Pause - + + This theme is for %1, not %2. + Questo tema è per %1, non %2. - - &Resume - + + Libraries + Librerie - - Save log - + + Folders + Cartelle - - Log file (*.log) - + + Reading Lists + Lista di lettura RenameLibraryDialog - + Rename current library Rinomina la libreria corrente @@ -2496,18 +2851,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of %1 found : %2 Numero di %1 trovati; %2 - - + + page %1 of %2 pagina %1 di %2 - + Number of volumes found : %1 Numero di volumi trovati: %1 @@ -2518,17 +2873,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - Per favore aggiugi informazioni addizionali. + Per favore aggiugi informazioni addizionali. - + Series: Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Utilizza la ricerca con corrispondenza esatta. Disabilitare se si desidera trovare volumi che corrispondono ad alcune delle parole nel nome. @@ -2539,40 +2894,40 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Per favore aggiugi informazioni addizionali. - + Series: Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Utilizza la ricerca con corrispondenza esatta. Disabilitare se si desidera trovare volumi che corrispondono ad alcune delle parole nel nome. SelectComic - + loading description Caricamento descrizione - + comics Fumetti - + loading cover Caricamento copertine - + comic description unavailable - + descrizione del fumetto non disponibile - + Please, select the right comic info. Per favore seleziona le informazioni corrette per il fumetto. @@ -2584,37 +2939,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + loading description Caricamento descrizione - + Please, select the right series for your comic. Per favore seleziona la serie corretta per il fumetto. - + Filter: - + Filtro: - + Nothing found, clear the filter if any. - + Non è stato trovato nulla, cancella il filtro se presente. - + loading cover Caricamento copertine - + volume description unavailable - + descrizione del volume non disponibile - + volumes Volumi @@ -2626,12 +2981,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SeriesQuestion - + no No - + yes Si @@ -2644,7 +2999,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + Port Porta @@ -2653,12 +3008,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t YACReader è disponibile per dispositivi iOS. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Provalo! </a> - + enable the server Abilita il server - + Server connectivity information Informazioni sulla connettività del server @@ -2669,7 +3024,7 @@ to improve the performance Migliora le prestazioni! - + Scan it! Scansiona! @@ -2678,17 +3033,17 @@ Migliora le prestazioni! Errore nel generatore QR! - + set port Configura porta - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader è disponibile per dispositivi iOS e Android.<br/>Scoprilo per <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> o <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address Scegli un indirizzo IP @@ -2696,27 +3051,27 @@ Migliora le prestazioni! SortVolumeComics - + remove selected comics Rimuovi i fumetti selezionati - + sort comics to match comic information Ordina i fumetti per far corrispondere le informazioni - + restore all removed comics Ripristina tutti i fumetti rimossi - + issues Emissione - + Please, sort the list of comics on the left until it matches the comics' information. Per favore ordina la lista dei fumetti a sinistra sino a che corrisponde alle informazioni dei fumetti. @@ -2726,296 +3081,1130 @@ Migliora le prestazioni! - TitleHeader + ThemeEditorDialog - - SEARCH - CERCA + + Theme Editor + Redattore del tema - - - UpdateLibraryDialog - - Update library - Aggiorna Libreria + + + + + - - Cancel - Cancella + + - + - - - Updating.... - Aggiornamento... + + i + io - - - VolumeComicsModel - - title - Titolo + + Expand all + Espandi tutto - - - VolumesModel - - year - Anno + + Collapse all + Comprimi tutto - - issues - Emissione + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Tieni premuto per far lampeggiare il valore selezionato nell'interfaccia utente (magenta / alternato / 0↔10). Le versioni ripristinano l'originale. - - publisher - Pubblicato da + + Search… + Ricerca… - - - YACReader::TrayIconController - - &Restore - + + Light + Luminoso - - Systray - + + Dark + Buio - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - + + ID: + Identificativo: - - - YACReader::WhatsNewDialog - - Close - + + Display name: + Nome da visualizzare: - - - YACReaderFieldEdit - - Restore to default - Resetta al Default + + Variant: + Variante: - - - Click to overwrite - Clikka per sovrascrivere + + Theme info + Informazioni sul tema - - - YACReaderFieldPlainTextEdit - - Restore to default - Resetta al Default + + Parameter + Parametro - - - - - Click to overwrite - Clikka per sovrascrivere + + Value + Valore - - - YACReaderFlowConfigWidget - - CoverFlow look - Aspetto del flusso copertine + + Save and apply + Salva e applica - - How to show covers: - Come mostrare le copertine: + + Export to file... + Esporta su file... - - Stripe look - Aspetto a striscia + + Load from file... + Carica da file... - - Overlapped Stripe look - Aspetto a striscia sovrapposta + + Close + Chiudi - - - YACReaderGLFlowConfigWidget - - Zoom - Zoom + + Double-click to edit color + Fare doppio clic per modificare il colore - - Light - Luminoso + + + + + + + true + VERO - - Show advanced settings - Mostra le impostazioni avanzate + + + + + false + falso - - Roulette look - Aspetto a Roulette + + Double-click to toggle + Fare doppio clic per attivare/disattivare - - Cover Angle - Angolo copertine + + Double-click to edit value + Fare doppio clic per modificare il valore - - Stripe look - Aspetto a striscia + + + + Edit: %1 + Modifica: %1 - - Position - Posizione + + Save theme + Salva tema - - Z offset - Traslazione Z + + + JSON files (*.json);;All files (*) + File JSON (*.json);;Tutti i file (*) - - Y offset - Traslazione Y + + Save failed + Salvataggio non riuscito - - Central gap - Distanza centrale + + Could not open file for writing: +%1 + Impossibile aprire il file per la scrittura: +%1 - - Presets: - Preselezione: + + Load theme + Carica tema - - Overlapped Stripe look - Aspetto a Striscia sovrapposto + + + + Load failed + Caricamento non riuscito - - Modern look - Aspetto moderno + + Could not open file: +%1 + Impossibile aprire il file: +%1 - - View angle - Vista ad Angolo + + Invalid JSON: +%1 + JSON non valido: +%1 - - Max angle - Angolo massimo + + Expected a JSON object. + Era previsto un oggetto JSON. + + + TitleHeader - - Custom: - Personalizza: + + SEARCH + CERCA + + + UpdateLibraryDialog - - Classic look - Aspetto Classico + + Update library + Aggiorna Libreria - - Cover gap - Distanza tra le Cover + + Cancel + Cancella - - High Performance - Alte Prestazioni + + Updating.... + Aggiornamento... - - + + + Viewer + + + + Press 'O' to open comic. + Premi "O" per aprire il fumettto. + + + + Not found + Non trovato + + + + Comic not found + Fumetto non trovato + + + + Error opening comic + Errore nell'apertura + + + + CRC Error + Errore CRC + + + + Loading...please wait! + In caricamento...Attendi! + + + + Page not available! + Pagina non disponibile! + + + + Cover! + Copertina! + + + + Last page! + Ultima pagina! + + + + VolumeComicsModel + + + title + Titolo + + + + VolumesModel + + + year + Anno + + + + issues + Emissione + + + + publisher + Pubblicato da + + + + YACReader3DFlowConfigWidget + + + Presets: + Preselezione: + + + + Classic look + Aspetto Classico + + + + Stripe look + Aspetto a striscia + + + + Overlapped Stripe look + Aspetto a strisce sovrapposto + + + + Modern look + Aspetto moderno + + + + Roulette look + Aspetto a Roulette + + + + Show advanced settings + Mostra le impostazioni avanzate + + + + Custom: + Personalizza: + + + + View angle + Vista ad Angolo + + + + Position + Posizione + + + + Cover gap + Distanza tra le Cover + + + + Central gap + Distanza centrale + + + + Zoom + Ingrandimento + + + + Y offset + Traslazione Y + + + + Z offset + Traslazione Z + + + + Cover Angle + Angolo copertine + + + + Visibility + Visibilità + + + + Light + Luminoso + + + + Max angle + Angolo massimo + + + + Low Performance + Basse Prestazioni + + + + High Performance + Alte Prestazioni + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + UIsa VSync. (Migliora la qualità dell'immagine a modalità tutto schermo, peggiora le prestazioni) + + + Performance: Prestazioni: + + + YACReader::MainWindowViewer + + + &Open + &Apri + + + + Open a comic + Apri un Fumetto + + + + New instance + Nuova istanza + + + + Open Folder + Apri una cartella + + + + Open image folder + Apri la crettal immagini + + + + Open latest comic + Apri l'ultimo fumetto + + + + Open the latest comic opened in the previous reading session + Apri l'ultimo fumetto aperto nella sessione precedente + + + + Clear + Cancella + + + + Clear open recent list + Svuota la lista degli aperti + + + + Save + Salva + + + + + Save current page + Salva la pagina corrente + + + + Previous Comic + Fumetto precendente + + + + + + Open previous comic + Apri il fumetto precendente + + + + Next Comic + Prossimo fumetto + + + + + + Open next comic + Apri il prossimo fumetto + + + + &Previous + &Precedente + + + + + + Go to previous page + Vai alla pagina precedente + + + + &Next + &Prossimo + + + + + + Go to next page + Vai alla prossima Pagina + + + + Fit Height + Adatta altezza + + + + Fit image to height + Adatta immagine all'altezza + + + + Fit Width + Adatta Larghezza + + + + Fit image to width + Adatta immagine in larghezza + + + + Show full size + Mostra dimesioni reali + + + + Fit to page + Adatta alla pagina + + + + Continuous scroll + Scorrimento continuo + + + + Switch to continuous scroll mode + Passa alla modalità di scorrimento continuo + + + + Reset zoom + Resetta Zoom + + + + Show zoom slider + Mostra cursore di zoom + + + + Zoom+ + Aumenta + + + + Zoom- + Riduci + + + + Rotate image to the left + Ruota immagine a sinistra + + + + Rotate image to the right + Ruota immagine a destra + + + + Double page mode + Modalita doppia pagina + + + + Switch to double page mode + Passa alla modalità doppia pagina + + + + Double page manga mode + Modalità doppia pagina Manga + + + + Reverse reading order in double page mode + Ordine lettura inverso in modo doppia pagina + + + + Go To + Vai a + + + + Go to page ... + Vai a Pagina ... + + + + Options + Opzioni + + + + YACReader options + Opzioni YACReader + + + + + Help + Aiuto + + + + Help, About YACReader + Aiuto, Crediti YACReader + + + + Magnifying glass + Lente ingrandimento + + + + Switch Magnifying glass + Passa a lente ingrandimento + + + + Set bookmark + Imposta Segnalibro + + + + Set a bookmark on the current page + Imposta segnalibro a pagina corrente + + + + Show bookmarks + Mostra segnalibro + + + + Show the bookmarks of the current comic + Mostra il segnalibro del fumetto corrente + + + + Show keyboard shortcuts + Mostra scorciatoie da tastiera + + + + Show Info + Mostra info + + + + Close + Chiudi + + + + Show Dictionary + Mostra dizionario + + + + Show go to flow + Mostra vai all'elenco + + + + Edit shortcuts + Edita scorciatoie + + + + &File + &Documento + + + + + Open recent + Apri i recenti + + + + File + Documento + + + + Edit + Edita + + + + View + Mostra + + + + Go + Vai + + + + Window + Finestra + + + + + + Open Comic + Apri Fumetto + + + + + + Comic files + File Fumetto + + + + Open folder + Apri cartella + + + + page_%1.jpg + Pagina_%1.jpg + + + + Image files (*.jpg) + File immagine (*.jpg) + + + + + Comics + Fumetto + + + + + General + Generale + + + + + Magnifiying glass + Lente ingrandimento + + + + + Page adjustement + Correzioni di pagna + + + + + Reading + Leggi + + + + Toggle fullscreen mode + Attiva/Disattiva schermo intero + + + + Hide/show toolbar + Mostra/Nascondi Barra strumenti + + + + Size up magnifying glass + Ingrandisci lente ingrandimento + + + + Size down magnifying glass + Riduci lente ingrandimento + + + + Zoom in magnifying glass + Ingrandisci in lente di ingrandimento + + + + Zoom out magnifying glass + Riduci in lente di ingrandimento + + + + Reset magnifying glass + Reimposta la lente d'ingrandimento + + + + Toggle between fit to width and fit to height + Passa tra adatta in larghezza ad altezza + + + + Autoscroll down + Autoscorri Giù + + + + Autoscroll up + Autoscorri Sù + + + + Autoscroll forward, horizontal first + Autoscorri avanti, priorità Orizzontale + + + + Autoscroll backward, horizontal first + Autoscorri indietro, priorità Orizzontale + + + + Autoscroll forward, vertical first + Autoscorri avanti, priorità Verticale + + + + Autoscroll backward, vertical first + Autoscorri indietro, priorità Verticale + + + + Move down + Muovi Giù + + + + Move up + Muovi Sù + + + + Move left + Muovi Sinistra + + + + Move right + Muovi Destra + + + + Go to the first page + Vai alla pagina iniziale + + + + Go to the last page + Vai all'ultima pagina + + + + Offset double page to the left + Doppia pagina spostata a sinistra + + + + Offset double page to the right + Doppia pagina spostata a destra + + + + There is a new version available + Nuova versione disponibile + + + + Do you want to download the new version? + Vuoi scaricare la nuova versione? + + + + Remind me in 14 days + Ricordamelo in 14 giorni + + + + Not now + Non ora + + + + YACReader::TrayIconController + + + &Restore + &Rnegozio + + + + Systray + Area di notifica + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuerà a essere eseguito nella barra delle applicazioni. Per terminare il programma, scegli <b>Esci</b> nel menu contestuale dell'icona nella barra delle applicazioni. + + + + YACReaderFieldEdit + + + Restore to default + Resetta al Default + + + + + Click to overwrite + Clikka per sovrascrivere + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Resetta al Default + + + + + + + Click to overwrite + Clikka per sovrascrivere + + + + YACReaderFlowConfigWidget + + CoverFlow look + Aspetto del flusso copertine + + + How to show covers: + Come mostrare le copertine: + + + Stripe look + Aspetto a striscia + + + Overlapped Stripe look + Aspetto a striscia sovrapposta + + + + YACReaderGLFlowConfigWidget + + Zoom + Ingrandimento + + + Light + Luminoso + + + Show advanced settings + Mostra le impostazioni avanzate + + + Roulette look + Aspetto a Roulette + + + Cover Angle + Angolo copertine + + + Stripe look + Aspetto a striscia + + + Position + Posizione + + + Z offset + Traslazione Z + + + Y offset + Traslazione Y + + + Central gap + Distanza centrale + + + Presets: + Preselezione: + + + Overlapped Stripe look + Aspetto a Striscia sovrapposto + + + Modern look + Aspetto moderno + + + View angle + Vista ad Angolo + + + Max angle + Angolo massimo + + + Custom: + Personalizza: + + + Classic look + Aspetto Classico + + + Cover gap + Distanza tra le Cover + + + High Performance + Alte Prestazioni + + + Performance: + Prestazioni: + - Use VSync (improve the image quality in fullscreen mode, worse performance) - UIsa VSync. (Migliora la qualità dell'immagine a modalità tutto schermo, peggiora le prestazioni) + UIsa VSync. (Migliora la qualità dell'immagine a modalità tutto schermo, peggiora le prestazioni) - Visibility - Visibilità + Visibilità - Low Performance - Basse Prestazioni + Basse Prestazioni YACReaderNavigationController - You are not reading anything yet, come on!! - Non stai ancora leggendo nulla, Forza!! - - - - There are no recent comics! - + Non stai ancora leggendo nulla, Forza!! - No favorites - Nessun Favorito + Nessun Favorito YACReaderOptionsDialog - + Save Salva - Use hardware acceleration (restart needed) - Usa accelerazione hardware (necessita riavvio) + Usa accelerazione hardware (necessita riavvio) - + Cancel Cancella - + Shortcuts Scorciatoie - + Edit shortcuts Modifica scorciatoia @@ -3023,7 +4212,7 @@ Migliora le prestazioni! YACReaderSearchLineEdit - + type to search Digita per cercare @@ -3031,34 +4220,60 @@ Migliora le prestazioni! YACReaderSideBar - Reading Lists - Lista di lettura + Lista di lettura - LIBRARIES - LIBRERIE + LIBRERIE - Libraries - Librerie + Librerie - FOLDERS - CARTELLE + CARTELLE - Folders - Cartelle + Cartelle - READING LISTS - LISTA DI LETTURA + LISTA DI LETTURA + + + + YACReaderSlider + + + Reset + Resetta + + + + YACReaderTranslator + + + YACReader translator + Traduttore YACReader + + + + + Translation + Traduzione + + + + clear + Cancella + + + + Service not available + Servizio non disponibile diff --git a/YACReaderLibrary/yacreaderlibrary_nl.ts b/YACReaderLibrary/yacreaderlibrary_nl.ts index c81d99609..46b81edf3 100644 --- a/YACReaderLibrary/yacreaderlibrary_nl.ts +++ b/YACReaderLibrary/yacreaderlibrary_nl.ts @@ -6,90 +6,30 @@ None - + Geen AddLabelDialog - + cancel annuleren - + Label name: - + Labelnaam: - + Choose a color: - - - - - red - - - - - orange - - - - - yellow - - - - - green - - - - - cyan - - - - - blue - - - - - violet - - - - - purple - - - - - pink - - - - - white - - - - - light - - - - - dark - + Kies een kleur: - + accept - + accepteren @@ -100,7 +40,7 @@ Toevoegen - + Add an existing library Voeg een bestaand bibliotheek toe @@ -130,23 +70,163 @@ Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> - + Voordat je verbinding kunt maken met Comic Vine, heb je een eigen API-sleutel nodig. Vraag er <a href="http://www.comicvine.com/api/">hier</a> één gratis aan Paste here your Comic Vine API key - + Plak hier uw Comic Vine API-sleutel Accept - + Accepteren + + + + AppearanceTabWidget + + + Color scheme + Kleurenschema + + + + System + Systeem + + + + Light + Licht + + + + Dark + Donker + + + + Custom + Aangepast + + + + Remove + Verwijderen + + + + Remove this user-imported theme + Verwijder dit door de gebruiker geïmporteerde thema + + + + Light: + Licht: + + + + Dark: + Donker: + + + + Custom: + Aangepast: + + + + Import theme... + Thema importeren... + + + + Theme + Thema + + + + Theme editor + Thema-editor + + + + Open Theme Editor... + Thema-editor openen... + + + + Theme editor error + Fout in de thema-editor + + + + The current theme JSON could not be loaded. + De huidige thema-JSON kan niet worden geladen. + + + + Import theme + Thema importeren + + + + JSON files (*.json);;All files (*) + JSON-bestanden (*.json);;Alle bestanden (*) + + + + Could not import theme from: +%1 + Kan thema niet importeren uit: +%1 + + + + Could not import theme from: +%1 + +%2 + Kan thema niet importeren uit: +%1 + +%2 + + + + Import failed + Importeren is mislukt + + + + BookmarksDialog + + + Lastest Page + Laatste Pagina + + + + Close + Sluiten + + + + Click on any image to go to the bookmark + Klik op een afbeelding om naar de bladwijzer te gaan + + + + + Loading... + Inladen... ClassicComicsView - + Hide comic flow Sluit de Omslagbrowser @@ -154,84 +234,84 @@ ComicInfoView - + + Characters + Personages + + + Main character or team - + Hoofdpersoon of team - + Teams - + Ploegen - + Locations - + Locaties - + Authors Auteurs - + writer - + schrijver - + penciller - + tekenaar - + inker - + inker - + colorist - + inkleurder - + letterer - + letteraar - + cover artist - + covertekenaar - + editor - + redacteur - + imprint - + fondslabel - + Publisher - + Uitgever - + color - + kleur - + b/w - - - - - Characters - + z/w @@ -274,105 +354,113 @@ Current Page - + Huidige pagina Publication Date - + Publicatiedatum Rating - + Beoordeling Series - + Serie Volume - + Deel Story Arc - + Verhaalboog ComicVineDialog - + skip - + overslaan - + back - + rug - + next - + volgende - + search - + zoekopdracht - + close - + dichtbij - - - + + + Looking for volume... - + Op zoek naar volumes... - - + + comic %1 of %2 - %3 - + strip %1 van %2 - %3 - + %1 comics selected - + %1 strips geselecteerd - + Error connecting to ComicVine - + Fout bij verbinden met ComicVine - - + + Retrieving tags for : %1 - + Tags ophalen voor: %1 - + Retrieving volume info... - + Volume-informatie ophalen... - + Looking for comic... - + Op zoek naar komische... + + + + ContinuousPageWidget + + + Loading page %1 + Pagina laden %1 CreateLibraryDialog - + Create new library Een nieuwe Bibliotheek aanmaken @@ -392,7 +480,7 @@ Een bibliotheek aanmaken kan enkele minuten duren. U kunt het proces stoppen en de bibliotheek later voltooien. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder De geselecteerde pad bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map @@ -407,7 +495,7 @@ Bibliotheek Naam : - + Path not found Pad niet gevonden @@ -417,54 +505,43 @@ Restore defaults - + Standaardwaarden herstellen To change a shortcut, double click in the key combination and type the new keys. - + Om een ​​snelkoppeling te wijzigen, dubbelklikt u op de toetsencombinatie en typt u de nieuwe toetsen. Shortcuts settings - + Instellingen voor snelkoppelingen - + Shortcut in use - + Snelkoppeling in gebruik - + The shortcut "%1" is already assigned to other function - + De sneltoets "%1" is al aan een andere functie toegewezen EmptyFolderWidget - - - Subfolders in this folder - - - - - Empty folder - - - - - Drag and drop folders and comics here - + + This folder doesn't contain comics yet + Deze map bevat nog geen strips EmptyLabelWidget - + This label doesn't contain comics yet - + Dit label bevat nog geen strips @@ -472,7 +549,25 @@ This reading list does not contain any comics yet - + Deze leeslijst bevat nog geen strips + + + + EmptySpecialListWidget + + + No favorites + Geen favorieten + + + + You are not reading anything yet, come on!! + Je leest nog niets, kom op!! + + + + There are no recent comics! + Er zijn geen recente strips! @@ -483,7 +578,7 @@ Uitvoerbestand: - + Destination database name Bestemmingsdatabase naam @@ -498,17 +593,17 @@ Aanmaken - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Het gekozen pad voor het uitvoerbestand bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map - + Export comics info Strip info exporteren - + Problem found while writing Probleem bij het schrijven @@ -526,7 +621,7 @@ Aanmaken - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Het gekozen pad voor het uitvoerbestand bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map @@ -536,17 +631,17 @@ Uitvoermap : - + Problem found while writing Probleem bij het schrijven - + Create covers package Aanmaken omslag pakket - + Destination directory Doeldirectory @@ -561,57 +656,86 @@ CRC error on page (%1): some of the pages will not be displayed correctly - + CRC-fout op pagina (%1): sommige pagina's worden niet correct weergegeven Unknown error opening the file - + Onbekende fout bij het openen van het bestand Format not supported - + Formaat niet ondersteund FolderContentView - + Continue Reading... - + Verder lezen... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Pagina : + + + + Go To + Ga Naar + + + + Cancel + Annuleren + + + + + Total pages : + Totaal aantal pagina's : + + + + Go to... + Ga naar... + + + + GoToFlowToolBar + + + Page : + Pagina : GridComicsView - + Show info - + Toon informatie HelpAboutDialog - + Help - Help + Hulp - + System info - + Systeeminformatie - + About Over @@ -639,7 +763,7 @@ Strip info Importeren - + Comics info file (*.ydb) Strips info bestand ( * .ydb) @@ -662,7 +786,7 @@ Uitpakken - + Compresed library covers (*.clc) Compresed omslag- bibliotheek ( * .clc) @@ -677,7 +801,7 @@ Bibliotheek Naam : - + Extract a catalog Een catalogus uitpakken @@ -685,54 +809,54 @@ ImportWidget - + stop - stop + Stoppen - + Importing comics Strips importeren - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <P>YACReaderLibrary maak nu een nieuwe bibliotheek. < /p> <p>Een bibliotheek aanmaken kan enkele minuten duren. U kunt het proces stoppen en de bibliotheek later voltooien. < /p> - + Some of the comics being added... Enkele strips zijn toegevoegd ... - + Updating the library Actualisering van de bibliotheek - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <P>De huidige bibliotheek wordt bijgewerkt. Voor snellere updates, update uw bibliotheken regelmatig. < /p> <p>u kunt het proces stoppen om later bij te werken. < /p> - + Upgrading the library - + Het upgraden van de bibliotheek - + <p>The current library is being upgraded, please wait.</p> - + <p>De huidige bibliotheek wordt geüpgraded. Een ogenblik geduld.</p> - + Scanning the library - + De bibliotheek scannen - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>De huidige bibliotheek wordt gescand op oudere XML-metadata-informatie.</p><p>Dit is slechts één keer nodig en alleen als de bibliotheek is ingepakt met YACReaderLibrary 9.8.2 of eerder.</p> @@ -742,17 +866,17 @@ Bewerken - + The selected folder doesn't contain any library. De geselecteerde map bevat geen bibliotheek. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Deze bibliotheek is gemaakt met een vorige versie van YACReaderLibrary. Het moet worden bijgewerkt. Nu bijwerken? - + Error opening the library Fout bij openen Bibliotheek @@ -773,12 +897,12 @@ Strip Instellen als gelezen - + Remove and delete metadata Verwijder metagegevens - + Old library Oude Bibliotheek @@ -787,7 +911,7 @@ Strip omslagen bijwerken - + Library Bibliotheek @@ -800,7 +924,7 @@ Volledig scherm modus aan/of - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Deze bibliotheek is gemaakt met een nieuwere versie van YACReaderLibrary. Download de nieuwe versie? @@ -813,7 +937,7 @@ Huidige Bibliotheek bijwerken - + Library '%1' is no longer available. Do you want to remove it? Bibliotheek ' %1' is niet langer beschikbaar. Wilt u het verwijderen? @@ -822,17 +946,17 @@ Bibliotheek bijwerken - + Open folder... Map openen ... - + Do you want remove Wilt u verwijderen - + Error updating the library Fout bij bijwerken Bibliotheek @@ -841,7 +965,7 @@ Alle categorieën uitklappen - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? Bibliotheek ' %1' is gemaakt met een oudere versie van YACReaderLibrary. Zij moet opnieuw worden aangemaakt. Wilt u de bibliotheek nu aanmaken? @@ -850,7 +974,7 @@ Inpakken strip voorbladen - + Set as read Instellen als gelezen @@ -871,7 +995,7 @@ Maak een nieuwe Bibliotheek - + Library not available Bibliotheek niet beschikbaar @@ -884,12 +1008,12 @@ Huidige strip openen - + YACReader Library YACReader Bibliotheek - + Error creating the library Fout bij aanmaken Bibliotheek @@ -898,7 +1022,7 @@ Uitpakken voorbladen - + Update needed Bijwerken is nodig @@ -907,22 +1031,22 @@ Open een bestaande Bibliotheek - + Library name already exists Bibliotheek naam bestaat al - + There is another library with the name '%1'. Er is al een bibliotheek met de naam ' %1 '. - + Download new version Nieuwe versie ophalen - + Delete comics Strips verwijderen @@ -951,18 +1075,18 @@ Uitpaken van een catalogus - + All the selected comics will be deleted from your disk. Are you sure? Alle geselecteerde strips worden verwijderd van uw schijf. Weet u het zeker? - - + + Set as unread Instellen als ongelezen - + Library not found Bibliotheek niet gevonden @@ -975,734 +1099,738 @@ Bibliotheek verwijderen - - - + + + manga - + Manga - - - + + + comic - + grappig - - - + + + western manga (left to right) - + westerse manga (van links naar rechts) Open containing folder... Open map ... - - - + + + 4koma (top to botom) 4koma (top to botom - + 4koma (van boven naar beneden) - + library? Bibliotheek? - + Are you sure? Weet u het zeker? - + Rescan library for XML info - + Bibliotheek opnieuw scannen op XML-info - - - + + + web comic - + web-strip - + Add new folder - + Nieuwe map toevoegen - + Delete folder - + Map verwijderen - + Set as uncompleted - + Ingesteld als onvoltooid - + Set as completed - + Instellen als voltooid - + Update folder - + Map bijwerken - + Folder - + Map - + Comic - + Grappig - + Upgrade failed - + Upgrade mislukt - + There were errors during library upgrade in: - + Er zijn fouten opgetreden tijdens de bibliotheekupgrade in: - - + + Copying comics... - + Strips kopiëren... - - + + Moving comics... - + Strips verplaatsen... - + Folder name: - + Mapnaam: - + No folder selected - + Geen map geselecteerd - + Please, select a folder first - + Selecteer eerst een map - + Error in path - + Fout in pad - + There was an error accessing the folder's path - + Er is een fout opgetreden bij het verkrijgen van toegang tot het pad van de map - + The selected folder and all its contents will be deleted from your disk. Are you sure? - + De geselecteerde map en de volledige inhoud ervan worden van uw schijf verwijderd. Weet je het zeker? - - + + Unable to delete - + Kan niet verwijderen - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. - + Er is een probleem opgetreden bij het verwijderen van de geselecteerde mappen. Controleer of er schrijfrechten zijn en zorg ervoor dat alle toepassingen deze mappen of een van de daarin opgenomen bestanden gebruiken. - + Add new reading lists - + Voeg nieuwe leeslijsten toe - - + + List name: - + Lijstnaam: - + Delete list/label - + Lijst/label verwijderen - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? - + Het geselecteerde item wordt verwijderd, uw strips of mappen worden NIET van uw schijf verwijderd. Weet je het zeker? - + Rename list name - + Hernoem de lijstnaam - - - - + + + + Set type - + Soort instellen - + Set custom cover - + Aangepaste omslag instellen - + Delete custom cover - + Aangepaste omslag verwijderen - + Save covers - + Bewaar hoesjes - + You are adding too many libraries. - + U voegt te veel bibliotheken toe. - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. - + U voegt te veel bibliotheken toe. + +Je hebt waarschijnlijk maar één bibliotheek nodig in je stripmap op het hoogste niveau. Je kunt door alle submappen bladeren met behulp van het mappengedeelte in de linkerzijbalk. + +YACReaderLibrary zal u er niet van weerhouden om meer bibliotheken te creëren, maar u moet het aantal bibliotheken laag houden. - - + + YACReader not found - + YACReader niet gevonden - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader niet gevonden. YACReader moet in dezelfde map worden geïnstalleerd als YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. - + YACReader niet gevonden. Er is mogelijk een probleem met uw YACReader-installatie. - + Error - + Fout - + Error opening comic with third party reader. - + Fout bij het openen van een strip met een lezer van een derde partij. - + Library info - + Bibliotheekinformatie - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. - + Er is een probleem opgetreden bij het verwijderen van de geselecteerde strips. Controleer of er schrijfrechten zijn voor de geselecteerde bestanden of de map waarin deze zich bevinden. - + Assign comics numbers - + Wijs stripnummers toe - + Assign numbers starting in: - + Nummers toewijzen beginnend met: - + Invalid image - + Ongeldige afbeelding - + The selected file is not a valid image. - + Het geselecteerde bestand is geen geldige afbeelding. - + Error saving cover - + Fout bij opslaan van dekking - + There was an error saving the cover image. - + Er is een fout opgetreden bij het opslaan van de omslagafbeelding. - + Remove comics - + Verwijder strips - + Comics will only be deleted from the current label/list. Are you sure? - + Strips worden alleen verwijderd van het huidige label/de huidige lijst. Weet je het zeker? LibraryWindowActions - + Create a new library - Maak een nieuwe Bibliotheek + Maak een nieuwe Bibliotheek - + Open an existing library - Open een bestaande Bibliotheek + Open een bestaande Bibliotheek - - + + Export comics info - + Strip info exporteren - - + + Import comics info - + Strip info Importeren - + Pack covers - Inpakken strip voorbladen + Inpakken strip voorbladen - + Pack the covers of the selected library - Inpakken alle strip voorbladen van de geselecteerde Bibliotheek + Inpakken alle strip voorbladen van de geselecteerde Bibliotheek - + Unpack covers - Uitpakken voorbladen + Uitpakken voorbladen - + Unpack a catalog - Uitpaken van een catalogus + Uitpaken van een catalogus - + Update library - Bibliotheek bijwerken + Bibliotheek bijwerken - + Update current library - Huidige Bibliotheek bijwerken + Huidige Bibliotheek bijwerken - + Rename library - Bibliotheek hernoemen + Bibliotheek hernoemen - + Rename current library - + Huidige Bibliotheek hernoemen - + Remove library - Bibliotheek verwijderen + Bibliotheek verwijderen - + Remove current library from your collection - De huidige Bibliotheek verwijderen uit uw verzameling + De huidige Bibliotheek verwijderen uit uw verzameling - + Rescan library for XML info - + Bibliotheek opnieuw scannen op XML-info - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Probeert XML-informatie te vinden die is ingebed in stripbestanden. U hoeft dit alleen te doen als de bibliotheek is gemaakt met versie 9.8.2 of eerdere versies of als u software van derden gebruikt om XML-informatie in de bestanden in te sluiten. - + Show library info - + Bibliotheekinfo tonen - + Show information about the current library - + Toon informatie over de huidige bibliotheek - + Open current comic - Huidige strip openen + Huidige strip openen - + Open current comic on YACReader - Huidige strip openen in YACReader + Huidige strip openen in YACReader - + Save selected covers to... - + Geselecteerde omslagen opslaan in... - + Save covers of the selected comics as JPG files - + Sla covers van de geselecteerde strips op als JPG-bestanden - - + + Set as read - Instellen als gelezen + Instellen als gelezen - + Set comic as read - Strip Instellen als gelezen + Strip Instellen als gelezen - - + + Set as unread - Instellen als ongelezen + Instellen als ongelezen - + Set comic as unread - Strip Instellen als ongelezen + Strip Instellen als ongelezen - - + + manga - + Manga - + Set issue as manga - + Stel het probleem in als manga - - + + comic - + grappig - + Set issue as normal - + Stel het probleem in als normaal - + western manga - + westerse manga - + Set issue as western manga - + Stel het probleem in als westerse manga - - + + web comic - + web-strip - + Set issue as web comic - + Stel het probleem in als webstrip - - + + yonkoma - + yokoma - + Set issue as yonkoma - + Stel het probleem in als yonkoma - + Show/Hide marks - Toon/Verberg markeringen + Toon/Verberg markeringen - + Show or hide read marks - + Toon of verberg leesmarkeringen - + Show/Hide recent indicator - + Recente indicator tonen/verbergen - + Show or hide recent indicator - + Toon of verberg recente indicator - - + + Fullscreen mode on/off - Volledig scherm modus aan/of + Volledig scherm modus aan/of - + Help, About YACReader - Help, Over YACReader + Help, Over YACReader - + Add new folder - + Nieuwe map toevoegen - + Add new folder to the current library - + Voeg een nieuwe map toe aan de huidige bibliotheek - + Delete folder - + Map verwijderen - + Delete current folder from disk - + Verwijder de huidige map van schijf - + Select root node - Selecteer de hoofd categorie + Selecteer de hoofd categorie - + Expand all nodes - Alle categorieën uitklappen + Alle categorieën uitklappen - + Collapse all nodes - + Vouw alle knooppunten samen - + Show options dialog - Toon opties dialoog + Toon opties dialoog - + Show comics server options dialog - Toon strips-server opties dialoog + Toon strips-server opties dialoog - - + + Change between comics views - + Wisselen tussen stripweergaven - + Open folder... - Map openen ... + Map openen ... - + Set as uncompleted - + Ingesteld als onvoltooid - + Set as completed - + Instellen als voltooid - + Set custom cover - + Aangepaste omslag instellen - + Delete custom cover - + Aangepaste omslag verwijderen - + western manga (left to right) - + westerse manga (van links naar rechts) - + Open containing folder... - Open map ... + Open map ... - + Reset comic rating - + Stripbeoordeling opnieuw instellen - + Select all comics - Selecteer alle strips + Selecteer alle strips - + Edit - Bewerken + Bewerken - + Assign current order to comics - + Wijs de huidige volgorde toe aan strips - + Update cover - Strip omslagen bijwerken + Strip omslagen bijwerken - + Delete selected comics - Geselecteerde strips verwijderen + Geselecteerde strips verwijderen - + Delete metadata from selected comics - + Verwijder metadata uit geselecteerde strips - + Download tags from Comic Vine - + Tags downloaden van Comic Vine - + Focus search line - + Focus zoeklijn - + Focus comics view - + Focus stripweergave - + Edit shortcuts - + Snelkoppelingen bewerken - + &Quit - + &Afsluiten - + Update folder - + Map bijwerken - + Update current folder - + Werk de huidige map bij - + Scan legacy XML metadata - + Scan oudere XML-metagegevens - + Add new reading list - + Nieuwe leeslijst toevoegen - + Add a new reading list to the current library - + Voeg een nieuwe leeslijst toe aan de huidige bibliotheek - + Remove reading list - + Leeslijst verwijderen - + Remove current reading list from the library - + Verwijder de huidige leeslijst uit de bibliotheek - + Add new label - + Nieuw etiket toevoegen - + Add a new label to this library - + Voeg een nieuw label toe aan deze bibliotheek - + Rename selected list - + Hernoem de geselecteerde lijst - + Rename any selected labels or lists - + Hernoem alle geselecteerde labels of lijsten - + Add to... - + Toevoegen aan... - + Favorites - + Favorieten - + Add selected comics to favorites list - + Voeg geselecteerde strips toe aan de favorietenlijst @@ -1710,200 +1838,196 @@ YACReaderLibrary will not stop you from creating more libraries but you should k file name - - - - - LogWindow - - - Log window - - - - - &Pause - - - - - &Save - - - - - C&lear - - - - - &Copy - - - - - Level: - - - - - &Auto scroll - + bestandsnaam NoLibrariesWidget - + create your first library Maak uw eerste bibliotheek - + You don't have any libraries yet Je hebt geen nog libraries - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <P>u kunt een bibliotheek maken in een willekeurige map, YACReaderLibrary importeert alle strips en mappen uit deze map. Alle bibliotheek aangemaakt in het verleden kan je openen. < /p> <p>vergeet niet dat u YACReader kan gebruiken als stand-alone applicatie voor het lezen van de strips op de computer. < /p> - + add an existing one voeg een bestaande bibliotheek toe + + NoSearchResultsWidget + + + No results + Geen resultaten + + OptionsDialog - + + + Appearance + Verschijning + + + + Options Opties - + + + Language + Taal + + + + + Application language + Applicatietaal + + + + + System default + Standaard van het systeem + + + Tray icon settings (experimental) - + Instellingen voor ladepictogram (experimenteel) - + Close to tray - + Dicht bij lade - + Start into the system tray - + Begin in het systeemvak - + Edit Comic Vine API key - + Bewerk de Comic Vine API-sleutel - + Comic Vine API key - + Comic Vine API-sleutel - + ComicInfo.xml legacy support - + ComicInfo.xml verouderde ondersteuning - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Importeer metagegevens uit ComicInfo.xml wanneer u nieuwe strips toevoegt - + Consider 'recent' items added or updated since X days ago - + Overweeg 'recente' items die sinds X dagen geleden zijn toegevoegd of bijgewerkt - + Third party reader - + Lezer van derden - + Write {comic_file_path} where the path should go in the command - + Schrijf {comic_file_path} waar het pad naartoe moet in de opdracht - + + Clear - + Duidelijk - + Update libraries at startup - + Update bibliotheken bij het opstarten - + Try to detect changes automatically - + Probeer wijzigingen automatisch te detecteren - + Update libraries periodically - + Update bibliotheken regelmatig - + Interval: - + Tijdsinterval: - + 30 minutes - + 30 minuten - + 1 hour - + 1 uur - + 2 hours - + 2 uur - + 4 hours - + 4 uur - + 8 hours - + 8 uur - + 12 hours - + 12 uur - + daily - + dagelijks - + Update libraries at certain time - + Update bibliotheken op een bepaald tijdstip - + Time: - + Tijd: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -1911,100 +2035,275 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + WAARSCHUWING! Tijdens bibliotheekupdates is schrijven naar de database uitgeschakeld! +Plan geen updates terwijl u de app mogelijk actief gebruikt. +During automatic updates the app will block some of the actions until the update is finished. +Om een ​​automatische update te stoppen, tikt u op de laadindicator naast de titel van Bibliotheken. - + Modifications detection - + Detectie van wijzigingen - + Compare the modified date of files when updating a library (not recommended) - + Vergelijk de wijzigingsdatum van bestanden bij het updaten van een bibliotheek (niet aanbevolen) - + Enable background image - + Achtergrondafbeelding inschakelen - + Opacity level - + Dekkingsniveau - + Blur level - + Vervagingsniveau - + Use selected comic cover as background - + Gebruik geselecteerde stripomslag als achtergrond - + Restore defautls - + Standaardwaarden herstellen - + Background - + Achtergrond - + Display continue reading banner - + Toon de banner voor verder lezen - + Display current comic banner - + Toon huidige stripbanner - + Continue reading - + Lees verder - + Comic Flow - + Komische stroom - - + + Libraries - + Bibliotheken - + Grid view - + Rasterweergave - + + General - + Algemeen - - - PropertiesDialog - - Day: - Dag: + + My comics path + Pad naar mijn strips - - Plot - Verhaal + + Display + Weergave - - Size: + + Show time in current page information label + Toon de tijd in het informatielabel van de huidige pagina + + + + "Go to flow" size + "Naar Omslagbrowser" afmetingen + + + + Background color + Achtergrondkleur + + + + Choose + Kies + + + + Scroll behaviour + Scrollgedrag + + + + Disable scroll animations and smooth scrolling + Schakel scrollanimaties en soepel scrollen uit + + + + Do not turn page using scroll + Sla de pagina niet om met scrollen + + + + Use single scroll step to turn page + Gebruik een enkele scrollstap om de pagina om te slaan + + + + Mouse mode + Muismodus + + + + Only Back/Forward buttons can turn pages + Alleen de knoppen Terug/Vooruit kunnen pagina's omslaan + + + + Use the Left/Right buttons to turn pages. + Gebruik de knoppen Links/Rechts om pagina's om te slaan. + + + + Click left or right half of the screen to turn pages. + Klik op de linker- of rechterhelft van het scherm om pagina's om te slaan. + + + + Quick Navigation Mode + Snelle navigatiemodus + + + + Disable mouse over activation + Schakel muis-over-activering uit + + + + Brightness + Helderheid + + + + Contrast + Contrastwaarde + + + + Gamma + Gammawaarde + + + + Reset + Standaardwaarden terugzetten + + + + Image options + Afbeelding opties + + + + Fit options + Pas opties + + + + Enlarge images to fit width/height + Vergroot afbeeldingen zodat ze in de breedte/hoogte passen + + + + Double Page options + Opties voor dubbele pagina's + + + + Show covers as single page + Toon omslagen als enkele pagina + + + + Scaling + Schalen + + + + Scaling method + Schaalmethode + + + + Nearest (fast, low quality) + Dichtstbijzijnde (snel, lage kwaliteit) + + + + Bilinear + Bilineair + + + + Lanczos (better quality) + Lanczos (betere kwaliteit) + + + + Page Flow + Omslagbrowser + + + + Image adjustment + Beeldaanpassing + + + + + Restart is needed + Herstart is nodig + + + + Comics directory + Strips map + + + + PropertiesDialog + + + Day: + Dag: + + + + Plot + Verhaal + + + + Size: Grootte(MB): @@ -2015,7 +2314,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Inker(s): - Inker(s): + Inkt(en): @@ -2055,37 +2354,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Genre: - Genre: + Genretype: Notes - + Opmerkingen Load previous page as cover - + Laad de vorige pagina als omslag Load next page as cover - + Laad de volgende pagina als omslag Reset cover to the default image - + Zet de omslag terug naar de standaardafbeelding Load custom cover image - + Aangepaste omslagafbeelding laden Series: - + Serie: @@ -2095,27 +2394,27 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + alt. nummer: Alternate series: - + Alternatieve serie: Series Group: - + Seriegroep: Editor(s): - + Redacteur(en): Imprint: - + Opdruk: @@ -2125,32 +2424,32 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + Soort: Language (ISO): - + Taal (ISO): Teams: - + Ploegen: Locations: - + Locaties: Main character or team: - + Hoofdpersoon of team: Review: - + Beoordeling: @@ -2160,17 +2459,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Invalid cover - + Ongeldige dekking The image is invalid. - + De afbeelding is ongeldig. Synopsis: - Synopsis: + Samenvatting: @@ -2210,7 +2509,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + Labels: @@ -2252,17 +2551,33 @@ To stop an automatic update tap on the loading indicator next to the Libraries t of: - + van: Arc number: - + Boognummer: Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> - + Comic Vine-link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> bekijken </a> + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer is de headless (geen gui) versie van YACReaderLibrary. + +Deze applicatie ondersteunt permanente instellingen. Om ze in te stellen, bewerk dit bestand %1 +Voor meer informatie over de beschikbare instellingen kunt u de documentatie raadplegen op https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md @@ -2270,99 +2585,83 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 7z lib not found - + 7z-lib niet gevonden unable to load 7z lib from ./utils - + kan 7z lib niet laden vanuit ./utils Trace - + Spoor Debug - + Foutopsporing Info - + Informatie Warning - + Waarschuwing Error - + Fout Fatal - + Fataal - + Select custom cover - + Selecteer een aangepaste omslag - + Images (%1) - - - - - QsLogging::LogWindowModel - - - Time - - - - - Level - + Afbeeldingen (%1) - - Message - + + The file could not be read or is not valid JSON. + Het bestand kan niet worden gelezen of is geen geldige JSON. - - - QsLogging::Window - - &Pause - + + This theme is for %1, not %2. + Dit thema is voor %1, niet voor %2. - - &Resume - + + Libraries + Bibliotheken - - Save log - + + Folders + Mappen - - Log file (*.log) - + + Reading Lists + Leeslijsten RenameLibraryDialog - + Rename current library Hernoem de huidige bibiliotheek @@ -2385,20 +2684,20 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of volumes found : %1 - + Aantal gevonden volumes: %1 - - + + page %1 of %2 - + pagina %1 van %2 - + Number of %1 found : %2 - + Aantal %1 gevonden: %2 @@ -2407,17 +2706,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - + Geef wat aanvullende informatie op voor deze strip. - + Series: - + Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Gebruik exacte matchzoekopdrachten. Schakel dit uit als u volumes wilt vinden die overeenkomen met enkele woorden in de naam. @@ -2425,503 +2724,1336 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information. - + Geef alstublieft wat aanvullende informatie op. - + Series: - + Serie: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Gebruik exacte matchzoekopdrachten. Schakel dit uit als u volumes wilt vinden die overeenkomen met enkele woorden in de naam. SelectComic - + Please, select the right comic info. - + Selecteer de juiste stripinformatie. - + comics - + strips - + loading cover - + laaddeksel - + loading description - + beschrijving laden - + comic description unavailable - + komische beschrijving niet beschikbaar SelectVolume - + Please, select the right series for your comic. - + Selecteer de juiste serie voor jouw strip. - + Filter: - + Selectiefilter: - + volumes - + delen - + Nothing found, clear the filter if any. - + Niets gevonden. Wis eventueel het filter. - + loading cover - + laaddeksel - + loading description - + beschrijving laden - + volume description unavailable - + volumebeschrijving niet beschikbaar SeriesQuestion - + no neen - + yes Ja You are trying to get information for various comics at once, are they part of the same series? - + Je probeert informatie voor verschillende strips tegelijk te krijgen. Maken ze deel uit van dezelfde serie? ServerConfigDialog - + Port Poort - + enable the server De server instellen - + set port Poort instellen - + Server connectivity information - + Informatie over serverconnectiviteit - + Scan it! - + Scan het! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader is beschikbaar voor iOS- en Android-apparaten.<br/>Ontdek het voor <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> of <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address - + Kies een IP-adres SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. - + Sorteer de lijst met strips aan de linkerkant totdat deze overeenkomt met de informatie over de strips. - + sort comics to match comic information - + sorteer strips zodat ze overeenkomen met stripinformatie - + issues - + problemen - + remove selected comics - + verwijder geselecteerde strips - + restore all removed comics - + herstel alle verwijderde strips - TitleHeader + ThemeEditorDialog - - SEARCH - + + Theme Editor + Thema-editor - - - UpdateLibraryDialog - - Update library - Bibliotheek bijwerken + + + + + - - Cancel - Annuleren + + - + - - - Updating.... - Bijwerken.... + + i + ? - - - VolumeComicsModel - - title - + + Expand all + Alles uitvouwen - - - VolumesModel - - year - + + Collapse all + Alles samenvouwen - - issues - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Houd ingedrukt om de geselecteerde waarde in de gebruikersinterface te laten knipperen (magenta / geschakeld / 0↔10). Releases herstellen het origineel. - - publisher - + + Search… + Zoekopdracht… - - - YACReader::TrayIconController - - &Restore - + + Light + Licht - - Systray - + + Dark + Donker - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - + + ID: + Identiteitskaart: - - - YACReader::WhatsNewDialog - - Close - + + Display name: + Weergavenaam: - - - YACReaderFieldEdit - - Restore to default - Standaardwaarden herstellen + + Variant: + Variatie: - - - Click to overwrite - Klik hier om te overschrijven + + Theme info + Thema-informatie - - - YACReaderFieldPlainTextEdit - - Restore to default - Standaardwaarden herstellen + + Parameter + Instelwaarde - - - - - Click to overwrite - Klik hier om te overschrijven + + Value + Waarde - - - YACReaderFlowConfigWidget - - CoverFlow look - Omslagbrowser uiterlijk + + Save and apply + Opslaan en toepassen - - How to show covers: - Hoe omslagbladen bekijken: + + Export to file... + Exporteren naar bestand... - - Stripe look - Brede band + + Load from file... + Laden uit bestand... - - Overlapped Stripe look - Overlappende band + + Close + Sluiten - - - YACReaderGLFlowConfigWidget - - Zoom - Zoom + + Double-click to edit color + Dubbelklik om de kleur te bewerken - - Light - Licht + + + + + + + true + WAAR - - Show advanced settings - Toon geavanceerde instellingen + + + + + false + vals - - Roulette look - Roulette + + Double-click to toggle + Dubbelklik om te schakelen - - Cover Angle - Omslag hoek + + Double-click to edit value + Dubbelklik om de waarde te bewerken - - Stripe look - Brede band + + + + Edit: %1 + Bewerken: %1 - - Position - Positie + + Save theme + Thema opslaan - - Z offset - Z- positie + + + JSON files (*.json);;All files (*) + JSON-bestanden (*.json);;Alle bestanden (*) - - Y offset - Y-positie + + Save failed + Opslaan mislukt - - Central gap - Centrale ruimte + + Could not open file for writing: +%1 + Kan bestand niet openen om te schrijven: +%1 - - Presets: - Voorinstellingen: + + Load theme + Thema laden - - Overlapped Stripe look - Overlappende band + + + + Load failed + Laden mislukt - - Modern look - Modern + + Could not open file: +%1 + Kan bestand niet openen: +%1 - - View angle - Kijkhoek + + Invalid JSON: +%1 + Ongeldige JSON: +%1 - - Max angle - Maximale hoek + + Expected a JSON object. + Er werd een JSON-object verwacht. + + + TitleHeader - - Custom: - Aangepast: + + SEARCH + ZOEKOPDRACHT + + + UpdateLibraryDialog - - Classic look - Klassiek + + Update library + Bibliotheek bijwerken - - Cover gap - Ruimte tss Omslag + + Cancel + Annuleren - - High Performance - Hoge Prestaties + + Updating.... + Bijwerken.... + + + Viewer - - Performance: - Prestatie: + + + Press 'O' to open comic. + Druk 'O' om een strip te openen. - - Use VSync (improve the image quality in fullscreen mode, worse performance) - Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) + + Not found + Niet gevonden - - Visibility - Zichtbaarheid + + Comic not found + Strip niet gevonden - - Low Performance - Lage Prestaties + + Error opening comic + Fout bij openen strip - - - YACReaderNavigationController - - No favorites - + + CRC Error + CRC-fout - - You are not reading anything yet, come on!! - + + Loading...please wait! + Inladen...even wachten! - - There are no recent comics! - + + Page not available! + Pagina niet beschikbaar! - - - YACReaderOptionsDialog - - Save - Bewaar + + Cover! + Omslag! - - Use hardware acceleration (restart needed) - Gebruik hardware versnelling (opnieuw opstarten vereist) + + Last page! + Laatste pagina! + + + VolumeComicsModel - - Cancel - Annuleren - + + title + titel + + + + VolumesModel + + + year + jaar + + + + issues + problemen + + + + publisher + uitgever + + + + YACReader3DFlowConfigWidget + + + Presets: + Voorinstellingen: + + + + Classic look + Klassiek + + + + Stripe look + Brede band + + + + Overlapped Stripe look + Overlappende band + + + + Modern look + Modern + + + + Roulette look + Roulette + + + + Show advanced settings + Toon geavanceerde instellingen + + + + Custom: + Aangepast: + + + + View angle + Kijkhoek + + + + Position + Positie + + + + Cover gap + Ruimte tss Omslag + + + + Central gap + Centrale ruimte + + + + Zoom + Vergroting + + + + Y offset + Y-positie + + + + Z offset + Z- positie + + + + Cover Angle + Omslag hoek + + + + Visibility + Zichtbaarheid + + + + Light + Licht + + + + Max angle + Maximale hoek + + + + Low Performance + Lage Prestaties + + + + High Performance + Hoge Prestaties + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) + + + + Performance: + Prestatie: + + + + YACReader::MainWindowViewer + + + &Open + &Openen + + + + Open a comic + Open een strip + + + + New instance + Nieuw exemplaar + + + + Open Folder + Map Openen + + + + Open image folder + Open afbeeldings map + + + + Open latest comic + Open de nieuwste strip + + + + Open the latest comic opened in the previous reading session + Open de nieuwste strip die in de vorige leessessie is geopend + + + + Clear + Duidelijk + + + + Clear open recent list + Wis geopende recente lijst + + + + Save + Bewaar + + + + + Save current page + Bewaren huidige pagina + + + + Previous Comic + Vorige Strip + + + + + + Open previous comic + Open de vorige strip + + + + Next Comic + Volgende Strip + + + + + + Open next comic + Open volgende strip + + + + &Previous + &Vorige + + + + + + Go to previous page + Ga naar de vorige pagina + + + + &Next + &Volgende + + + + + + Go to next page + Ga naar de volgende pagina + + + + Fit Height + Geschikte hoogte + + + + Fit image to height + Afbeelding aanpassen aan hoogte + + + + Fit Width + Vensterbreedte aanpassen + + + + Fit image to width + Afbeelding aanpassen aan breedte + + + + Show full size + Volledig Scherm + + + + Fit to page + Aanpassen aan pagina + + + + Continuous scroll + Continu scrollen + + + + Switch to continuous scroll mode + Schakel over naar de continue scrollmodus + + + + Reset zoom + Zoom opnieuw instellen + + + + Show zoom slider + Zoomschuifregelaar tonen + + + + Zoom+ + Inzoomen + + + + Zoom- + Uitzoomen + + + + Rotate image to the left + Links omdraaien + + + + Rotate image to the right + Rechts omdraaien + + + + Double page mode + Dubbele bladzijde modus + + + + Switch to double page mode + Naar dubbele bladzijde modus + + + + Double page manga mode + Manga-modus met dubbele pagina + + + + Reverse reading order in double page mode + Omgekeerde leesvolgorde in dubbele paginamodus + + + + Go To + Ga Naar + + + + Go to page ... + Ga naar bladzijde ... + + + + Options + Opties + + + + YACReader options + YACReader opties + + + + + Help + Hulp + + + + Help, About YACReader + Help, Over YACReader + + + + Magnifying glass + Vergrootglas + + + + Switch Magnifying glass + Overschakelen naar Vergrootglas + + + + Set bookmark + Bladwijzer instellen + + + + Set a bookmark on the current page + Een bladwijzer toevoegen aan de huidige pagina + + + + Show bookmarks + Bladwijzers weergeven + + + + Show the bookmarks of the current comic + Toon de bladwijzers van de huidige strip + + + + Show keyboard shortcuts + Toon de sneltoetsen + + + + Show Info + Info tonen + + + + Close + Sluiten + + + + Show Dictionary + Woordenlijst weergeven + + + + Show go to flow + Toon ga naar de Omslagbrowser + + + + Edit shortcuts + Snelkoppelingen bewerken + + + + &File + &Bestand + + + + + Open recent + Recent geopend + + + + File + Bestand + - + + Edit + Bewerken + + + + View + Weergave + + + + Go + Gaan + + + + Window + Raam + + + + + + Open Comic + Open een Strip + + + + + + Comic files + Strip bestanden + + + + Open folder + Open een Map + + + + page_%1.jpg + pagina_%1.jpg + + + + Image files (*.jpg) + Afbeelding bestanden (*.jpg) + + + + + Comics + Strips + + + + + General + Algemeen + + + + + Magnifiying glass + Vergrootglas + + + + + Page adjustement + Pagina-aanpassing + + + + + Reading + Lezing + + + + Toggle fullscreen mode + Schakel de modus Volledig scherm in + + + + Hide/show toolbar + Werkbalk verbergen/tonen + + + + Size up magnifying glass + Vergrootglas vergroten + + + + Size down magnifying glass + Vergrootglas kleiner maken + + + + Zoom in magnifying glass + Zoom in vergrootglas + + + + Zoom out magnifying glass + Uitzoomen vergrootglas + + + + Reset magnifying glass + Vergrootglas opnieuw instellen + + + + Toggle between fit to width and fit to height + Schakel tussen Aanpassen aan breedte en Aanpassen aan hoogte + + + + Autoscroll down + Automatisch naar beneden scrollen + + + + Autoscroll up + Automatisch omhoog scrollen + + + + Autoscroll forward, horizontal first + Automatisch vooruit scrollen, eerst horizontaal + + + + Autoscroll backward, horizontal first + Automatisch achteruit scrollen, eerst horizontaal + + + + Autoscroll forward, vertical first + Automatisch vooruit scrollen, eerst verticaal + + + + Autoscroll backward, vertical first + Automatisch achteruit scrollen, eerst verticaal + + + + Move down + Ga naar beneden + + + + Move up + Ga omhoog + + + + Move left + Ga naar links + + + + Move right + Ga naar rechts + + + + Go to the first page + Ga naar de eerste pagina + + + + Go to the last page + Ga naar de laatste pagina + + + + Offset double page to the left + Dubbele pagina naar links verschoven + + + + Offset double page to the right + Offset dubbele pagina naar rechts + + + + There is a new version available + Er is een nieuwe versie beschikbaar + + + + Do you want to download the new version? + Wilt u de nieuwe versie downloaden? + + + + Remind me in 14 days + Herinner mij er over 14 dagen aan + + + + Not now + Niet nu + + + + YACReader::TrayIconController + + + &Restore + &Herstellen + + + + Systray + Systeemvak + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary blijft actief in het systeemvak. Om het programma te beëindigen, kiest u <b>Quit</b> in het contextmenu van het systeemvakpictogram. + + + + YACReaderFieldEdit + + + Restore to default + Standaardwaarden herstellen + + + + + Click to overwrite + Klik hier om te overschrijven + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Standaardwaarden herstellen + + + + + + + Click to overwrite + Klik hier om te overschrijven + + + + YACReaderFlowConfigWidget + + CoverFlow look + Omslagbrowser uiterlijk + + + How to show covers: + Hoe omslagbladen bekijken: + + + Stripe look + Brede band + + + Overlapped Stripe look + Overlappende band + + + + YACReaderGLFlowConfigWidget + + Zoom + Vergroting + + + Light + Licht + + + Show advanced settings + Toon geavanceerde instellingen + + + Roulette look + Roulette + + + Cover Angle + Omslag hoek + + + Stripe look + Brede band + + + Position + Positie + + + Z offset + Z- positie + + + Y offset + Y-positie + + + Central gap + Centrale ruimte + + + Presets: + Voorinstellingen: + + + Overlapped Stripe look + Overlappende band + + + Modern look + Modern + + + View angle + Kijkhoek + + + Max angle + Maximale hoek + + + Custom: + Aangepast: + + + Classic look + Klassiek + + + Cover gap + Ruimte tss Omslag + + + High Performance + Hoge Prestaties + + + Performance: + Prestatie: + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) + + + Visibility + Zichtbaarheid + + + Low Performance + Lage Prestaties + + + + YACReaderOptionsDialog + + + Save + Bewaar + + + Use hardware acceleration (restart needed) + Gebruik hardware versnelling (opnieuw opstarten vereist) + + + + Cancel + Annuleren + + + Edit shortcuts - + Snelkoppelingen bewerken - + Shortcuts - + Snelkoppelingen YACReaderSearchLineEdit - + type to search - + typ om te zoeken YACReaderSideBar - LIBRARIES - BIBLIOTHEKEN + BIBLIOTHEKEN - FOLDERS - MAPPEN + MAPPEN + + + + YACReaderSlider + + + Reset + Standaardwaarden terugzetten + + + YACReaderTranslator - - Libraries - + + YACReader translator + YACReader-vertaler - - Folders - + + + Translation + Vertaling - - Reading Lists - + + clear + duidelijk - - READING LISTS - + + Service not available + Dienst niet beschikbaar diff --git a/YACReaderLibrary/yacreaderlibrary_pt.ts b/YACReaderLibrary/yacreaderlibrary_pt.ts index add794dd7..1b0efd7e1 100644 --- a/YACReaderLibrary/yacreaderlibrary_pt.ts +++ b/YACReaderLibrary/yacreaderlibrary_pt.ts @@ -6,90 +6,30 @@ None - + Nenhum AddLabelDialog - + Label name: - + Nome da etiqueta: - + Choose a color: - - - - - red - - - - - orange - - - - - yellow - - - - - green - - - - - cyan - - - - - blue - - - - - violet - - - - - purple - - - - - pink - - - - - white - - - - - light - - - - - dark - + Escolha uma cor: - + accept - + aceitar - + cancel - + cancelar @@ -100,7 +40,7 @@ Adicionar - + Add an existing library Adicionar uma biblioteca existente @@ -130,108 +70,248 @@ Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> - + Antes de se conectar ao Comic Vine, você precisa de sua própria chave de API. Por favor, ganhe um <a href="http://www.comicvine.com/api/">aqui</a> grátis Paste here your Comic Vine API key - + Cole aqui sua chave API do Comic Vine Accept - + Aceitar + + + + AppearanceTabWidget + + + Color scheme + Esquema de cores + + + + System + Sistema + + + + Light + Luz + + + + Dark + Escuro + + + + Custom + Personalizado + + + + Remove + Remover + + + + Remove this user-imported theme + Remova este tema importado pelo usuário + + + + Light: + Luz: + + + + Dark: + Escuro: + + + + Custom: + Personalizado: + + + + Import theme... + Importar tema... + + + + Theme + Tema + + + + Theme editor + Editor de tema + + + + Open Theme Editor... + Abra o Editor de Tema... + + + + Theme editor error + Erro no editor de tema + + + + The current theme JSON could not be loaded. + O tema atual JSON não pôde ser carregado. + + + + Import theme + Importar tema + + + + JSON files (*.json);;All files (*) + Arquivos JSON (*.json);;Todos os arquivos (*) + + + + Could not import theme from: +%1 + Não foi possível importar o tema de: +%1 + + + + Could not import theme from: +%1 + +%2 + Não foi possível importar o tema de: +%1 + +%2 + + + + Import failed + Falha na importação + + + + BookmarksDialog + + + Lastest Page + Última Página + + + + Close + Fechar + + + + Click on any image to go to the bookmark + Clique em qualquer imagem para ir para o marcador + + + + + Loading... + Carregando... ClassicComicsView - + Hide comic flow - + Ocultar fluxo de quadrinhos ComicInfoView - + + Characters + Personagens + + + Main character or team - + Personagem principal ou equipa - + Teams - + Equipas - + Locations - + Localizações - + Authors - + Autores - + writer - + argumentista - + penciller - + desenhador (lápis) - + inker - + arte-finalista - + colorist - + colorista - + letterer - + letreirista - + cover artist - + artista de capa - + editor - + editor - + imprint - + chancela editorial - + Publisher - + Editora - + color - + cor - + b/w - - - - - Characters - + p/b @@ -239,140 +319,148 @@ yes - + sim no - + não Title - + Título File Name - + Nome do arquivo Pages - + Páginas Size - + Tamanho Read - + Ler Current Page - + Página atual Publication Date - + Data de publicação Rating - + Avaliação Series - + Série Volume - + Tomo Story Arc - + Arco de história ComicVineDialog - + skip - + pular - + back - + voltar - + next - + próximo - + search - + procurar - + close - + fechar - - - + + + Looking for volume... - + Procurando volume... - - + + comic %1 of %2 - %3 - + história em quadrinhos %1 de %2 - %3 - + %1 comics selected - + %1 quadrinhos selecionados - + Error connecting to ComicVine - + Erro ao conectar-se ao ComicVine - - + + Retrieving tags for : %1 - + Recuperando tags para: %1 - + Retrieving volume info... - + Recuperando informações de volume... - + Looking for comic... - + Procurando quadrinhos... + + + + ContinuousPageWidget + + + Loading page %1 + Carregando página %1 CreateLibraryDialog - + Create new library Criar uma nova biblioteca @@ -399,17 +487,17 @@ Create a library could take several minutes. You can stop the process and update the library later for completing the task. - + Criar uma biblioteca pode levar vários minutos. Você pode interromper o processo e atualizar a biblioteca posteriormente para concluir a tarefa. - + Path not found - + Caminho não encontrado - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder - + O caminho selecionado não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta @@ -417,54 +505,43 @@ Restore defaults - + Restaurar padrões To change a shortcut, double click in the key combination and type the new keys. - + Para alterar um atalho, clique duas vezes na combinação de teclas e digite as novas teclas. Shortcuts settings - + Configurações de atalhos - + Shortcut in use - + Atalho em uso - + The shortcut "%1" is already assigned to other function - + O atalho "%1" já está atribuído a outra função EmptyFolderWidget - - - Subfolders in this folder - - - - - Empty folder - - - - - Drag and drop folders and comics here - + + This folder doesn't contain comics yet + Esta pasta ainda não contém quadrinhos EmptyLabelWidget - + This label doesn't contain comics yet - + Este rótulo ainda não contém quadrinhos @@ -472,7 +549,25 @@ This reading list does not contain any comics yet - + Esta lista de leitura ainda não contém quadrinhos + + + + EmptySpecialListWidget + + + No favorites + Sem favoritos + + + + You are not reading anything yet, come on!! + Você ainda não está lendo nada, vamos lá!! + + + + There are no recent comics! + Não há quadrinhos recentes! @@ -490,27 +585,27 @@ Output file : - + Arquivo de saída: - + Export comics info - + Exportar informa??es dos quadrinhos - + Destination database name - + Nome do banco de dados de destino - + Problem found while writing - + Problema encontrado ao escrever - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder - + O caminho selecionado para o arquivo de saída não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta @@ -531,24 +626,24 @@ Pasta de saída : - + Create covers package Criar pacote de capas - + Destination directory Diretório de destino - + Problem found while writing - + Problema encontrado ao escrever - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder - + O caminho selecionado para o arquivo de saída não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta @@ -561,59 +656,88 @@ CRC error on page (%1): some of the pages will not be displayed correctly - + Erro CRC na página (%1): algumas páginas não serão exibidas corretamente Unknown error opening the file - + Erro desconhecido ao abrir o arquivo Format not supported - + Formato não suportado FolderContentView - + Continue Reading... - + Continuar a ler... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Página : + + + + Go To + Ir Para + + + + Cancel + Cancelar + + + + + Total pages : + Total de páginas : + + + + Go to... + Ir para... + + + + GoToFlowToolBar + + + Page : + Página : GridComicsView - + Show info - + Mostrar informações HelpAboutDialog - + About - + Sobre - + Help - + Ajuda - + System info - + Informações do sistema @@ -626,22 +750,22 @@ Import comics info - + Importar informa??es dos quadrinhos Info database location : - + Localização do banco de dados de informações: Import - + Importar - + Comics info file (*.ydb) - + Arquivo de informações de quadrinhos (*.ydb) @@ -662,7 +786,7 @@ Desempacotar - + Compresed library covers (*.clc) Capas da biblioteca compactada (*.clc) @@ -677,7 +801,7 @@ Nome da Biblioteca : - + Extract a catalog Extrair um catálogo @@ -685,54 +809,54 @@ ImportWidget - + stop - + parar - + Some of the comics being added... - + Alguns dos quadrinhos sendo adicionados... - + Importing comics - + Importando quadrinhos - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> - + <p>YACReaderLibrary está criando uma nova biblioteca.</p><p>A criação de uma biblioteca pode levar vários minutos. Você pode interromper o processo e atualizar a biblioteca posteriormente para concluir a tarefa.</p> - + Updating the library - + Atualizando a biblioteca - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> - + <p>A biblioteca atual está sendo atualizada. Para atualizações mais rápidas, atualize suas bibliotecas com frequência.</p><p>Você pode interromper o processo e continuar atualizando esta biblioteca mais tarde.</p> - + Upgrading the library - + Atualizando a biblioteca - + <p>The current library is being upgraded, please wait.</p> - + <p>A biblioteca atual está sendo atualizada. Aguarde.</p> - + Scanning the library - + Digitalizando a biblioteca - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>A biblioteca atual está sendo verificada em busca de informações de metadados XML legados.</p><p>Isso só será necessário uma vez e somente se a biblioteca tiver sido criada com YACReaderLibrary 9.8.2 ou anterior.</p> @@ -742,7 +866,7 @@ Remover biblioteca atual da sua coleção - + Library Biblioteca @@ -759,27 +883,27 @@ Atualizar biblioteca atual - + Open folder... Abrir pasta... - - - + + + western manga (left to right) - + mangá ocidental (da esquerda para a direita) - - - + + + 4koma (top to botom) 4koma (top to botom - + 4koma (de cima para baixo) - + Do you want remove Você deseja remover @@ -796,7 +920,7 @@ Criar uma nova biblioteca - + YACReader Library Biblioteca YACReader @@ -809,18 +933,18 @@ Pacote de capas da biblioteca selecionada - - - + + + manga - + mangá - - - + + + comic - + cômico Help, About YACReader @@ -839,802 +963,806 @@ Abrir a pasta contendo... - + Are you sure? Você tem certeza? - + Rescan library for XML info - + Reanalisar biblioteca para informa??es XML - + Set as read - + Definir como lido - - + + Set as unread - + Definir como não lido - - - + + + web comic - + quadrinhos da web - + Add new folder - + Adicionar nova pasta - + Delete folder - + Excluir pasta - + Set as uncompleted - + Definir como incompleto - + Set as completed - + Definir como concluído - + Update folder - + Atualizar pasta - + Folder - + Pasta - + Comic - + Quadrinhos - + Upgrade failed - + Falha na atualização - + There were errors during library upgrade in: - + Ocorreram erros durante a atualização da biblioteca em: - + Update needed - + Atualização necessária - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? - + Esta biblioteca foi criada com uma versão anterior do YACReaderLibrary. Ele precisa ser atualizado. Atualizar agora? - + Download new version - + Baixe a nova versão - + This library was created with a newer version of YACReaderLibrary. Download the new version now? - + Esta biblioteca foi criada com uma versão mais recente do YACReaderLibrary. Baixe a nova versão agora? - + Library not available - + Biblioteca não disponível - + Library '%1' is no longer available. Do you want to remove it? - + A biblioteca '%1' não está mais disponível. Você quer removê-lo? - + Old library - + Biblioteca antiga - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? - + A biblioteca '%1' foi criada com uma versão mais antiga do YACReaderLibrary. Deve ser criado novamente. Deseja criar a biblioteca agora? - - + + Copying comics... - + Copiando quadrinhos... - - + + Moving comics... - + Quadrinhos em movimento... - + Folder name: - + Nome da pasta: - + No folder selected - + Nenhuma pasta selecionada - + Please, select a folder first - + Por favor, selecione uma pasta primeiro - + Error in path - + Erro no caminho - + There was an error accessing the folder's path - + Ocorreu um erro ao acessar o caminho da pasta - + The selected folder and all its contents will be deleted from your disk. Are you sure? - + A pasta selecionada e todo o seu conteúdo serão excluídos do disco. Tem certeza? - - + + Unable to delete - + Não foi possível excluir - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. - + Ocorreu um problema ao tentar excluir as pastas selecionadas. Por favor, verifique as permissões de gravação e certifique-se de que algum aplicativo esteja usando essas pastas ou qualquer um dos arquivos contidos. - + Add new reading lists - + Adicione novas listas de leitura - - + + List name: - + Nome da lista: - + Delete list/label - + Excluir lista/rótulo - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? - + O item selecionado será excluído, seus quadrinhos ou pastas NÃO serão excluídos do disco. Tem certeza? - + Rename list name - + Renomear nome da lista - - - - + + + + Set type - + Definir tipo - + Set custom cover - + Definir capa personalizada - + Delete custom cover - + Excluir capa personalizada - + Save covers - + Salvar capas - + You are adding too many libraries. - + Você está adicionando muitas bibliotecas. - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. - + Você está adicionando muitas bibliotecas. + +Você provavelmente só precisa de uma biblioteca em sua pasta de quadrinhos de nível superior. Você pode navegar em qualquer subpasta usando a seção de pastas na barra lateral esquerda. + +YACReaderLibrary não impedirá você de criar mais bibliotecas, mas você deve manter o número de bibliotecas baixo. - - + + YACReader not found - + YACReader não encontrado - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader não encontrado. YACReader deve ser instalado na mesma pasta que YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. - + YACReader não encontrado. Pode haver um problema com a instalação do YACReader. - + Error - + Erro - + Error opening comic with third party reader. - + Erro ao abrir o quadrinho com leitor de terceiros. - + Library not found - + Biblioteca não encontrada - + The selected folder doesn't contain any library. - + A pasta selecionada não contém nenhuma biblioteca. - + library? - + biblioteca? - + Remove and delete metadata - + Remover e excluir metadados - + Library info - + Informações da biblioteca - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. - + Ocorreu um problema ao tentar excluir os quadrinhos selecionados. Por favor, verifique as permissões de gravação nos arquivos selecionados ou na pasta que os contém. - + Assign comics numbers - + Atribuir números de quadrinhos - + Assign numbers starting in: - + Atribua números começando em: - + Invalid image - + Imagem inválida - + The selected file is not a valid image. - + O arquivo selecionado não é uma imagem válida. - + Error saving cover - + Erro ao salvar a capa - + There was an error saving the cover image. - + Ocorreu um erro ao salvar a imagem da capa. - + Error creating the library - + Erro ao criar a biblioteca - + Error updating the library - + Erro ao atualizar a biblioteca - + Error opening the library - + Erro ao abrir a biblioteca - + Delete comics - + Excluir quadrinhos - + All the selected comics will be deleted from your disk. Are you sure? - + Todos os quadrinhos selecionados serão excluídos do seu disco. Tem certeza? - + Remove comics - + Remover quadrinhos - + Comics will only be deleted from the current label/list. Are you sure? - + Os quadrinhos serão excluídos apenas do rótulo/lista atual. Tem certeza? - + Library name already exists - + O nome da biblioteca já existe - + There is another library with the name '%1'. - + Existe outra biblioteca com o nome '%1'. LibraryWindowActions - + Create a new library - Criar uma nova biblioteca + Criar uma nova biblioteca - + Open an existing library - Abrir uma biblioteca existente + Abrir uma biblioteca existente - - + + Export comics info - + Exportar informa??es dos quadrinhos - - + + Import comics info - + Importar informa??es dos quadrinhos - + Pack covers - + Empacotar capas - + Pack the covers of the selected library - Pacote de capas da biblioteca selecionada + Pacote de capas da biblioteca selecionada - + Unpack covers - + Desempacotar capas - + Unpack a catalog - Desempacotar um catálogo + Desempacotar um catálogo - + Update library - + Atualizar biblioteca - + Update current library - Atualizar biblioteca atual + Atualizar biblioteca atual - + Rename library - + Renomear biblioteca - + Rename current library - Renomear biblioteca atual + Renomear biblioteca atual - + Remove library - + Remover biblioteca - + Remove current library from your collection - Remover biblioteca atual da sua coleção + Remover biblioteca atual da sua coleção - + Rescan library for XML info - + Reanalisar biblioteca para informa??es XML - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Tenta encontrar informações XML incorporadas em arquivos de quadrinhos. Você só precisa fazer isso se a biblioteca foi criada com versões 9.8.2 ou anteriores ou se você estiver usando software de terceiros para incorporar informações XML nos arquivos. - + Show library info - + Mostrar informa??es da biblioteca - + Show information about the current library - + Mostrar informações sobre a biblioteca atual - + Open current comic - + Abrir quadrinho atual - + Open current comic on YACReader - Abrir quadrinho atual no YACReader + Abrir quadrinho atual no YACReader - + Save selected covers to... - + Salvar capas selecionadas em... - + Save covers of the selected comics as JPG files - + Salve as capas dos quadrinhos selecionados como arquivos JPG - - + + Set as read - + Definir como lido - + Set comic as read - + Definir quadrinhos como lidos - - + + Set as unread - + Definir como não lido - + Set comic as unread - + Definir quadrinhos como não lidos - - + + manga - + mangá - + Set issue as manga - + Definir problema como mangá - - + + comic - + cômico - + Set issue as normal - + Defina o problema como normal - + western manga - + mangá ocidental - + Set issue as western manga - + Definir problema como mangá ocidental - - + + web comic - + quadrinhos da web - + Set issue as web comic - + Definir o problema como web comic - - + + yonkoma - + tira yonkoma - + Set issue as yonkoma - + Definir problema como yonkoma - + Show/Hide marks - + Mostrar/ocultar marcas - + Show or hide read marks - + Mostrar ou ocultar marcas de leitura - + Show/Hide recent indicator - + Mostrar/ocultar indicador recente - + Show or hide recent indicator - + Mostrar ou ocultar indicador recente - - + + Fullscreen mode on/off - + Modo tela cheia ativado/desativado - + Help, About YACReader - Ajuda, Sobre o YACReader + Ajuda, Sobre o YACReader - + Add new folder - + Adicionar nova pasta - + Add new folder to the current library - + Adicionar nova pasta à biblioteca atual - + Delete folder - + Excluir pasta - + Delete current folder from disk - + Exclua a pasta atual do disco - + Select root node - Selecionar raiz + Selecionar raiz - + Expand all nodes - Expandir todos + Expandir todos - + Collapse all nodes - + Recolher todos os nós - + Show options dialog - Mostrar opções + Mostrar opções - + Show comics server options dialog - + Mostrar caixa de diálogo de opções do servidor de quadrinhos - - + + Change between comics views - + Alterar entre visualizações de quadrinhos - + Open folder... - Abrir pasta... + Abrir pasta... - + Set as uncompleted - + Definir como incompleto - + Set as completed - + Definir como concluído - + Set custom cover - + Definir capa personalizada - + Delete custom cover - + Excluir capa personalizada - + western manga (left to right) - + mangá ocidental (da esquerda para a direita) - + Open containing folder... - Abrir a pasta contendo... + Abrir a pasta contendo... - + Reset comic rating - + Redefinir classificação de quadrinhos - + Select all comics - + Selecione todos os quadrinhos - + Edit - + Editar - + Assign current order to comics - + Atribuir ordem atual aos quadrinhos - + Update cover - + Atualizar capa - + Delete selected comics - + Excluir quadrinhos selecionados - + Delete metadata from selected comics - + Excluir metadados dos quadrinhos selecionados - + Download tags from Comic Vine - + Baixe tags do Comic Vine - + Focus search line - + Linha de pesquisa de foco - + Focus comics view - + Visualização de quadrinhos em foco - + Edit shortcuts - + Editar atalhos - + &Quit - + &Qfato - + Update folder - + Atualizar pasta - + Update current folder - + Atualizar pasta atual - + Scan legacy XML metadata - + Digitalize metadados XML legados - + Add new reading list - + Adicionar nova lista de leitura - + Add a new reading list to the current library - + Adicione uma nova lista de leitura à biblioteca atual - + Remove reading list - + Remover lista de leitura - + Remove current reading list from the library - + Remover lista de leitura atual da biblioteca - + Add new label - + Adicionar novo rótulo - + Add a new label to this library - + Adicione um novo rótulo a esta biblioteca - + Rename selected list - + Renomear lista selecionada - + Rename any selected labels or lists - + Renomeie quaisquer rótulos ou listas selecionados - + Add to... - + Adicionar à... - + Favorites - + Favoritos - + Add selected comics to favorites list - + Adicione quadrinhos selecionados à lista de favoritos @@ -1642,195 +1770,184 @@ YACReaderLibrary will not stop you from creating more libraries but you should k file name - + nome do arquivo - LogWindow - - - Log window - - - - - &Pause - - - - - &Save - - + NoLibrariesWidget - - C&lear - + + You don't have any libraries yet + Você ainda não tem nenhuma biblioteca - - &Copy - + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Você pode criar uma biblioteca em qualquer pasta, YACReaderLibrary importará todos os quadrinhos e pastas desta pasta. Se você já criou alguma biblioteca, poderá abri-la.</p><p>Não se esqueça de que você pode usar o YACReader como um aplicativo independente para ler quadrinhos em seu computador.</p> - - Level: - + + create your first library + crie sua primeira biblioteca - - &Auto scroll - + + add an existing one + adicione um existente - NoLibrariesWidget + NoSearchResultsWidget - - You don't have any libraries yet - + + No results + Nenhum resultado + + + OptionsDialog - - <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> - + + + Language + Idioma - - create your first library - + + + Application language + Idioma do aplicativo - - add an existing one - + + + System default + Padrão do sistema - - - OptionsDialog - + Tray icon settings (experimental) - + Configurações do ícone da bandeja (experimental) - + Close to tray - + Perto da bandeja - + Start into the system tray - + Comece na bandeja do sistema - + Edit Comic Vine API key - + Editar chave da API Comic Vine - + Comic Vine API key - + Chave de API do Comic Vine - + ComicInfo.xml legacy support - + Suporte legado ComicInfo.xml - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Importe metadados de ComicInfo.xml ao adicionar novos quadrinhos - + Consider 'recent' items added or updated since X days ago - + Considere itens 'recentes' adicionados ou atualizados há X dias - + Third party reader - + Leitor de terceiros - + Write {comic_file_path} where the path should go in the command - + Escreva {comic_file_path} onde o caminho deve ir no comando - + + Clear - + Claro - + Update libraries at startup - + Atualizar bibliotecas na inicialização - + Try to detect changes automatically - + Tente detectar alterações automaticamente - + Update libraries periodically - + Atualize bibliotecas periodicamente - + Interval: - + Intervalo: - + 30 minutes - + 30 minutos - + 1 hour - + 1 hora - + 2 hours - + 2 horas - + 4 hours - + 4 horas - + 8 hours - + 8 horas - + 12 hours - + 12 horas - + daily - + diário - + Update libraries at certain time - + Atualizar bibliotecas em determinado momento - + Time: - + Tempo: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -1838,363 +1955,561 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + AVISO! Durante as atualizações da biblioteca, as gravações no banco de dados são desativadas! +Não agende atualizações enquanto estiver usando o aplicativo ativamente. +Durante as atualizações automáticas, o aplicativo bloqueará algumas ações até que a atualização seja concluída. +Para interromper uma atualização automática, toque no indicador de carregamento próximo ao título Bibliotecas. - + Modifications detection - + Detecção de modificações - + Compare the modified date of files when updating a library (not recommended) - + Compare a data de modificação dos arquivos ao atualizar uma biblioteca (não recomendado) - + Enable background image - + Ativar imagem de fundo - + Opacity level - + Nível de opacidade - + Blur level - + Nível de desfoque - + Use selected comic cover as background - + Use a capa de quadrinhos selecionada como plano de fundo - + Restore defautls - + Restaurar padrões - + Background - + Fundo - + Display continue reading banner - + Exibir banner para continuar lendo - + Display current comic banner - + Exibir banner de quadrinhos atual - + Continue reading - + Continuar lendo - + Comic Flow - + Fluxo de quadrinhos - - + + Libraries - + Bibliotecas - + Grid view - + Visualização em grade - + + General - + Em geral + + + + + Appearance + Aparência - + + Options - + Opções - - - PropertiesDialog - - General info - + + My comics path + Meu caminho de quadrinhos - - Authors - + + Display + Mostrar - - Publishing - + + Show time in current page information label + Mostrar hora no rótulo de informações da página atual - - Plot - + + "Go to flow" size + Tamanho do "Ir para cheia" - - Notes - + + Background color + Cor de fundo - - Cover page - + + Choose + Escolher - - Load previous page as cover - + + Scroll behaviour + Comportamento de rolagem - - Load next page as cover - + + Disable scroll animations and smooth scrolling + Desative animações de rolagem e rolagem suave - - Reset cover to the default image - + + Do not turn page using scroll + Não vire a página usando scroll - - Load custom cover image - + + Use single scroll step to turn page + Use uma única etapa de rolagem para virar a página - + + Mouse mode + Modo mouse + + + + Only Back/Forward buttons can turn pages + Apenas os botões Voltar/Avançar podem virar páginas + + + + Use the Left/Right buttons to turn pages. + Use os botões Esquerda/Direita para virar as páginas. + + + + Click left or right half of the screen to turn pages. + Clique na metade esquerda ou direita da tela para virar as páginas. + + + + Quick Navigation Mode + Modo de navegação rápida + + + + Disable mouse over activation + Desativar ativação do mouse sobre + + + + Brightness + Brilho + + + + Contrast + Contraste + + + + Gamma + Gama + + + + Reset + Reiniciar + + + + Image options + Opções de imagem + + + + Fit options + Opções de ajuste + + + + Enlarge images to fit width/height + Amplie as imagens para caber na largura/altura + + + + Double Page options + Opções de página dupla + + + + Show covers as single page + Mostrar capas como página única + + + + Scaling + Dimensionamento + + + + Scaling method + Método de dimensionamento + + + + Nearest (fast, low quality) + Mais próximo (rápido, baixa qualidade) + + + + Bilinear + Interpola??o bilinear + + + + Lanczos (better quality) + Lanczos (melhor qualidade) + + + + Page Flow + Fluxo de página + + + + Image adjustment + Ajuste de imagem + + + + + Restart is needed + Reiniciar é necessário + + + + Comics directory + Diretório de quadrinhos + + + + PropertiesDialog + + + General info + Informações gerais + + + + Authors + Autores + + + + Publishing + Publicação + + + + Plot + Trama + + + + Notes + Notas + + + + Cover page + Página de rosto + + + + Load previous page as cover + Carregar página anterior como capa + + + + Load next page as cover + Carregar a próxima página como capa + + + + Reset cover to the default image + Redefinir a capa para a imagem padrão + + + + Load custom cover image + Carregar imagem de capa personalizada + + + Series: - + Série: Title: - + Título: of: - + de: Issue number: - + Número de emissão: Volume: - + Tomo: Arc number: - + Número do arco: Story arc: - + Arco da história: alt. number: - + alt. número: Alternate series: - + Série alternativa: Series Group: - + Grupo de séries: Genre: - + Gênero: Size: - + Tamanho: Writer(s): - + Escritor(es): Penciller(s): - + Desenhador(es): Inker(s): - + Tinteiro(s): Colorist(s): - + Colorista(s): Letterer(s): - + Letrista(s): Cover Artist(s): - + Artista(s) da capa: Editor(s): - + Editor(es): Imprint: - + Imprimir: Day: - + Dia: Month: - + Mês: Year: - + Ano: Publisher: - + Editor: Format: - + Formatar: Color/BW: - + Cor/PB: Age rating: - + Classificação etária: Type: - + Tipo: Language (ISO): - + Idioma (ISO): Synopsis: - + Sinopse: Characters: - + Personagens: Teams: - + Equipes: Locations: - + Locais: Main character or team: - + Personagem principal ou equipe: Review: - + Análise: Notes: - + Notas: Tags: - + Etiquetas: Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> - + Link do Comic Vine: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> visualizar </a> Not found - + Não encontrado Comic not found. You should update your library. - + Quadrinho não encontrado. Você deve atualizar sua biblioteca. Edit selected comics information - + Edite as informações dos quadrinhos selecionados Invalid cover - + Capa inválida The image is invalid. - + A imagem é inválida. Edit comic information - + Editar informações dos quadrinhos + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer é a versão sem cabeça (sem interface gráfica) do YACReaderLibrary. + +Este aplicativo suporta configurações persistentes, para configurá-las edite este arquivo %1 +Para saber mais sobre as configurações disponíveis, verifique a documentação em https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md @@ -2202,99 +2517,83 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 7z lib not found - + Biblioteca 7z não encontrada unable to load 7z lib from ./utils - + não é possível carregar 7z lib de ./utils Trace - + Rastreamento Debug - + Depurar Info - + Informações Warning - + Aviso Error - + Erro Fatal - + Cr?tico - + Select custom cover - + Selecione a capa personalizada - + Images (%1) - - - - - QsLogging::LogWindowModel - - - Time - - - - - Level - + Imagens (%1) - - Message - + + The file could not be read or is not valid JSON. + O arquivo não pôde ser lido ou não é JSON válido. - - - QsLogging::Window - - &Pause - + + This theme is for %1, not %2. + Este tema é para %1, não %2. - - &Resume - + + Libraries + Bibliotecas - - Save log - + + Folders + Pastas - - Log file (*.log) - + + Reading Lists + Listas de leitura RenameLibraryDialog - + Rename current library Renomear biblioteca atual @@ -2317,20 +2616,20 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of volumes found : %1 - + Número de volumes encontrados: %1 - - + + page %1 of %2 - + página %1 de %2 - + Number of %1 found : %2 - + Número de %1 encontrado: %2 @@ -2339,17 +2638,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - + Forneça algumas informações adicionais para esta história em quadrinhos. - + Series: - + Série: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Use a pesquisa de correspondência exata. Desative se quiser encontrar volumes que correspondam a algumas das palavras do nome. @@ -2357,83 +2656,83 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information. - + Forneça algumas informações adicionais. - + Series: - + Série: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Use a pesquisa de correspondência exata. Desative se quiser encontrar volumes que correspondam a algumas das palavras do nome. SelectComic - + Please, select the right comic info. - + Por favor, selecione as informações corretas dos quadrinhos. - + comics - + quadrinhos - + loading cover - + tampa de carregamento - + loading description - + descrição de carregamento - + comic description unavailable - + descrição do quadrinho indisponível SelectVolume - + Please, select the right series for your comic. - + Por favor, selecione a série certa para o seu quadrinho. - + Filter: - + Filtro: - + volumes - + tomos - + Nothing found, clear the filter if any. - + Nada encontrado, limpe o filtro, se houver. - + loading cover - + tampa de carregamento - + loading description - + descrição de carregamento - + volume description unavailable - + descrição do volume indisponível @@ -2441,419 +2740,1153 @@ To stop an automatic update tap on the loading indicator next to the Libraries t You are trying to get information for various comics at once, are they part of the same series? - + Você está tentando obter informações sobre vários quadrinhos ao mesmo tempo. Eles fazem parte da mesma série? - + yes - + sim - + no - + não ServerConfigDialog - + set port - + definir porta - + Server connectivity information - + Informações de conectividade do servidor - + Scan it! - + Digitalize! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + O YACReader está disponível para dispositivos iOS e Android.<br/>Descubra-o para <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> ou <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address - + Escolha um endereço IP - + Port - + Porta - + enable the server - + habilitar o servidor SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. - + Por favor, classifique a lista de quadrinhos à esquerda até que corresponda às informações dos quadrinhos. - + sort comics to match comic information - + classifique os quadrinhos para corresponder às informações dos quadrinhos - + issues - + problemas - + remove selected comics - + remover quadrinhos selecionados - + restore all removed comics - - - - - TitleHeader - - - SEARCH - - - - - UpdateLibraryDialog - - - Cancel - Cancelar - - - - Updating.... - Atualizando.... - - - - Update library - + restaurar todos os quadrinhos removidos - VolumeComicsModel + ThemeEditorDialog - - title - + + Theme Editor + Editor de Tema - - - VolumesModel - - year - + + + + + - - issues - + + - + - - - publisher - + + i + eu - - - YACReader::TrayIconController - - &Restore - + + Expand all + Expandir tudo - - Systray - + + Collapse all + Recolher tudo - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Segure para piscar o valor selecionado na UI (magenta/alternado/0↔10). Os lançamentos restauram o original. - - - YACReader::WhatsNewDialog - - Close - + + Search… + Procurar… - - - YACReaderFieldEdit - - - Click to overwrite - + + Light + Luz - - Restore to default - + + Dark + Escuro - - - YACReaderFieldPlainTextEdit - - - - - Click to overwrite - + + ID: + EU IA: - - Restore to default - + + Display name: + Nome de exibição: - - - YACReaderFlowConfigWidget - - CoverFlow look - Olhar capa cheia + + Variant: + Variante: - - How to show covers: - Como mostrar capas: + + Theme info + Informações do tema - - Stripe look - Olhar lista + + Parameter + Parâmetro - - Overlapped Stripe look - Olhar lista sobreposta + + Value + Valor - - - YACReaderGLFlowConfigWidget - - Stripe look - Olhar lista + + Save and apply + Salvar e aplicar - - Overlapped Stripe look - Olhar lista sobreposta + + Export to file... + Exportar para arquivo... - - Presets: - + + Load from file... + Carregar do arquivo... - - Classic look - + + Close + Fechar - - Modern look - + + Double-click to edit color + Clique duas vezes para editar a cor - - Roulette look - + + + + + + + true + verdadeiro - - Show advanced settings - + + + + + false + falso - - Custom: - + + Double-click to toggle + Clique duas vezes para alternar - - View angle - + + Double-click to edit value + Clique duas vezes para editar o valor - - Position - + + + + Edit: %1 + Editar: %1 - - Cover gap - + + Save theme + Salvar tema - - Central gap - + + + JSON files (*.json);;All files (*) + Arquivos JSON (*.json);;Todos os arquivos (*) - - Zoom - + + Save failed + Falha ao salvar - - Y offset - + + Could not open file for writing: +%1 + Não foi possível abrir o arquivo para gravação: +%1 - - Z offset - + + Load theme + Carregar tema - - Cover Angle - + + + + Load failed + Falha no carregamento - - Visibility - + + Could not open file: +%1 + Não foi possível abrir o arquivo: +%1 - - Light - + + Invalid JSON: +%1 + JSON inválido: +%1 - - Max angle - + + Expected a JSON object. + Esperava um objeto JSON. + + + TitleHeader - - Low Performance - + + SEARCH + PROCURAR + + + UpdateLibraryDialog - - High Performance - + + Cancel + Cancelar - - Use VSync (improve the image quality in fullscreen mode, worse performance) - + + Updating.... + Atualizando.... - - Performance: - + + Update library + Atualizar biblioteca - YACReaderNavigationController + Viewer - - No favorites - + + + Press 'O' to open comic. + Pressione 'O' para abrir um quadrinho. - - You are not reading anything yet, come on!! - + + Not found + Não encontrado - - There are no recent comics! - + + Comic not found + Quadrinho não encontrado - - - YACReaderOptionsDialog - - Save - Salvar + + Error opening comic + Erro ao abrir quadrinho - - Cancel - Cancelar + + CRC Error + Erro CRC - - Edit shortcuts - + + Loading...please wait! + Carregando... por favor, aguarde! - - Shortcuts - + + Page not available! + Página não disponível! + + + + Cover! + Cobrir! - - Use hardware acceleration (restart needed) - + + Last page! + Última página! - YACReaderSearchLineEdit + VolumeComicsModel - - type to search - + + title + título - YACReaderSideBar + VolumesModel - - Libraries - + + year + ano - - Folders - + + issues + problemas - - Reading Lists - + + publisher + editor + + + + YACReader3DFlowConfigWidget + + + Presets: + Predefinições: + + + + Classic look + Aparência clássica + + + + Stripe look + Olhar lista + + + + Overlapped Stripe look + Olhar lista sobreposta + + + + Modern look + Aparência moderna + + + + Roulette look + Aparência de roleta + + + + Show advanced settings + Mostrar configurações avançadas + + + + Custom: + Personalizado: + + + + View angle + Ângulo de visão + + + + Position + Posição + + + + Cover gap + Cubra a lacuna + + + + Central gap + Lacuna central + + + + Zoom + Amplia??o + + + + Y offset + Deslocamento Y + + + + Z offset + Deslocamento Z + + + + Cover Angle + Ângulo de cobertura + + + + Visibility + Visibilidade + + + + Light + Luz + + + + Max angle + Ângulo máximo + + + + Low Performance + Baixo desempenho + + + + High Performance + Alto desempenho + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Use VSync (melhora a qualidade da imagem em modo tela cheia, pior desempenho) + + + + Performance: + Desempenho: + + + + YACReader::MainWindowViewer + + + &Open + &Abrir + + + + Open a comic + Abrir um quadrinho + + + + New instance + Nova instância + + + + Open Folder + Abrir Pasta + + + + Open image folder + Abra a pasta de imagens + + + + Open latest comic + Abra o último quadrinho + + + + Open the latest comic opened in the previous reading session + Abra o último quadrinho aberto na sessão de leitura anterior + + + + Clear + Claro + + + + Clear open recent list + Limpar lista recente aberta + + + + Save + Salvar + + + + + Save current page + Salvar página atual + + + + Previous Comic + Quadrinho Anterior + + + + + + Open previous comic + Abrir quadrinho anterior + + + + Next Comic + Próximo Quadrinho + + + + + + Open next comic + Abrir próximo quadrinho + + + + &Previous + A&nterior + + + + + + Go to previous page + Ir para a página anterior + + + + &Next + &Próxima + + + + + + Go to next page + Ir para a próxima página + + + + Fit Height + Ajustar Altura + + + + Fit image to height + Ajustar imagem à altura + + + + Fit Width + Ajustar à Largura + + + + Fit image to width + Ajustar imagem à largura + + + + Show full size + Mostrar tamanho grande + + + + Fit to page + Ajustar à página + + + + Continuous scroll + Rolagem contínua + + + + Switch to continuous scroll mode + Mudar para o modo de rolagem contínua + + + + Reset zoom + Redefinir zoom + + + + Show zoom slider + Mostrar controle deslizante de zoom + + + + Zoom+ + Ampliar + + + + Zoom- + Reduzir + + + + Rotate image to the left + Girar imagem à esquerda + + + + Rotate image to the right + Girar imagem à direita + + + + Double page mode + Modo dupla página + + + + Switch to double page mode + Alternar para o modo dupla página + + + + Double page manga mode + Modo mangá de página dupla + + + + Reverse reading order in double page mode + Ordem de leitura inversa no modo de página dupla + + + + Go To + Ir Para + + + + Go to page ... + Ir para a página... + + + + Options + Opções + + + + YACReader options + Opções do YACReader + + + + + Help + Ajuda + + + + Help, About YACReader + Ajuda, Sobre o YACReader + + + + Magnifying glass + Lupa + + + + Switch Magnifying glass + Alternar Lupa + + + + Set bookmark + Definir marcador + + + + Set a bookmark on the current page + Definir um marcador na página atual + + + + Show bookmarks + Mostrar marcadores + + + + Show the bookmarks of the current comic + Mostrar os marcadores do quadrinho atual + + + + Show keyboard shortcuts + Mostrar teclas de atalhos + + + + Show Info + Mostrar Informações + + + + Close + Fechar + + + + Show Dictionary + Mostrar dicionário + + + + Show go to flow + Mostrar ir para o fluxo + + + + Edit shortcuts + Editar atalhos + + + + &File + &Arquivo + + + + + Open recent + Abrir recente + + + + File + Arquivo + + + + Edit + Editar + + + + View + Visualizar + + + + Go + Ir + + + + Window + Janela + + + + + + Open Comic + Abrir Quadrinho + + + + + + Comic files + Arquivos de quadrinhos + + + + Open folder + Abrir pasta + + + + page_%1.jpg + página_%1.jpg + + + + Image files (*.jpg) + Arquivos de imagem (*.jpg) + + + + + Comics + Quadrinhos + + + + + General + Em geral + + + + + Magnifiying glass + Lupa + + + + + Page adjustement + Ajuste de página + + + + + Reading + Leitura + + + + Toggle fullscreen mode + Alternar modo de tela cheia + + + + Hide/show toolbar + Ocultar/mostrar barra de ferramentas + + + + Size up magnifying glass + Dimensione a lupa + + + + Size down magnifying glass + Diminuir o tamanho da lupa + + + + Zoom in magnifying glass + Zoom na lupa + + + + Zoom out magnifying glass + Diminuir o zoom da lupa + + + + Reset magnifying glass + Redefinir lupa + + + + Toggle between fit to width and fit to height + Alternar entre ajustar à largura e ajustar à altura + + + + Autoscroll down + Rolagem automática para baixo + + + + Autoscroll up + Rolagem automática para cima + + + + Autoscroll forward, horizontal first + Rolagem automática para frente, horizontal primeiro + + + + Autoscroll backward, horizontal first + Rolagem automática para trás, horizontal primeiro + + + + Autoscroll forward, vertical first + Rolagem automática para frente, vertical primeiro + + + + Autoscroll backward, vertical first + Rolagem automática para trás, vertical primeiro + + + + Move down + Mover para baixo + + + + Move up + Subir + + + + Move left + Mover para a esquerda + + + + Move right + Mover para a direita + + + + Go to the first page + Vá para a primeira página + + + + Go to the last page + Ir para a última página + + + + Offset double page to the left + Deslocar página dupla para a esquerda + + + + Offset double page to the right + Deslocar página dupla para a direita + + + + There is a new version available + Há uma nova versão disponível + + + + Do you want to download the new version? + Você deseja baixar a nova versão? + + + + Remind me in 14 days + Lembre-me em 14 dias + + + + Not now + Agora não + + + + YACReader::TrayIconController + + + &Restore + &Rloja + + + + Systray + Bandeja do sistema + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuará em execução na bandeja do sistema. Para encerrar o programa, escolha <b>Quit</b> no menu de contexto do ícone da bandeja do sistema. + + + + YACReaderFieldEdit + + + + Click to overwrite + Clique para substituir + + + + Restore to default + Restaurar para o padrão + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Clique para substituir + + + + Restore to default + Restaurar para o padrão + + + + YACReaderFlowConfigWidget + + CoverFlow look + Olhar capa cheia + + + How to show covers: + Como mostrar capas: + + + Stripe look + Olhar lista + + + Overlapped Stripe look + Olhar lista sobreposta + + + + YACReaderGLFlowConfigWidget + + Stripe look + Olhar lista + + + Overlapped Stripe look + Olhar lista sobreposta + + + + YACReaderOptionsDialog + + + Save + Salvar + + + + Cancel + Cancelar + + + + Edit shortcuts + Editar atalhos + + + + Shortcuts + Atalhos + + + + YACReaderSearchLineEdit + + + type to search + digite para pesquisar + + + + YACReaderSlider + + + Reset + Reiniciar + + + + YACReaderTranslator + + + YACReader translator + Tradutor YACReader - - LIBRARIES - + + + Translation + Tradução - - FOLDERS - + + clear + claro - - READING LISTS - + + Service not available + Serviço não disponível diff --git a/YACReaderLibrary/yacreaderlibrary_ru.ts b/YACReaderLibrary/yacreaderlibrary_ru.ts index 306c4972a..039989172 100644 --- a/YACReaderLibrary/yacreaderlibrary_ru.ts +++ b/YACReaderLibrary/yacreaderlibrary_ru.ts @@ -6,88 +6,76 @@ None - + Никто AddLabelDialog - red - красный + красный - blue - синий + синий - dark - темный + темный - cyan - голубой + голубой - pink - розовый + розовый - green - зеленый + зеленый - light - серый + серый - white - белый + белый - + Choose a color: Выбрать цвет: - + accept добавить - + cancel отменить - orange - оранжевый + оранжевый - purple - пурпурный + пурпурный - violet - фиолетовый + фиолетовый - yellow - желтый + желтый - + Label name: Название ярлыка: @@ -100,7 +88,7 @@ Добавить - + Add an existing library Добавить в существующую библиотеку @@ -143,10 +131,150 @@ Вставьте сюда ваш Comic Vine API ключ + + AppearanceTabWidget + + + Color scheme + Цветовая гамма + + + + System + Система + + + + Light + Осветить + + + + Dark + Темный + + + + Custom + Обычай + + + + Remove + Удалять + + + + Remove this user-imported theme + Удалить эту импортированную пользователем тему + + + + Light: + Свет: + + + + Dark: + Темный: + + + + Custom: + Пользовательский: + + + + Import theme... + Импортировать тему... + + + + Theme + Тема + + + + Theme editor + Редактор тем + + + + Open Theme Editor... + Открыть редактор тем... + + + + Theme editor error + Ошибка редактора темы + + + + The current theme JSON could not be loaded. + Не удалось загрузить JSON текущей темы. + + + + Import theme + Импортировать тему + + + + JSON files (*.json);;All files (*) + Файлы JSON (*.json);;Все файлы (*) + + + + Could not import theme from: +%1 + Не удалось импортировать тему из: +%1 + + + + Could not import theme from: +%1 + +%2 + Не удалось импортировать тему из: +%1 + +%2 + + + + Import failed + Импорт не удался + + + + BookmarksDialog + + + Lastest Page + Последняя страница + + + + Close + Закрыть + + + + Click on any image to go to the bookmark + Нажмите на любое изображение чтобы перейти к закладке + + + + + Loading... + Загрузка... + + ClassicComicsView - + Hide comic flow Показать/скрыть поток комиксов @@ -154,84 +282,84 @@ ComicInfoView - + + Characters + Персонажи + + + Main character or team - + Главный герой или команда - + Teams - + Команды - + Locations - + Местоположение - + Authors Авторы - + writer - + сценарист - + penciller - + художник - + inker - + инкер - + colorist - + колорист - + letterer - + леттерер - + cover artist - + художник обложки - + editor - + редактор - + imprint - + импринт - + Publisher - + Издатель - + color - + цвет - + b/w - - - - - Characters - + ч/б @@ -254,17 +382,17 @@ Series - + Ряд Volume - + Объем Story Arc - + Сюжетная арка @@ -294,7 +422,7 @@ Publication Date - + Дата публикации @@ -305,74 +433,82 @@ ComicVineDialog - + back назад - + next дальше - + skip пропустить - + close закрыть - - + + Retrieving tags for : %1 Получение тегов для : %1 - + Looking for comic... Поиск комикса... - + search искать - - - + + + Looking for volume... Поиск информации... - - + + comic %1 of %2 - %3 комикс %1 of %2 - %3 - + %1 comics selected %1 было выбрано - + Error connecting to ComicVine Ошибка поключения к ComicVine - + Retrieving volume info... Получение информации... + + ContinuousPageWidget + + + Loading page %1 + Загрузка страницы %1 + + CreateLibraryDialog - + Create new library Создать новую библиотеку @@ -392,7 +528,7 @@ Создание библиотеки может занять несколько минут. Вы можете остановить процесс и обновить библиотеку позже для завершения задачи. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder Выбранный путь отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке @@ -407,7 +543,7 @@ Имя библиотеки: - + Path not found Путь не найден @@ -415,7 +551,7 @@ EditShortcutsDialog - + Shortcut in use Горячая клавиша уже занята @@ -430,7 +566,7 @@ Горячие клавиши - + The shortcut "%1" is already assigned to other function Сочетание клавиш "%1" уже назначено для другой функции @@ -443,26 +579,27 @@ EmptyFolderWidget - Empty folder - Пустая папка + Пустая папка - - Subfolders in this folder - Подпапки в этой папке + Подпапки в этой папке - Drag and drop folders and comics here - Перетащите папки и комиксы сюда + Перетащите папки и комиксы сюда + + + + This folder doesn't contain comics yet + В этой папке еще нет комиксов EmptyLabelWidget - + This label doesn't contain comics yet Этот ярлык пока ничего не содержит @@ -475,6 +612,24 @@ Этот список чтения пока ничего не содержит + + EmptySpecialListWidget + + + No favorites + Нет избранного + + + + You are not reading anything yet, come on!! + Вы пока ничего не читаете. Может самое время почитать? + + + + There are no recent comics! + Свежих комиксов нет! + + ExportComicsInfoDialog @@ -483,7 +638,7 @@ Выходной файл (*.ydb) : - + Destination database name Имя этой базы данных @@ -498,17 +653,17 @@ Создать - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Выбранный путь для импортируемого файла отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке - + Export comics info Экспортировать информацию комикса - + Problem found while writing Обнаружена Ошибка записи @@ -526,7 +681,7 @@ Создать - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Выбранный путь для импортируемого файла отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке @@ -536,17 +691,17 @@ Папка вывода : - + Problem found while writing Проблема при написании - + Create covers package Создать комплект обложек - + Destination directory Назначенная директория @@ -577,23 +732,52 @@ FolderContentView - + Continue Reading... - + Продолжить чтение... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Страница : + + + + Go To + Перейти к странице... + + + + Cancel + Отмена + + + + + Total pages : + Общее количество страниц : + + + + Go to... + Перейти к странице... + + + + GoToFlowToolBar + + + Page : + Страница : GridComicsView - + Show info Показать информацию @@ -601,17 +785,17 @@ HelpAboutDialog - + Help Настройки - + System info - + Информация о системе - + About О программе @@ -639,7 +823,7 @@ Импортировать информацию комикса - + Comics info file (*.ydb) Инфо файл комикса (*.ydb) @@ -662,7 +846,7 @@ Распаковать - + Compresed library covers (*.clc) Сжатая библиотека обложек (*.clc) @@ -677,7 +861,7 @@ Имя библиотеки : - + Extract a catalog Извлечь каталог @@ -685,54 +869,54 @@ ImportWidget - + stop Остановить - + Importing comics Импорт комиксов - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary сейчас создает библиотеку.</p><p> Создание библиотеки может занять несколько минут. Вы можете остановить процесс и обновить библиотеку позже для завершения задачи.</p> - + Some of the comics being added... Поиск новых комиксов... - + Updating the library Обновление библиотеки - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>Текущая библиотека обновляется. Для более быстрого обновления в дальнейшем старайтесь почаще обновлять вашу библиотеку после добавления новых комиксов.</p><p>Вы можете остановить этот процесс и продолжить обновление этой библиотеки позже.</p> - + Upgrading the library - + Обновление библиотеки - + <p>The current library is being upgraded, please wait.</p> - + <p>Текущая библиотека обновляется, подождите.</p> - + Scanning the library - + Сканирование библиотеки - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>Текущая библиотека сканируется на предмет устаревших метаданных XML.</p><p>Это необходимо только один раз и только в том случае, если библиотека была создана с помощью YACReaderLibrary 9.8.2 или более ранней версии.</p> @@ -742,27 +926,27 @@ Редактировать информацию - + The selected folder doesn't contain any library. Выбранная папка не содержит ни одной библиотеки. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Эта библиотека была создана с предыдущей версией YACReaderLibrary. Она должна быть обновлена. Обновить сейчас? - + Comic Комикс - + Folder name: Имя папки: - + The selected folder and all its contents will be deleted from your disk. Are you sure? Выбранная папка и все ее содержимое будет удалено с вашего жёсткого диска. Вы уверены? @@ -771,7 +955,7 @@ Обновить выбранную папку - + Error opening the library Ошибка открытия библиотеки @@ -780,8 +964,8 @@ Показать/Спрятать пометки - - + + YACReader not found YACReader не найден @@ -790,7 +974,7 @@ Настройки сервера YACReader - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. Возникла проблема при удалении выбранных папок. Пожалуйста, проверьте права на запись и убедитесь что другие приложения не используют эти папки или файлы. @@ -803,7 +987,7 @@ Отметить комикс как прочитано - + Rename list name Изменить имя списка @@ -812,12 +996,12 @@ Добавить выбранные комиксы в список избранного - + Remove and delete metadata Удаление метаданных - + Old library Библиотека из старой версии YACreader @@ -830,17 +1014,17 @@ Переименовать выбранный ярлык/список чтения - + Set as completed Отметить как завершено - + There was an error accessing the folder's path Ошибка доступа к пути папки - + Library Библиотека @@ -849,7 +1033,7 @@ Добавить новую папку в текущую библиотеку - + Comics will only be deleted from the current label/list. Are you sure? Комиксы будут удалены только из выбранного списка/ярлыка. Вы уверены? @@ -862,13 +1046,13 @@ Полноэкранный режим включить/выключить - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Эта библиотека была создана новой версией YACReaderLibrary. Скачать новую версию сейчас? - - + + Moving comics... Переместить комиксы... @@ -881,13 +1065,13 @@ Обновить эту библиотеку - - + + Copying comics... Скопировать комиксы... - + Library '%1' is no longer available. Do you want to remove it? Библиотека '%1' больше не доступна. Вы хотите удалить ее? @@ -896,22 +1080,22 @@ Обновить библиотеку - + Open folder... Открыть папку... - + Do you want remove Вы хотите удалить библиотеку - + Set as uncompleted Отметить как не завершено - + Error in path Ошибка в пути @@ -920,17 +1104,17 @@ Сбросить рейтинг комикса - + Error updating the library Ошибка обновления библиотеки - + Folder Папка - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? Выбранные элементы будут удалены, ваши комиксы или папки НЕ БУДУТ удалены с вашего жёсткого диска. Вы уверены? @@ -943,8 +1127,8 @@ Удалить выбранную папку с жёсткого диска - - + + List name: Имя списка: @@ -953,7 +1137,7 @@ Добавить в... - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? Библиотека '%1' была создана старой версией YACReaderLibrary. Она должна быть вновь создана. Вы хотите создать библиотеку сейчас? @@ -962,7 +1146,7 @@ Запаковать обложки - + Save covers Сохранить обложки @@ -975,12 +1159,12 @@ Удалить выбранный ярлык/список чтения - + Add new reading lists Добавить новый список чтения - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -993,17 +1177,17 @@ YACReaderLibrary will not stop you from creating more libraries but you should k YACReaderLibrary не помешает вам создать больше библиотек, но вы должны иметь не большое количество библиотек. - + Set as read Отметить как прочитано - + Library info - + Информация о библиотеке - + Assign comics numbers Порядковый номер @@ -1020,7 +1204,7 @@ YACReaderLibrary не помешает вам создать больше биб Настройки - + Please, select a folder first Пожалуйста, сначала выберите папку @@ -1029,7 +1213,7 @@ YACReaderLibrary не помешает вам создать больше биб Создать новую библиотеку - + Library not available Библиотека не доступна @@ -1038,7 +1222,7 @@ YACReaderLibrary не помешает вам создать больше биб Импортировать информацию комикса - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. Возникла проблема при удалении выбранных комиксов. Пожалуйста, проверьте права на запись для выбранных файлов или содержащую их папку. @@ -1055,7 +1239,7 @@ YACReaderLibrary не помешает вам создать больше биб Открыть выбранный комикс - + YACReader Library Библиотека YACReader @@ -1064,17 +1248,17 @@ YACReaderLibrary не помешает вам создать больше биб Создать новый список чтения - + Error creating the library Ошибка создания библиотеки - + You are adding too many libraries. Вы добавляете слишком много библиотек. - + Update folder Обновить папку @@ -1083,7 +1267,7 @@ YACReaderLibrary не помешает вам создать больше биб Распаковать обложки - + Update needed Необходимо обновление @@ -1096,12 +1280,12 @@ YACReaderLibrary не помешает вам создать больше биб Показать или спрятать отметку прочтено - + Library name already exists Имя папки уже используется - + There is another library with the name '%1'. Уже существует другая папка с именем '%1'. @@ -1110,47 +1294,47 @@ YACReaderLibrary не помешает вам создать больше биб Удалить список чтения - + Delete folder Удалить папку - + Assign numbers starting in: Назначить порядковый номер начиная с: - + Download new version Загрузить новую версию - + Invalid image - + Неверное изображение - + The selected file is not a valid image. - + Выбранный файл не является допустимым изображением. - + Error saving cover - + Не удалось сохранить обложку. - + There was an error saving the cover image. - + Не удалось сохранить изображение обложки. - + Delete comics Удалить комиксы - + Add new folder Добавить новую папку @@ -1183,7 +1367,7 @@ YACReaderLibrary не помешает вам создать больше биб Переименовать выбранный список - + Delete list/label Удалить список/ярлык @@ -1200,7 +1384,7 @@ YACReaderLibrary не помешает вам создать больше биб Домашняя папка - + No folder selected Ни одна папка не была выбрана @@ -1209,7 +1393,7 @@ YACReaderLibrary не помешает вам создать больше биб Распаковать каталог - + All the selected comics will be deleted from your disk. Are you sure? Все выбранные комиксы будут удалены с вашего жёсткого диска. Вы уверены? @@ -1218,7 +1402,7 @@ YACReaderLibrary не помешает вам создать больше биб Скачать теги из Comic Vine - + Remove comics Убрать комиксы @@ -1227,13 +1411,13 @@ YACReaderLibrary не помешает вам создать больше биб Создать новый ярлык - - + + Set as unread Отметить как не прочитано - + Library not found Библиотека не найдена @@ -1246,32 +1430,32 @@ YACReaderLibrary не помешает вам создать больше биб Удалить библиотеку - - - + + + manga - + манга - - - + + + comic - + комикс - - - + + + web comic - + веб-комикс - - - + + + western manga (left to right) - + западная манга (слева направо) Open containing folder... @@ -1282,48 +1466,48 @@ YACReaderLibrary не помешает вам создать больше биб Создать новый ярлык - - + + Unable to delete Не удалось удалить - - - + + + 4koma (top to botom) - + 4кома (сверху вниз) - - - - + + + + Set type - + Тип установки - + Set custom cover - + Установить собственную обложку - + Delete custom cover - + Удалить пользовательскую обложку - + Error - + Ошибка - + Error opening comic with third party reader. - + Ошибка при открытии комикса с помощью сторонней программы чтения. - + library? ? @@ -1332,472 +1516,472 @@ YACReaderLibrary не помешает вам создать больше биб Сохранить обложки выбранных комиксов как JPG файлы - + Are you sure? Вы уверены? - + Rescan library for XML info - + Повторное сканирование библиотеки для получения информации XML - + Upgrade failed - + Обновление не удалось - + There were errors during library upgrade in: - + При обновлении библиотеки возникли ошибки: - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - + YACReader не найден. YACReader должен быть установлен в ту же папку, что и YACReaderLibrary. - + YACReader not found. There might be a problem with your YACReader installation. - + YACReader не найден. Возможно, возникла проблема с установкой YACReader. LibraryWindowActions - + Create a new library - Создать новую библиотеку + Создать новую библиотеку - + Open an existing library - Открыть существующую библиотеку + Открыть существующую библиотеку - - + + Export comics info - Экспортировать информацию комикса + Экспортировать информацию комикса - - + + Import comics info - Импортировать информацию комикса + Импортировать информацию комикса - + Pack covers - Запаковать обложки + Запаковать обложки - + Pack the covers of the selected library - Запаковать обложки выбранной библиотеки + Запаковать обложки выбранной библиотеки - + Unpack covers - Распаковать обложки + Распаковать обложки - + Unpack a catalog - Распаковать каталог + Распаковать каталог - + Update library - Обновить библиотеку + Обновить библиотеку - + Update current library - Обновить эту библиотеку + Обновить эту библиотеку - + Rename library - Переименовать библиотеку + Переименовать библиотеку - + Rename current library - Переименовать эту библиотеку + Переименовать эту библиотеку - + Remove library - Удалить библиотеку + Удалить библиотеку - + Remove current library from your collection - Удалить эту библиотеку из своей коллекции + Удалить эту библиотеку из своей коллекции - + Rescan library for XML info - + Повторное сканирование библиотеки для получения информации XML - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Пытается найти информацию XML, встроенную в файлы комиксов. Это необходимо делать только в том случае, если библиотека была создана с помощью версии 9.8.2 или более ранней, или если вы используете стороннее программное обеспечение для встраивания информации XML в файлы. - + Show library info - + Показать информацию о библиотеке - + Show information about the current library - + Показать информацию о текущей библиотеке - + Open current comic - Открыть выбранный комикс + Открыть выбранный комикс - + Open current comic on YACReader - Открыть комикс в YACReader + Открыть комикс в YACReader - + Save selected covers to... - Сохранить выбранные обложки в... + Сохранить выбранные обложки в... - + Save covers of the selected comics as JPG files - Сохранить обложки выбранных комиксов как JPG файлы + Сохранить обложки выбранных комиксов как JPG файлы - - + + Set as read - Отметить как прочитано + Отметить как прочитано - + Set comic as read - Отметить комикс как прочитано + Отметить комикс как прочитано - - + + Set as unread - Отметить как не прочитано + Отметить как не прочитано - + Set comic as unread - Отметить комикс как не прочитано + Отметить комикс как не прочитано - - + + manga - + манга - + Set issue as manga - + Установить выпуск как мангу - - + + comic - + комикс - + Set issue as normal - + Установите проблему как обычно - + western manga - + вестерн манга - + Set issue as western manga - + Установить выпуск как западную мангу - - + + web comic - + веб-комикс - + Set issue as web comic - + Установить выпуск как веб-комикс - - + + yonkoma - + йонкома - + Set issue as yonkoma - + Установить проблему как йонкома - + Show/Hide marks - Показать/Спрятать пометки + Показать/Спрятать пометки - + Show or hide read marks - Показать или спрятать отметку прочтено + Показать или спрятать отметку прочтено - + Show/Hide recent indicator - + Показать/скрыть индикатор последних событий - + Show or hide recent indicator - + Показать или скрыть недавний индикатор - - + + Fullscreen mode on/off - Полноэкранный режим включить/выключить + Полноэкранный режим включить/выключить - + Help, About YACReader - О программе + О программе - + Add new folder - Добавить новую папку + Добавить новую папку - + Add new folder to the current library - Добавить новую папку в текущую библиотеку + Добавить новую папку в текущую библиотеку - + Delete folder - Удалить папку + Удалить папку - + Delete current folder from disk - Удалить выбранную папку с жёсткого диска + Удалить выбранную папку с жёсткого диска - + Select root node - Домашняя папка + Домашняя папка - + Expand all nodes - Раскрыть все папки + Раскрыть все папки - + Collapse all nodes - Свернуть все папки + Свернуть все папки - + Show options dialog - Настройки + Настройки - + Show comics server options dialog - Настройки сервера YACReader + Настройки сервера YACReader - - + + Change between comics views - Изменение внешнего вида потока комиксов + Изменение внешнего вида потока комиксов - + Open folder... - Открыть папку... + Открыть папку... - + Set as uncompleted - Отметить как не завершено + Отметить как не завершено - + Set as completed - Отметить как завершено + Отметить как завершено - + Set custom cover - + Установить собственную обложку - + Delete custom cover - + Удалить пользовательскую обложку - + western manga (left to right) - + западная манга (слева направо) - + Open containing folder... - Открыть выбранную папку... + Открыть выбранную папку... - + Reset comic rating - Сбросить рейтинг комикса + Сбросить рейтинг комикса - + Select all comics - Выбрать все комиксы + Выбрать все комиксы - + Edit - Редактировать информацию + Редактировать информацию - + Assign current order to comics - Назначить порядковый номер + Назначить порядковый номер - + Update cover - Обновить обложки + Обновить обложки - + Delete selected comics - Удалить выбранное + Удалить выбранное - + Delete metadata from selected comics - + Удалить метаданные из выбранных комиксов - + Download tags from Comic Vine - Скачать теги из Comic Vine + Скачать теги из Comic Vine - + Focus search line - + Строка поиска фокуса - + Focus comics view - + Просмотр комиксов в фокусе - + Edit shortcuts - Редактировать горячие клавиши + Редактировать горячие клавиши - + &Quit - + &Qкостюм - + Update folder - Обновить папку + Обновить папку - + Update current folder - Обновить выбранную папку + Обновить выбранную папку - + Scan legacy XML metadata - + Сканировать устаревшие метаданные XML - + Add new reading list - Создать новый список чтения + Создать новый список чтения - + Add a new reading list to the current library - Создать новый список чтения + Создать новый список чтения - + Remove reading list - Удалить список чтения + Удалить список чтения - + Remove current reading list from the library - Удалить выбранный ярлык/список чтения + Удалить выбранный ярлык/список чтения - + Add new label - Создать новый ярлык + Создать новый ярлык - + Add a new label to this library - Создать новый ярлык + Создать новый ярлык - + Rename selected list - Переименовать выбранный список + Переименовать выбранный список - + Rename any selected labels or lists - Переименовать выбранный ярлык/список чтения + Переименовать выбранный ярлык/список чтения - + Add to... - Добавить в... + Добавить в... - + Favorites - Избранное + Избранное - + Add selected comics to favorites list - Добавить выбранные комиксы в список избранного + Добавить выбранные комиксы в список избранного @@ -1808,248 +1992,245 @@ YACReaderLibrary не помешает вам создать больше биб имя файла - - LogWindow - - - Log window - - - - - &Pause - - - - - &Save - - - - - C&lear - - - - - &Copy - - - - - Level: - - - - - &Auto scroll - - - NoLibrariesWidget - + create your first library создайте свою первую библиотеку - + You don't have any libraries yet У вас нет ни одной библиотеки - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>Вы можете создать библиотеку в любой папке, YACReaderLibrary будет импортировать все комиксы и папки из этой папки. Если вы уже ранее создавали библиотеки, их можно будет открыть.< / p > <p>Не забывайте, что Вы можете использовать YACReader в качестве отдельного приложения для чтения комиксов на вашем компьютере.</п> - + add an existing one добавить уже существующую + + NoSearchResultsWidget + + + No results + Нет результатов + + OptionsDialog - + Restore defautls Вернуть к первоначальным значениям - + Background Фоновое изображение - + Blur level Уровень размытия - + Enable background image Включить фоновое изображение - + + Options Настройки - + Comic Vine API key Comic Vine API ключ - + Edit Comic Vine API key Редактировать Comic Vine API ключ - + Opacity level Уровень непрозрачности - + + General Основные - + Use selected comic cover as background Обложка комикса фоновое изображение - + Comic Flow Поток комиксов - - + + Libraries - Библиотеки + Библиотеки - + Grid view Фоновое изображение - + + + Appearance + Появление + + + + + Language + Язык + + + + + Application language + Язык приложения + + + + + System default + Системный по умолчанию + + + Tray icon settings (experimental) - + Настройки значков в трее (экспериментально) - + Close to tray - + Рядом с лотком - + Start into the system tray - + Запустите в системном трее - + ComicInfo.xml legacy support - + Поддержка устаревших версий ComicInfo.xml - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Импортируйте метаданные из ComicInfo.xml при добавлении новых комиксов. - + Consider 'recent' items added or updated since X days ago - + Учитывайте «недавние» элементы, добавленные или обновленные X дней назад. - + Third party reader - + Сторонний читатель - + Write {comic_file_path} where the path should go in the command - + Напишите {comic_file_path}, где должен идти путь в команде. - + + Clear - + Очистить - + Update libraries at startup - + Обновлять библиотеки при запуске - + Try to detect changes automatically - + Попробуйте обнаружить изменения автоматически - + Update libraries periodically - + Периодически обновляйте библиотеки - + Interval: - + Интервал: - + 30 minutes - + 30 минут - + 1 hour - + 1 час - + 2 hours - + 2 часа - + 4 hours - + 4 часа - + 8 hours - + 8 часов - + 12 hours - + 12 часов - + daily - + ежедневно - + Update libraries at certain time - + Обновлять библиотеки в определенное время - + Time: - + Время: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2057,79 +2238,253 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + ПРЕДУПРЕЖДЕНИЕ! Во время обновления библиотеки запись в базу данных отключена! +Не планируйте обновления, пока вы активно используете приложение. +Во время автоматического обновления приложение будет блокировать некоторые действия до завершения обновления. +Чтобы остановить автоматическое обновление, нажмите на индикатор загрузки рядом с названием «Библиотеки». - + Modifications detection - + Обнаружение модификаций - + Compare the modified date of files when updating a library (not recommended) - + Сравните дату изменения файлов при обновлении библиотеки (не рекомендуется) - + Display continue reading banner - + Отображение баннера продолжения чтения - + Display current comic banner - + Отображать текущий комикс-баннер - + Continue reading - + Продолжить чтение - - - PropertiesDialog - - Day: - День: + + My comics path + Папка комиксов - - Plot - Сюжет + + Display + Отображать - - Size: - Размер: + + Show time in current page information label + Показывать время в информационной метке текущей страницы - - Year: - Год: + + "Go to flow" size + Размер потока страниц - - Inker(s): - Контуровщик(и): + + Background color + Фоновый цвет - - Publishing - Издатели + + Choose + Выбрать - - Publisher: - Издатель: + + Scroll behaviour + Поведение прокрутки - - General info - Общая информация + + Disable scroll animations and smooth scrolling + Отключить анимацию прокрутки и плавную прокрутку - - Color/BW: + + Do not turn page using scroll + Не переворачивайте страницу с помощью прокрутки + + + + Use single scroll step to turn page + Используйте один шаг прокрутки, чтобы перевернуть страницу + + + + Mouse mode + Режим мыши + + + + Only Back/Forward buttons can turn pages + Только кнопки «Назад/Вперед» могут перелистывать страницы. + + + + Use the Left/Right buttons to turn pages. + Используйте кнопки «Влево/Вправо», чтобы перелистывать страницы. + + + + Click left or right half of the screen to turn pages. + Нажмите левую или правую половину экрана, чтобы перелистывать страницы. + + + + Quick Navigation Mode + Ползунок для быстрой навигации по страницам + + + + Disable mouse over activation + Отключить активацию потока при наведении мыши + + + + Brightness + Яркость + + + + Contrast + Контраст + + + + Gamma + Гамма + + + + Reset + Вернуть к первоначальным значениям + + + + Image options + Настройки изображения + + + + Fit options + Варианты подгонки + + + + Enlarge images to fit width/height + Увеличьте изображения по ширине/высоте + + + + Double Page options + Параметры двойной страницы + + + + Show covers as single page + Показывать обложки на одной странице + + + + Scaling + Масштабирование + + + + Scaling method + Метод масштабирования + + + + Nearest (fast, low quality) + Ближайший (быстро, низкое качество) + + + + Bilinear + Билинейный + + + + Lanczos (better quality) + Ланцос (лучшее качество) + + + + Page Flow + Поток Страниц + + + + Image adjustment + Настройка изображения + + + + + Restart is needed + Требуется перезагрузка + + + + Comics directory + Папка комиксов + + + + PropertiesDialog + + + Day: + День: + + + + Plot + Сюжет + + + + Size: + Размер: + + + + Year: + Год: + + + + Inker(s): + Контуровщик(и): + + + + Publishing + Издатели + + + + Publisher: + Издатель: + + + + General info + Общая информация + + + + Color/BW: Цвет/BW: @@ -2155,32 +2510,32 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Notes - + Примечания Load previous page as cover - + Загрузить предыдущую страницу в качестве обложки Load next page as cover - + Загрузить следующую страницу в качестве обложки Reset cover to the default image - + Сбросить обложку к изображению по умолчанию Load custom cover image - + Загрузить собственное изображение обложки Series: - Серия: + Серия: @@ -2190,27 +2545,27 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + альт. число: Alternate series: - + Альтернативный сериал: Series Group: - + Группа серий: Editor(s): - + Редактор(ы): Imprint: - + Выходные данные: @@ -2220,32 +2575,32 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + Тип: Language (ISO): - + Язык (ISO): Teams: - + Команды: Locations: - + Местоположение: Main character or team: - + Главный герой или команда: Review: - + Обзор: @@ -2255,12 +2610,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Invalid cover - + Неверное покрытие The image is invalid. - + Изображение недействительно. @@ -2305,7 +2660,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + Теги: @@ -2352,12 +2707,28 @@ To stop an automatic update tap on the loading indicator next to the Libraries t of: - + из: Arc number: - + Номер дуги: + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer — это безголовая (без графического интерфейса) версия YACReaderLibrary. + +Это приложение поддерживает постоянные настройки. Чтобы настроить их, отредактируйте этот файл %1. +Чтобы узнать о доступных настройках, ознакомьтесь с документацией по адресу https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md. @@ -2375,89 +2746,73 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Trace - + След Debug - + Отлаживать Info - + Информация Warning - + Предупреждение Error - + Ошибка Fatal - + Фатальный - + Select custom cover - + Выбрать индивидуальную обложку - + Images (%1) - - - - - QsLogging::LogWindowModel - - - Time - - - - - Level - + Изображения (%1) - - Message - + + The file could not be read or is not valid JSON. + Файл не может быть прочитан или имеет недопустимый формат JSON. - - - QsLogging::Window - - &Pause - + + This theme is for %1, not %2. + Эта тема предназначена для %1, а не для %2. - - &Resume - + + Libraries + Библиотеки - - Save log - + + Folders + Папки - - Log file (*.log) - + + Reading Lists + Списки чтения RenameLibraryDialog - + Rename current library Переименовать эту библиотеку @@ -2480,18 +2835,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of %1 found : %2 Количество из %1 найдено : %2 - - + + page %1 of %2 страница %1 из %2 - + Number of volumes found : %1 Количество найденных томов : %1 @@ -2502,17 +2857,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - Пожалуйста, введите инфомарцию для поиска. + Пожалуйста, введите инфомарцию для поиска. - + Series: Серия: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Используйте поиск по точному совпадению. Отключите, если хотите найти тома, соответствующие некоторым словам в названии. @@ -2523,40 +2878,40 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Пожалуйста, введите инфомарцию для поиска. - + Series: Серия: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Используйте поиск по точному совпадению. Отключите, если хотите найти тома, соответствующие некоторым словам в названии. SelectComic - + loading description загрузка описания - + comics комиксы - + loading cover загрузка обложки - + comic description unavailable - + Описание комикса недоступно - + Please, select the right comic info. Пожалуйста, выберите правильную информацию об комиксе. @@ -2568,37 +2923,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + loading description загрузка описания - + Please, select the right series for your comic. Пожалуйста, выберите правильную серию для вашего комикса. - + Filter: - + Фильтр: - + Nothing found, clear the filter if any. - + Ничего не найдено, очистите фильтр, если есть. - + loading cover загрузка обложки - + volume description unavailable - + описание тома недоступно - + volumes тома @@ -2610,12 +2965,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SeriesQuestion - + no нет - + yes да @@ -2628,7 +2983,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + Port Порт @@ -2637,12 +2992,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t <a href='http://ios.yacreader.com' style='color:rgb(102,102,102)'>YACReader доступен для устройств с iOS.</a> - + enable the server активировать сервер - + Server connectivity information Информация о подключении @@ -2653,22 +3008,22 @@ to improve the performance для улучшения производительности - + Scan it! Сканируйте! - + set port указать порт - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader доступен для устройств iOS и Android.<br/>Найдите его для <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> или <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + Choose an IP address Выбрать IP адрес @@ -2676,322 +3031,1156 @@ to improve the performance SortVolumeComics - + remove selected comics удалить выбранные комиксы - + sort comics to match comic information сортировать комиксы, чтобы соответствовать информации комиксов - + restore all removed comics восстановить все удаленные комиксы - + issues выпуск - + Please, sort the list of comics on the left until it matches the comics' information. Пожалуйста, отсортируйте список комиксов слева, пока он не будет соответствовать информации комикса. - TitleHeader - - - SEARCH - ПОИСК - - - - UpdateLibraryDialog + ThemeEditorDialog - - Update library - Обновить библиотеку + + Theme Editor + Редактор тем - - Cancel - Отмена + + + + + - - Updating.... - Обновление... + + - + - - - - VolumeComicsModel - - title - название + + i + я - - - VolumesModel - - year - год + + Expand all + Развернуть все - - issues - выпуск + + Collapse all + Свернуть все - - publisher - издатель + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Удерживайте, чтобы выбранное значение мигало в пользовательском интерфейсе (пурпурный / переключено / 0↔10). Релизы восстанавливают оригинал. - - - YACReader::TrayIconController - - &Restore - + + Search… + Поиск… - - Systray - + + Light + Осветить - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - + + Dark + Темный - - - YACReader::WhatsNewDialog - - Close - + + ID: + ИДЕНТИФИКАТОР: - - - YACReaderFieldEdit - - Restore to default - Вернуть к первоначальным значениям + + Display name: + Отображаемое имя: - - - Click to overwrite - Изменить + + Variant: + Вариант: - - - YACReaderFieldPlainTextEdit - - Restore to default - Вернуть к первоначальным значениям + + Theme info + Информация о теме - - - - - Click to overwrite - Изменить + + Parameter + Параметр - - - YACReaderFlowConfigWidget - - CoverFlow look - Рулеткой + + Value + Ценить - - How to show covers: - Выбрать внешний вид потока обложек: + + Save and apply + Сохраните и примените - - Stripe look - Вид полосами + + Export to file... + Экспортировать в файл... - - Overlapped Stripe look - Вид перекрывающимися полосами + + Load from file... + Загрузить из файла... - - - YACReaderGLFlowConfigWidget - - Zoom - Масштабировать + + Close + Закрыть - - Light - Осветить + + Double-click to edit color + Дважды щелкните, чтобы изменить цвет - - Show advanced settings - Показать дополнительные настройки + + + + + + + true + истинный - - Roulette look - Вид рулеткой + + + + + false + ЛОЖЬ - - Cover Angle - Охватить угол + + Double-click to toggle + Дважды щелкните, чтобы переключиться - - Stripe look - Вид полосами + + Double-click to edit value + Дважды щелкните, чтобы изменить значение - - Position - Позиция + + + + Edit: %1 + Изменить: %1 - - Z offset - Смещение по Z + + Save theme + Сохранить тему - - Y offset - Смещение по Y + + + JSON files (*.json);;All files (*) + Файлы JSON (*.json);;Все файлы (*) - - Central gap - Сфокусировать разрыв + + Save failed + Сохранить не удалось - - Presets: - Предустановки: + + Could not open file for writing: +%1 + Не удалось открыть файл для записи: +%1 - - Overlapped Stripe look - Вид перекрывающимися полосами + + Load theme + Загрузить тему - - Modern look - Современный вид + + + + Load failed + Загрузка не удалась - - View angle - Угол зрения + + Could not open file: +%1 + Не удалось открыть файл: +%1 - - Max angle - Максимальный угол + + Invalid JSON: +%1 + Неверный JSON: +%1 - - Custom: - Пользовательский: + + Expected a JSON object. + Ожидается объект JSON. + + + TitleHeader - - Classic look - Классический вид + + SEARCH + ПОИСК + + + UpdateLibraryDialog - - Cover gap - Охватить разрыв + + Update library + Обновить библиотеку - - High Performance - Максимальная производительность + + Cancel + Отмена - + + Updating.... + Обновление... + + + + Viewer + + + + Press 'O' to open comic. + Нажмите "O" чтобы открыть комикс. + + + + Not found + Не найдено + + + + Comic not found + Комикс не найден + + + + Error opening comic + Ошибка открытия комикса + + + + CRC Error + Ошибка CRC + + + + Loading...please wait! + Загрузка... Пожалуйста подождите! + + + + Page not available! + Страница недоступна! + + + + Cover! + Начало! + + + + Last page! + Конец! + + + + VolumeComicsModel + + + title + название + + + + VolumesModel + + + year + год + + + + issues + выпуск + + + + publisher + издатель + + + + YACReader3DFlowConfigWidget + + + Presets: + Предустановки: + + + + Classic look + Классический вид + + + + Stripe look + Вид полосами + + + + Overlapped Stripe look + Вид перекрывающимися полосами + + + + Modern look + Современный вид + + + + Roulette look + Вид рулеткой + + + + Show advanced settings + Показать дополнительные настройки + + + + Custom: + Пользовательский: + + + + View angle + Угол зрения + + + + Position + Позиция + + + + Cover gap + Охватить разрыв + + + + Central gap + Сфокусировать разрыв + + + + Zoom + Масштабировать + + + + Y offset + Смещение по Y + + + + Z offset + Смещение по Z + + + + Cover Angle + Охватить угол + + + + Visibility + Прозрачность + + + + Light + Осветить + + + + Max angle + Максимальный угол + + + + Low Performance + Минимальная производительность + + + + High Performance + Максимальная производительность + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Использовать VSync (повысить качество изображения в полноэкранном режиме , хуже производительность) + + + Performance: Производительность: + + + YACReader::MainWindowViewer + + + &Open + &Открыть + + + + Open a comic + Открыть комикс + + + + New instance + Новый экземпляр + + + + Open Folder + Открыть папку + + + + Open image folder + Открыть папку с изображениями + + + + Open latest comic + Открыть последний комикс + + + + Open the latest comic opened in the previous reading session + Открыть комикс открытый в предыдущем сеансе чтения + + + + Clear + Очистить + + + + Clear open recent list + Очистить список недавно открытых файлов + + + + Save + Сохранить + + + + + Save current page + Сохранить текущию страницу + + + + Previous Comic + Предыдущий комикс + + + + + + Open previous comic + Открыть предыдуший комикс + + + + Next Comic + Следующий комикс + + + + + + Open next comic + Открыть следующий комикс + + + + &Previous + &Предыдущий + + + + + + Go to previous page + Перейти к предыдущей странице + + + + &Next + &Следующий + + + + + + Go to next page + Перейти к следующей странице + + + + Fit Height + Подогнать по высоте + + + + Fit image to height + Подогнать по высоте + + + + Fit Width + Подогнать по ширине + + + + Fit image to width + Подогнать по ширине + + + + Show full size + Показать в полном размере + + + + Fit to page + Подогнать под размер страницы + + + + Continuous scroll + Непрерывная прокрутка + + + + Switch to continuous scroll mode + Переключиться в режим непрерывной прокрутки + + + + Reset zoom + Сбросить масштаб + + + + Show zoom slider + Показать ползунок масштабирования + + + + Zoom+ + Увеличить масштаб + + + + Zoom- + Уменьшить масштаб + + + + Rotate image to the left + Повернуть изображение против часовой стрелки + + + + Rotate image to the right + Повернуть изображение по часовой стрелке + + + + Double page mode + Двухстраничный режим + + + + Switch to double page mode + Двухстраничный режим + + + + Double page manga mode + Двухстраничный режим манги + + + + Reverse reading order in double page mode + Двухстраничный режим манги + + + + Go To + Перейти к странице... + + + + Go to page ... + Перейти к странице... + + + + Options + Настройки + + + + YACReader options + Настройки + + + + + Help + Настройки + + + + Help, About YACReader + О программе + + + + Magnifying glass + Увеличительное стекло + + + + Switch Magnifying glass + Увеличительное стекло + + + + Set bookmark + Установить закладку + + + + Set a bookmark on the current page + Установить закладку на текущей странице + + + + Show bookmarks + Показать закладки + + + + Show the bookmarks of the current comic + Показать закладки в текущем комиксе + + + + Show keyboard shortcuts + Показать горячие клавиши + + + + Show Info + Показать/скрыть номер страницы и текущее время + + + + Close + Закрыть + + + + Show Dictionary + Переводчик YACreader + + + + Show go to flow + Показать поток страниц + + + + Edit shortcuts + Редактировать горячие клавиши + + + + &File + &Отображать панель инструментов + + + + + Open recent + Открыть недавние + + + + File + Файл + + + + Edit + Редактировать информацию + + + + View + Посмотреть + + + + Go + Перейти + + + + Window + Окно + + + + + + Open Comic + Открыть комикс + + + + + + Comic files + Файлы комикса + + + + Open folder + Открыть папку + + + + page_%1.jpg + страница_%1.jpg + + + + Image files (*.jpg) + Файлы изображений (*.jpg) + + + + + Comics + Комикс + + + + + General + Основные + + + + + Magnifiying glass + Увеличительное стекло + + + + + Page adjustement + Настройка страницы + + + + + Reading + Чтение + + + + Toggle fullscreen mode + Полноэкранный режим включить/выключить + + + + Hide/show toolbar + Показать/скрыть панель инструментов + + + + Size up magnifying glass + Увеличение размера окошка увеличительного стекла + + + + Size down magnifying glass + Уменьшение размера окошка увеличительного стекла + + + + Zoom in magnifying glass + Увеличить + + + + Zoom out magnifying glass + Уменьшить + + + + Reset magnifying glass + Сбросить увеличительное стекло + + + + Toggle between fit to width and fit to height + Переключение режима подгонки страницы по ширине/высоте + + + + Autoscroll down + Автопрокрутка вниз + + + + Autoscroll up + Автопрокрутка вверх + + + + Autoscroll forward, horizontal first + Автопрокрутка вперед, горизонтальная + + + + Autoscroll backward, horizontal first + Автопрокрутка назад, горизонтальная + + + + Autoscroll forward, vertical first + Автопрокрутка вперед, вертикальная + + + + Autoscroll backward, vertical first + Автопрокрутка назад, вертикальная + + + + Move down + Переместить вниз + + + + Move up + Переместить вверх + + + + Move left + Переместить влево + + + + Move right + Переместить вправо + + + + Go to the first page + Перейти к первой странице + + + + Go to the last page + Перейти к последней странице + + + + Offset double page to the left + Смещение разворота влево + + + + Offset double page to the right + Смещение разворота вправо + + + + There is a new version available + Доступна новая версия + + + + Do you want to download the new version? + Хотите загрузить новую версию ? + + + + Remind me in 14 days + Напомнить через 14 дней + + + + Not now + Не сейчас + + + + YACReader::TrayIconController + + + &Restore + &Rмагазин + + + + Systray + Систрей + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary продолжит работать в системном трее. Чтобы завершить работу программы, выберите <b>Quit</b> в контекстном меню значка на панели задач. + + + + YACReaderFieldEdit + + + Restore to default + Вернуть к первоначальным значениям + + + + + Click to overwrite + Изменить + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Вернуть к первоначальным значениям + + + + + + + Click to overwrite + Изменить + + + + YACReaderFlowConfigWidget + + CoverFlow look + Рулеткой + + + How to show covers: + Выбрать внешний вид потока обложек: + + + Stripe look + Вид полосами + + + Overlapped Stripe look + Вид перекрывающимися полосами + + + + YACReaderGLFlowConfigWidget + + Zoom + Масштабировать + + + Light + Осветить + + + Show advanced settings + Показать дополнительные настройки + + + Roulette look + Вид рулеткой + + + Cover Angle + Охватить угол + + + Stripe look + Вид полосами + + + Position + Позиция + + + Z offset + Смещение по Z + + + Y offset + Смещение по Y + + + Central gap + Сфокусировать разрыв + + + Presets: + Предустановки: + + + Overlapped Stripe look + Вид перекрывающимися полосами + + + Modern look + Современный вид + + + View angle + Угол зрения + + + Max angle + Максимальный угол + + + Custom: + Пользовательский: + + + Classic look + Классический вид + + + Cover gap + Охватить разрыв + + + High Performance + Максимальная производительность + + + Performance: + Производительность: + - Use VSync (improve the image quality in fullscreen mode, worse performance) - Использовать VSync (повысить качество изображения в полноэкранном режиме , хуже производительность) + Использовать VSync (повысить качество изображения в полноэкранном режиме , хуже производительность) - Visibility - Прозрачность + Прозрачность - Low Performance - Минимальная производительность + Минимальная производительность YACReaderNavigationController - You are not reading anything yet, come on!! - Вы пока ничего не читаете. Может самое время почитать? - - - - There are no recent comics! - + Вы пока ничего не читаете. Может самое время почитать? - No favorites - Нет избранного + Нет избранного YACReaderOptionsDialog - + Save Сохранить - Use hardware acceleration (restart needed) - Использовать аппаратное ускорение (необходима перезагрузка) + Использовать аппаратное ускорение (необходима перезагрузка) - + Cancel Отмена - + Shortcuts Горячие клавиши - + Edit shortcuts Редактировать горячие клавиши @@ -2999,7 +4188,7 @@ to improve the performance YACReaderSearchLineEdit - + type to search Начать поиск @@ -3007,34 +4196,60 @@ to improve the performance YACReaderSideBar - Reading Lists - Списки чтения + Списки чтения - LIBRARIES - БИБЛИОТЕКИ + БИБЛИОТЕКИ - Libraries - Библиотеки + Библиотеки - FOLDERS - ПАПКИ + ПАПКИ - Folders - Папки + Папки - READING LISTS - СПИСКИ ЧТЕНИЯ + СПИСКИ ЧТЕНИЯ + + + + YACReaderSlider + + + Reset + Вернуть к первоначальным значениям + + + + YACReaderTranslator + + + YACReader translator + Переводчик YACReader + + + + + Translation + Перевод + + + + clear + очистить + + + + Service not available + Сервис недоступен diff --git a/YACReaderLibrary/yacreaderlibrary_source.ts b/YACReaderLibrary/yacreaderlibrary_source.ts index 17e29eea2..11890d95a 100644 --- a/YACReaderLibrary/yacreaderlibrary_source.ts +++ b/YACReaderLibrary/yacreaderlibrary_source.ts @@ -4,7 +4,7 @@ ActionsShortcutsModel - + None @@ -12,142 +12,217 @@ AddLabelDialog - + Label name: - + Choose a color: - - red + + accept - - orange + + cancel + + + AddLibraryDialog - - yellow + + Add - - green + + Add an existing library - - cyan + + Cancel - - blue + + Comics folder : - - violet + + Library name : + + + ApiKeyDialog - - purple + + Cancel - - pink + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> - - white + + Paste here your Comic Vine API key - - light + + Accept + + + AppearanceTabWidget - - dark + + Color scheme - - accept + + System - - cancel + + Light - - - AddLibraryDialog - - Comics folder : + + Dark - - Library name : - Library Name : + + Custom - - Add + + Remove - - Cancel + + Remove this user-imported theme - - Add an existing library + + Light: + + + + + Dark: + + + + + Custom: + + + + + Import theme... + + + + + Theme + + + + + Theme editor + + + + + Open Theme Editor... + + + + + Theme editor error + + + + + The current theme JSON could not be loaded. + + + + + Import theme + + + + + JSON files (*.json);;All files (*) + + + + + Could not import theme from: +%1 + + + + + Could not import theme from: +%1 + +%2 + + + + + Import failed - ApiKeyDialog + BookmarksDialog - - Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + + Lastest Page - - Paste here your Comic Vine API key + + Close - - Accept + + Click on any image to go to the bookmark - - Cancel + + + Loading... ClassicComicsView - + Hide comic flow @@ -155,108 +230,153 @@ ComicInfoView - + + Characters + + + + + Main character or team + + + + + Teams + + + + + Locations + + + + Authors - + writer - + penciller - + inker - + colorist - + letterer - + cover artist - - Publisher + + editor - - color + + imprint - - b/w + + Publisher - - Characters + + color + + + + + b/w ComicModel - + yes - + no - + Title - + File Name - + Pages - + Size - + Read - + Current Page - + + Publication Date + + + + Rating + + + Series + + + + + Volume + + + + + Story Arc + + ComicVineDialog @@ -287,85 +407,91 @@ - - - - + + Looking for volume... - - + + comic %1 of %2 - %3 - + %1 comics selected - + Error connecting to ComicVine - - + + Retrieving tags for : %1 - + Retrieving volume info... - + Looking for comic... + + ContinuousPageWidget + + + Loading page %1 + + + CreateLibraryDialog - - Comics folder : + + Create new library - - Library Name : + + Cancel - + Create - - Cancel + + Comics folder : - - Create a library could take several minutes. You can stop the process and update the library later for completing the task. + + Library Name : - - Create new library + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. - + Path not found - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder @@ -373,27 +499,27 @@ EditShortcutsDialog - + Restore defaults - + To change a shortcut, double click in the key combination and type the new keys. - + Shortcuts settings - + Shortcut in use - + The shortcut "%1" is already assigned to other function @@ -401,26 +527,15 @@ EmptyFolderWidget - - - Subfolders in this folder - - - - - Empty folder - - - - - Drag and drop folders and comics here + + This folder doesn't contain comics yet EmptyLabelWidget - + This label doesn't contain comics yet @@ -430,15 +545,32 @@ This reading list does not contain any comics yet - This reading list doesn't contain any comics yet + + + + + EmptySpecialListWidget + + + No favorites + + + + + You are not reading anything yet, come on!! + + + + + There are no recent comics! ExportComicsInfoDialog - - Output file : + + Cancel @@ -447,27 +579,27 @@ - - Cancel + + Output file : - + Export comics info - + Destination database name - + Problem found while writing - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder @@ -475,8 +607,8 @@ ExportLibraryDialog - - Output folder : + + Cancel @@ -485,33 +617,38 @@ - - Cancel + + Output folder : - + Create covers package - - Problem found while writing + + Destination directory - - The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + + Problem found while writing - - Destination directory + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder FileComic + + + 7z not found + + CRC error on page (%1): some of the pages will not be displayed correctly @@ -523,20 +660,60 @@ - - 7z not found + + Format not supported + + + FolderContentView - - Format not supported + + Continue Reading... + + + + + GoToDialog + + + Page : + + + + + Go To + + + + + Cancel + + + + + + Total pages : + + + + + Go to... + + + + + GoToFlowToolBar + + + Page : GridComicsView - + Show info @@ -544,18 +721,28 @@ HelpAboutDialog - + About - + Help + + + System info + + ImportComicsInfoDialog + + + Cancel + + Import comics info @@ -572,1687 +759,3115 @@ - - Cancel - - - - + Comics info file (*.ydb) ImportLibraryDialog - - - Library Name : - - - - - Package location : - - Destination folder : - - - Unpack - - Cancel - - Extract a catalog + + Unpack - + Compresed library covers (*.clc) - - - ImportWidget - + + Package location : + + + + + Library Name : + + + + + Extract a catalog + + + + + ImportWidget + + stop - + Some of the comics being added... - + Importing comics - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> - + Updating the library - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> - + Upgrading the library - + <p>The current library is being upgraded, please wait.</p> + + + Scanning the library + + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + + LibraryWindow - - YACReader Library - + Remove current library from your collection + Remover biblioteca atual da sua coleção - + Library - - Create a new library - + Rename current library + Renomear biblioteca atual - - Open an existing library - + Open current comic on YACReader + Abrir quadrinho atual no YACReader - - - Export comics info - + Update current library + Atualizar biblioteca atual - - - Import comics info + + Open folder... - - Pack covers + + + + western manga (left to right) - - Pack the covers of the selected library + + + + 4koma (top to botom) + 4koma (top to botom - - Unpack covers + + Do you want remove - - Unpack a catalog - + Expand all nodes + Expandir todos - - Update library - + Show options dialog + Mostrar opções - - Update current library - + Create a new library + Criar uma nova biblioteca - - Rename library + + YACReader Library - - Rename current library - + Open an existing library + Abrir uma biblioteca existente - - Remove library - + Pack the covers of the selected library + Pacote de capas da biblioteca selecionada - - Remove current library from your collection + + + + manga - - Open current comic + + + + comic - - Open current comic on YACReader - + Help, About YACReader + Ajuda, Sobre o YACReader - - Save selected covers to... - + Select root node + Selecionar raiz - - Save covers of the selected comics as JPG files + Unpack a catalog + Desempacotar um catálogo + + + Open containing folder... + Abrir a pasta contendo... + + + + Are you sure? - - - Set as read + + Rescan library for XML info - - Set comic as read + + Set as read - - + + Set as unread - - Set comic as unread + + + + web comic - - Show/Hide marks + + Add new folder - - Collapse all nodes + + Delete folder - - Assign current order to comics + + Set as uncompleted - - Library not available - Library ' + + Set as completed - - - Fullscreen mode on/off + + Update folder - - - Set as manga + + Folder - - Set issue as manga + + Comic - - Set as normal + + Upgrade failed - - Set issue as normal + + There were errors during library upgrade in: - - Help, About YACReader + + Update needed - - - Delete folder + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? - - Select root node + + Download new version - - Expand all nodes + + This library was created with a newer version of YACReaderLibrary. Download the new version now? - - Show options dialog + + Library not available - - Show comics server options dialog + + Library '%1' is no longer available. Do you want to remove it? - - Open folder... + + Old library - - Set as uncompleted + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? - - Set as completed + + + Copying comics... - - Set as comic + + + Moving comics... - - Open containing folder... + + Folder name: - - Reset comic rating + + No folder selected - - Select all comics + + Please, select a folder first - - Edit + + Error in path - - Update cover + + There was an error accessing the folder's path - - Delete selected comics + + The selected folder and all its contents will be deleted from your disk. Are you sure? - - Download tags from Comic Vine + + + Unable to delete - - Edit shortcuts + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. - - Update folder + + Add new reading lists - - Update current folder + + + List name: - - Add new reading list + + Delete list/label - - Add a new reading list to the current library + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? - - Remove reading list + + Rename list name - - Remove current reading list from the library + + + + + Set type - - Add new label + + Set custom cover - - Add a new label to this library + + Delete custom cover - - Rename selected list + + Save covers - - Rename any selected labels or lists + + You are adding too many libraries. - - Add to... + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. - - Favorites + + + YACReader not found - - Add selected comics to favorites list + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. - - Folder + + YACReader not found. There might be a problem with your YACReader installation. - - Comic + + Error - - Upgrade failed + + Error opening comic with third party reader. - - There were errors during library upgrade in: + + Library not found - - Update needed + + The selected folder doesn't contain any library. - - This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + + library? - - Download new version + + Remove and delete metadata - - This library was created with a newer version of YACReaderLibrary. Download the new version now? + + Library info - - Library '%1' is no longer available. Do you want to remove it? + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. - - Old library + + Assign comics numbers - - Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + + Assign numbers starting in: - - - Copying comics... + + Invalid image - - - Moving comics... + + The selected file is not a valid image. - - Folder name: + + Error saving cover - - No folder selected + + There was an error saving the cover image. - - Please, select a folder first + + Error creating the library - - Error in path + + Error updating the library - - There was an error accessing the folder's path + + Error opening the library - - The selected folder and all its contents will be deleted from your disk. Are you sure? + + Delete comics - - There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + + All the selected comics will be deleted from your disk. Are you sure? - - Add new reading lists + + Remove comics - - - List name: + + Comics will only be deleted from the current label/list. Are you sure? - - Delete list/label + + Library name already exists - - The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + + There is another library with the name '%1'. + + + LibraryWindowActions - - Rename list name + + Create a new library - - Save covers + + Open an existing library - - You are adding too many libraries. + + + Export comics info - - You are adding too many libraries. - -You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. - -YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + + + Import comics info - - - YACReader not found + + Pack covers - - Library not found + + Pack the covers of the selected library - - The selected folder doesn't contain any library. + + Unpack covers - - Are you sure? + + Unpack a catalog - - Do you want remove + + Update library - - library? + + Update current library - - Remove and delete metadata + + Rename library - - Assign comics numbers + + Rename current library - - Assign numbers starting in: + + Remove library - - - Unable to delete + + Remove current library from your collection - - Show or hide read marks + + Rescan library for XML info - - - Add new folder + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - - Add new folder to the current library + + Show library info - - Delete current folder from disk + + Show information about the current library - - - Change between comics views + + Open current comic - - YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + + Open current comic on YACReader - - YACReader not found. There might be a problem with your YACReader installation. + + Save selected covers to... - - There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + + Save covers of the selected comics as JPG files - - Error creating the library + + + Set as read - - Error updating the library + + Set comic as read - - Error opening the library + + + Set as unread - - Delete comics + + Set comic as unread - - All the selected comics will be deleted from your disk. Are you sure? + + + manga - - Remove comics + + Set issue as manga - - Comics will only be deleted from the current label/list. Are you sure? + + + comic - - Library name already exists + + Set issue as normal + + + + + western manga + + + + + Set issue as western manga + + + + + + web comic + + + + + Set issue as web comic + + + + + + yonkoma + + + + + Set issue as yonkoma + + + + + Show/Hide marks + + + + + Show or hide read marks + + + + + Show/Hide recent indicator + + + + + Show or hide recent indicator + + + + + + Fullscreen mode on/off + + + + + Help, About YACReader + + + + + Add new folder + + + + + Add new folder to the current library + + + + + Delete folder + + + + + Delete current folder from disk + + + + + Select root node + + + + + Expand all nodes + + + + + Collapse all nodes + + + + + Show options dialog + + + + + Show comics server options dialog + + + + + + Change between comics views + + + + + Open folder... + + + + + Set as uncompleted + + + + + Set as completed + + + + + Set custom cover + + + + + Delete custom cover + + + + + western manga (left to right) + + + + + Open containing folder... + + + + + Reset comic rating + + + + + Select all comics + + + + + Edit + + + + + Assign current order to comics + + + + + Update cover + + + + + Delete selected comics + + + + + Delete metadata from selected comics + + + + + Download tags from Comic Vine + + + + + Focus search line + + + + + Focus comics view + + + + + Edit shortcuts + + + + + &Quit + + + + + Update folder + + + + + Update current folder + + + + + Scan legacy XML metadata + + + + + Add new reading list + + + + + Add a new reading list to the current library + + + + + Remove reading list + + + + + Remove current reading list from the library + + + + + Add new label + + + + + Add a new label to this library + + + + + Rename selected list + + + + + Rename any selected labels or lists + + + + + Add to... + + + + + Favorites + + + + + Add selected comics to favorites list + + + + + LocalComicListModel + + + file name + + + + + NoLibrariesWidget + + + You don't have any libraries yet + + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + + + + + create your first library + + + + + add an existing one + + + + + NoSearchResultsWidget + + + No results + + + + + OptionsDialog + + + + Language + + + + + + Application language + + + + + + System default + + + + + Tray icon settings (experimental) + + + + + Close to tray + + + + + Start into the system tray + + + + + Edit Comic Vine API key + + + + + Comic Vine API key + + + + + ComicInfo.xml legacy support + + + + + Import metadata from ComicInfo.xml when adding new comics + Import metada from ComicInfo.xml when adding new comics + + + + + Consider 'recent' items added or updated since X days ago + + + + + Third party reader + + + + + Write {comic_file_path} where the path should go in the command + + + + + + Clear + + + + + Update libraries at startup + + + + + Try to detect changes automatically + + + + + Update libraries periodically + + + + + Interval: + + + + + 30 minutes + + + + + 1 hour + + + + + 2 hours + + + + + 4 hours + + + + + 8 hours + + + + + 12 hours + + + + + daily + + + + + Update libraries at certain time + + + + + Time: + + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +To stop an automatic update tap on the loading indicator next to the Libraries title. + + + + + Modifications detection + + + + + Compare the modified date of files when updating a library (not recommended) + + + + + Enable background image + + + + + Opacity level + + + + + Blur level + + + + + Use selected comic cover as background + + + + + Restore defautls + + + + + Background + + + + + Display continue reading banner + + + + + Display current comic banner + + + + + Continue reading + + + + + Comic Flow + + + + + + Libraries + + + + + Grid view + + + + + + General + + + + + + Appearance + + + + + + Options + + + + + My comics path + + + + + Display + + + + + Show time in current page information label + + + + + "Go to flow" size + + + + + Background color + + + + + Choose + + + + + Scroll behaviour + + + + + Disable scroll animations and smooth scrolling + + + + + Do not turn page using scroll + + + + + Use single scroll step to turn page + + + + + Mouse mode + + + + + Only Back/Forward buttons can turn pages + + + + + Use the Left/Right buttons to turn pages. + + + + + Click left or right half of the screen to turn pages. + + + + + Quick Navigation Mode + + + + + Disable mouse over activation + + + + + Brightness + + + + + Contrast + + + + + Gamma + + + + + Reset + + + + + Image options + + + + + Fit options + + + + + Enlarge images to fit width/height + + + + + Double Page options + + + + + Show covers as single page + + + + + Scaling + + + + + Scaling method + + + + + Nearest (fast, low quality) + + + + + Bilinear + + + + + Lanczos (better quality) + + + + + Page Flow + + + + + Image adjustment + + + + + + Restart is needed + + + + + Comics directory + + + + + PropertiesDialog + + + General info + + + + + Authors + + + + + Publishing + + + + + Plot + + + + + Notes + + + + + Cover page + + + + + Load previous page as cover + + + + + Load next page as cover + + + + + Reset cover to the default image + + + + + Load custom cover image + + + + + Series: + + + + + Title: + + + + + + + of: + + + + + Issue number: + + + + + Volume: + + + + + Arc number: + + + + + Story arc: + + + + + alt. number: + + + + + Alternate series: + + + + + Series Group: + + + + + Genre: + + + + + Size: + + + + + Writer(s): + + + + + Penciller(s): + + + + + Inker(s): + + + + + Colorist(s): + + + + + Letterer(s): + + + + + Cover Artist(s): + + + + + Editor(s): + + + + + Imprint: + + + + + Day: + + + + + Month: + + + + + Year: + + + + + Publisher: + + + + + Format: + + + + + Color/BW: + + + + + Age rating: + + + + + Type: + + + + + Language (ISO): + + + + + Synopsis: + + + + + Characters: + + + + + Teams: + + + + + Locations: + + + + + Main character or team: + + + + + Review: + + + + + Notes: + + + + + Tags: + + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + + + + + Not found + + + + + Comic not found. You should update your library. + + + + + Edit selected comics information + + + + + Invalid cover + + + + + The image is invalid. + + + + + Edit comic information + + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + + QObject + + + 7z lib not found + + + + + unable to load 7z lib from ./utils + + + + + Trace + + + + + Debug + + + + + Info + + + + + Warning + + + + + Error + + + + + Fatal + + + + + Select custom cover + + + + + Images (%1) + + + + + The file could not be read or is not valid JSON. + + + + + This theme is for %1, not %2. + + + + + Libraries + + + + + Folders + + + + + Reading Lists + + + + + RenameLibraryDialog + + + Rename current library + + + + + Cancel + + + + + Rename + + + + + New Library Name : + + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + + + + + + page %1 of %2 + + + + + Number of %1 found : %2 + + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Please provide some additional information. + + + + + Series: + + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + + + + + SearchVolume + + + Please provide some additional information. + + + + + Series: + + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + + + + + SelectComic + + + Please, select the right comic info. + + + + + comics + + + + + loading cover + + + + + loading description + + + + + comic description unavailable + + + + + SelectVolume + + + Please, select the right series for your comic. + + + + + Filter: + + + + + volumes - - There is another library with the name '%1'. + + Nothing found, clear the filter if any. + + + + + loading cover + + + + + loading description + + + + + volume description unavailable - LocalComicListModel + SeriesQuestion - - file name + + You are trying to get information for various comics at once, are they part of the same series? + + + + + yes + + + + + no - LogWindow + ServerConfigDialog - - Log window + + set port - - &Pause + + Server connectivity information - - &Save + + Scan it! - - C&lear + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - - &Copy + + Choose an IP address - - Level: + + Port - - &Auto scroll + + enable the server - NoLibrariesWidget + SortVolumeComics - - You don't have any libraries yet + + Please, sort the list of comics on the left until it matches the comics' information. - - <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + + sort comics to match comic information - - create your first library + + issues - - add an existing one + + remove selected comics + + + + + restore all removed comics - OptionsDialog + ThemeEditorDialog - - Tray icon settings (experimental) + + Theme Editor - - Close to tray + + + - - Start into the system tray + + - - - Edit Comic Vine API key + + i - - Comic Vine API key + + Expand all - - Enable background image + + Collapse all - - Opacity level + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. - - Blur level + + Search… - - Use selected comic cover as background + + Light - - Restore defautls + + Dark - - Background + + ID: - - Display continue reading banner + + Display name: - - Continue reading + + Variant: - - Comic Flow + + Theme info - - Grid view + + Parameter - - General + + Value - - Options + + Save and apply + + + + + Export to file... + + + + + Load from file... + + + + + Close + + + + + Double-click to edit color + + + + + + + + + + true + + + + + + + + false + + + + + Double-click to toggle + + + + + Double-click to edit value + + + + + + + Edit: %1 + + + + + Save theme + + + + + + JSON files (*.json);;All files (*) + + + + + Save failed + + + + + Could not open file for writing: +%1 + + + + + Load theme + + + + + + + Load failed + + + + + Could not open file: +%1 + + + + + Invalid JSON: +%1 + + + + + Expected a JSON object. - PropertiesDialog + TitleHeader - - General info + + SEARCH + + + UpdateLibraryDialog - - Authors + + Cancel - - Publishing + + Updating.... - - Plot + + Update library + + + Viewer - - Cover page + + + Press 'O' to open comic. - - Title: + + Not found - - - of: + + Comic not found - - Issue number: + + Error opening comic - - Volume: + + CRC Error - - Arc number: + + Loading...please wait! - - Story arc: + + Page not available! - - Genre: - Genere: + + Cover! - - Size: + + Last page! + + + VolumeComicsModel - - Writer(s): + + title + + + VolumesModel - - Penciller(s): + + year - - Inker(s): + + issues - - Colorist(s): + + publisher + + + YACReader3DFlowConfigWidget - - Letterer(s): + + Presets: - - Cover Artist(s): + + Classic look - - Day: + + Stripe look - - Month: + + Overlapped Stripe look - - Year: + + Modern look + + + + + Roulette look + + + + + Show advanced settings + + + + + Custom: + + + + + View angle + + + + + Position + + + + + Cover gap + + + + + Central gap + + + + + Zoom + + + + + Y offset + + + + + Z offset + + + + + Cover Angle + + + + + Visibility + + + + + Light + + + + + Max angle + + + + + Low Performance + + + + + High Performance + + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) - - Publisher: + + Performance: + + + YACReader::MainWindowViewer - - Format: + + &Open - - Color/BW: + + Open a comic - - Age rating: + + New instance - - Manga: + + Open Folder - - Synopsis: + + Open image folder - - Characters: + + Open latest comic - - Notes: + + Open the latest comic opened in the previous reading session - - Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + + Clear - - Not found + + Clear open recent list - - Comic not found. You should update your library. + + Save - - Edit selected comics information + + + Save current page - - Edit comic information + + Previous Comic - - - QObject - - 7z lib not found + + + + Open previous comic - - unable to load 7z lib from ./utils + + Next Comic - - Trace + + + + Open next comic - - Debug + + &Previous - - Info + + + + Go to previous page - - Warning + + &Next - - Error + + + + Go to next page - - Fatal + + Fit Height - - - QsLogging::LogWindowModel - - Time + + Fit image to height - - Level + + Fit Width - - Message + + Fit image to width - - - QsLogging::Window - - &Pause + + Show full size - - &Resume + + Fit to page - - Save log + + Continuous scroll - - Log file (*.log) + + Switch to continuous scroll mode - - - RenameLibraryDialog - - New Library Name : + + Reset zoom - - Rename + + Show zoom slider - - Cancel + + Zoom+ - - Rename current library + + Zoom- - - - ScraperResultsPaginator - - Number of volumes found : %1 + + Rotate image to the left - - - page %1 of %2 + + Rotate image to the right - - Number of %1 found : %2 + + Double page mode - - - SearchSingleComic - - Please provide some additional information. + + Switch to double page mode - - Series: + + Double page manga mode - - - SearchVolume - - Please provide some additional information. + + Reverse reading order in double page mode - - Series: + + Go To - - - SelectComic - - Please, select the right comic info. + + Go to page ... - - comics + + Options - - loading cover + + YACReader options - - loading description + + + Help - - description unavailable + + Help, About YACReader - - - SelectVolume - - Please, select the right series for your comic. + + Magnifying glass - - volumes + + Switch Magnifying glass - - loading cover + + Set bookmark - - loading description + + Set a bookmark on the current page - - description unavailable + + Show bookmarks - - - SeriesQuestion - - You are trying to get information for various comics at once, are they part of the same series? + + Show the bookmarks of the current comic - - yes + + Show keyboard shortcuts - - no + + Show Info - - - ServerConfigDialog - - set port + + Close - - Server connectivity information + + Show Dictionary - - Scan it! + + Show go to flow - - YACReader is available for iOS devices. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Discover it! </a> + + Edit shortcuts - - Choose an IP address + + &File - - Port + + + Open recent - - enable the server + + File - - display less information about folders in the browser -to improve the performance + + Edit - - Could not load libqrencode. + + View - - - SortVolumeComics - - Please, sort the list of comics on the left until it matches the comics' information. + + Go - - sort comics to match comic information + + Window - - issues + + + + Open Comic - - remove selected comics + + + + Comic files - - restore all removed comics + + Open folder - - - TitleHeader - - SEARCH + + page_%1.jpg - - - UpdateLibraryDialog - - Updating.... + + Image files (*.jpg) - - Cancel + + + Comics - - Update library + + + General - - - VolumeComicsModel - - title + + + Magnifiying glass - - - VolumesModel - - year + + + Page adjustement - - issues + + + Reading - - publisher + + Toggle fullscreen mode - - - YACReader::TrayIconController - - &Restore + + Hide/show toolbar - - &Quit + + Size up magnifying glass - - Systray + + Size down magnifying glass - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + + Zoom in magnifying glass - - - YACReader::WhatsNewDialog - - Close + + Zoom out magnifying glass - - - YACReaderFieldEdit - - - Click to overwrite + + Reset magnifying glass - - Restore to default + + Toggle between fit to width and fit to height - - - YACReaderFieldPlainTextEdit - - - - - Click to overwrite + + Autoscroll down - - Restore to default + + Autoscroll up - - - YACReaderFlowConfigWidget - - How to show covers: + + Autoscroll forward, horizontal first - - CoverFlow look + + Autoscroll backward, horizontal first - - Stripe look + + Autoscroll forward, vertical first - - Overlapped Stripe look + + Autoscroll backward, vertical first - - - YACReaderGLFlowConfigWidget - - Presets: + + Move down - - Classic look + + Move up - - Stripe look + + Move left - - Overlapped Stripe look + + Move right - - Modern look + + Go to the first page - - Roulette look + + Go to the last page - - Show advanced settings + + Offset double page to the left - - Custom: + + Offset double page to the right - - View angle + + There is a new version available - - Position + + Do you want to download the new version? - - Cover gap + + Remind me in 14 days - - Central gap + + Not now + + + YACReader::TrayIconController - - Zoom + + &Restore - - Y offset + + Systray - - Z offset + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + + + YACReaderFieldEdit - - Cover Angle + + + Click to overwrite - - Visibility + + Restore to default + + + YACReaderFieldPlainTextEdit - - Light + + + + + Click to overwrite - - Max angle + + Restore to default + + + YACReaderFlowConfigWidget - - Low Performance - + CoverFlow look + Olhar capa cheia - - High Performance - + How to show covers: + Como mostrar capas: - - Use VSync (improve the image quality in fullscreen mode, worse performance) - + Stripe look + Olhar lista - - Performance: - + Overlapped Stripe look + Olhar lista sobreposta - YACReaderNavigationController + YACReaderGLFlowConfigWidget - - No favorites - + Stripe look + Olhar lista - - You are not reading anything yet, come on!! - + Overlapped Stripe look + Olhar lista sobreposta YACReaderOptionsDialog - + Save - + Cancel - + Edit shortcuts - + Shortcuts - - - Use hardware acceleration (restart needed) - - YACReaderSearchLineEdit - + type to search - YACReaderSideBar + YACReaderSlider - - Libraries - - - - - Folders + + Reset + + + YACReaderTranslator - - Reading Lists + + YACReader translator - - LIBRARIES + + + Translation - - FOLDERS + + clear - - READING LISTS + + Service not available diff --git a/YACReaderLibrary/yacreaderlibrary_tr.ts b/YACReaderLibrary/yacreaderlibrary_tr.ts index 04e56a168..0339a9641 100644 --- a/YACReaderLibrary/yacreaderlibrary_tr.ts +++ b/YACReaderLibrary/yacreaderlibrary_tr.ts @@ -12,82 +12,70 @@ AddLabelDialog - + cancel vazgeç - + Label name: Etiket adı: - + Choose a color: Renk seçiniz: - red - kırmızı + kırmızı - orange - turuncu + turuncu - yellow - sarı + sarı - green - yeşil + yeşil - cyan - camgöbeği + camgöbeği - blue - mavi + mavi - violet - menekşe + menekşe - purple - mor + mor - pink - pembe + pembe - white - beyaz + beyaz - light - açık + açık - dark - koyu + koyu - + accept kabul et @@ -100,7 +88,7 @@ Ekle - + Add an existing library Kütüphaneye ekle @@ -143,10 +131,150 @@ Kabul et + + AppearanceTabWidget + + + Color scheme + Renk şeması + + + + System + Sistem + + + + Light + Işık + + + + Dark + Karanlık + + + + Custom + Gelenek + + + + Remove + Kaldırmak + + + + Remove this user-imported theme + Kullanıcı tarafından içe aktarılan bu temayı kaldır + + + + Light: + Işık: + + + + Dark: + Karanlık: + + + + Custom: + Kişisel: + + + + Import theme... + Temayı içe aktar... + + + + Theme + Tema + + + + Theme editor + Tema düzenleyici + + + + Open Theme Editor... + Tema Düzenleyiciyi Aç... + + + + Theme editor error + Tema düzenleyici hatası + + + + The current theme JSON could not be loaded. + Geçerli tema JSON yüklenemedi. + + + + Import theme + Temayı içe aktar + + + + JSON files (*.json);;All files (*) + JSON dosyaları (*.json);;Tüm dosyalar (*) + + + + Could not import theme from: +%1 + Tema şu kaynaktan içe aktarılamadı: +%1 + + + + Could not import theme from: +%1 + +%2 + Tema şu kaynaktan içe aktarılamadı: +%1 + +%2 + + + + Import failed + İçe aktarma başarısız oldu + + + + BookmarksDialog + + + Lastest Page + Son Sayfa + + + + Close + Kapat + + + + Click on any image to go to the bookmark + Yer imine git + + + + + Loading... + Yükleniyor... + + ClassicComicsView - + Hide comic flow Çizgi roman akışını gizle @@ -154,82 +282,82 @@ ComicInfoView - + Main character or team - + Ana karakter veya takım - + Teams - + Takımlar - + Locations - + Konumlar - + Authors Yazarlar - + writer yazar - + penciller - kalemci + çizer - + inker - mürekkepçi + mürekkepleyen - + colorist renklendiren - + letterer - metinlendiren + harflendiren - + cover artist - kapak sanatçısı + kapak çizeri - + editor - + editör - + imprint - + yayın markası - + Publisher - Yayıncı + Yayınevi - + color renk - + b/w s/b - + Characters Karakterler @@ -279,7 +407,7 @@ Publication Date - + Yayın Tarihi @@ -289,90 +417,98 @@ Series - + Seri Volume - + Hacim Story Arc - + Hikaye Arkı ComicVineDialog - + skip geç - + back geri - + next sonraki - + search ara - + close kapat - - - + + + Looking for volume... Sayılar aranıyor... - - + + comic %1 of %2 - %3 çizgi roman %1 / %2 - %3 - + %1 comics selected %1 çizgi roman seçildi - + Error connecting to ComicVine ComicVine sitesine bağlanılırken hata - - + + Retrieving tags for : %1 %1 için etiketler alınıyor - + Retrieving volume info... Sayı bilgileri alınıyor... - + Looking for comic... Çizgi romanlar aranıyor... + + ContinuousPageWidget + + + Loading page %1 + %1 sayfası yükleniyor + + CreateLibraryDialog - + Create new library Yeni kütüphane oluştur @@ -392,7 +528,7 @@ Yeni kütüphanenin oluşturulması birkaç dakika sürecek. - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol @@ -407,7 +543,7 @@ Kütüphane Adı : - + Path not found Dizin bulunamadı @@ -430,12 +566,12 @@ Kısayol ayarları - + Shortcut in use Kısayol kullanımda - + The shortcut "%1" is already assigned to other function "%1" kısayalou zaten başka bir işlev tarafından kullanılıyor @@ -443,26 +579,27 @@ EmptyFolderWidget - - Subfolders in this folder - Bu klasörde alt klasörler + Bu klasörde alt klasörler - Empty folder - Boş klasör + Boş klasör - Drag and drop folders and comics here - Klasörleri ve çizgi romanları sürükleyip buraya bırakın + Klasörleri ve çizgi romanları sürükleyip buraya bırakın + + + + This folder doesn't contain comics yet + Bu klasör henüz çizgi roman içermiyor EmptyLabelWidget - + This label doesn't contain comics yet Bu etiket henüz çizgi roman içermiyor @@ -475,6 +612,24 @@ Bu okuma listesi henüz çizgi roman içermiyor + + EmptySpecialListWidget + + + No favorites + Favoriler boş + + + + You are not reading anything yet, come on!! + Henüz bir şey okumuyorsun, hadi ama! + + + + There are no recent comics! + Yeni çizgi roman yok! + + ExportComicsInfoDialog @@ -483,7 +638,7 @@ Çıkış dosyası : - + Destination database name Hedef adı @@ -498,17 +653,17 @@ Oluştur - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol - + Export comics info Çizgi roman bilgilerini göster - + Problem found while writing Yazma sırasında bir problem oldu @@ -526,7 +681,7 @@ Yeni bir tane yap - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder Seçilen konuma yeni bir kütüphane yazılamıyor @@ -536,17 +691,17 @@ Çıktı klasörü : - + Problem found while writing Yazım aşamasında bir problem bulundu - + Create covers package Kapak paketi oluştur - + Destination directory Hedef dizin @@ -577,23 +732,52 @@ FolderContentView - + Continue Reading... - + Okumaya Devam Et... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + Sayfa : + + + + Go To + Git + + + + Cancel + Vazgeç + + + + + Total pages : + Toplam sayfa: + + + + Go to... + Git... + + + + GoToFlowToolBar + + + Page : + Sayfa : GridComicsView - + Show info Bilgi göster @@ -601,17 +785,17 @@ HelpAboutDialog - + Help Yardım - + System info - + Sistem bilgisi - + About Hakkında @@ -639,7 +823,7 @@ Çizgi roman bilgilerini çıkart - + Comics info file (*.ydb) Çizgi roman bilgi dosyası (*.ydb) @@ -662,7 +846,7 @@ Paketten çıkar - + Compresed library covers (*.clc) Sıkıştırılmış kütüphane kapakları (*.clc) @@ -677,7 +861,7 @@ Kütüphane Adı : - + Extract a catalog Katalog ayıkla @@ -685,54 +869,54 @@ ImportWidget - + stop dur - + Importing comics önemli çizgi romanlar - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderKütüphane şu anda yeni bir kütüphane oluşturuyor</p><p>Kütüphanenin oluşturulması birkaç dakika alacak.</p> - + Some of the comics being added... Bazı çizgi romanlar önceden eklenmiş... - + Updating the library Kütüphaneyi güncelle - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>Kütüphane güncelleniyor</p><p>Güncellemeyi daha sonra iptal edebilirsin.</p> - + Upgrading the library Kütüphane güncelleniyor - + <p>The current library is being upgraded, please wait.</p> <p>Mevcut kütüphane güncelleniyor, lütfen bekleyin.</p> - + Scanning the library - + Kütüphaneyi taramak - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> - + <p>Geçerli kitaplık, eski XML meta veri bilgileri için taranıyor.</p><p>Bu yalnızca bir kez gereklidir ve yalnızca kitaplığın YACReaderLibrary 9.8.2 veya daha eski bir sürümle oluşturulmuş olması durumunda gereklidir.</p> @@ -742,17 +926,17 @@ Düzenle - + The selected folder doesn't contain any library. Seçilen dosya kütüphanede yok. - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? Bu kütüphane YACReaderKütüphabenin bir önceki versiyonun oluşturulmuş, güncellemeye ihtiyacın var. Şimdi güncellemek ister misin ? - + Error opening the library Haa kütüphanesini aç @@ -773,12 +957,12 @@ Çizgi romanı okundu olarak işaretle - + Remove and delete metadata Metadata'yı kaldır ve sil - + Old library Eski kütüphane @@ -787,7 +971,7 @@ Kapağı güncelle - + Library Kütüphane @@ -800,7 +984,7 @@ Tam ekran modu açık/kapalı - + This library was created with a newer version of YACReaderLibrary. Download the new version now? Bu kütüphane YACRKütüphanenin üst bir versiyonunda oluşturulmu. Yeni versiyonu indirmek ister misiniz ? @@ -814,7 +998,7 @@ Kütüphaneyi güncelle - + Library '%1' is no longer available. Do you want to remove it? Kütüphane '%1'ulaşılabilir değil. Kaldırmak ister misin? @@ -823,17 +1007,17 @@ Kütüphaneyi güncelle - + Open folder... Dosyayı aç... - + Do you want remove Kaldırmak ister misin - + Error updating the library Kütüphane güncelleme sorunu @@ -842,7 +1026,7 @@ Tüm düğümleri büyüt - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? Kütüphane '%1 YACRKütüphanenin eski bir sürümünde oluşturulmuş, Kütüphaneyi yeniden oluşturmak ister misin? @@ -851,7 +1035,7 @@ Paket kapakları - + Set as read Okundu olarak işaretle @@ -872,7 +1056,7 @@ Yeni kütüphane oluştur - + Library not available Kütüphane ulaşılabilir değil @@ -885,12 +1069,12 @@ Seçili çizgi romanı aç - + YACReader Library YACReader Kütüphane - + Error creating the library Kütüphane oluşturma sorunu @@ -899,7 +1083,7 @@ Kapakları aç - + Update needed Güncelleme gerekli @@ -908,22 +1092,22 @@ Çıkış kütüphanesini aç - + Library name already exists Kütüphane ismi zaten alınmış - + There is another library with the name '%1'. Bu başka bir kütüphanenin adı '%1'. - + Download new version Yeni versiyonu indir - + Delete comics Çizgi romanları sil @@ -952,18 +1136,18 @@ Kataloğu çkart - + All the selected comics will be deleted from your disk. Are you sure? Seçilen tüm çizgi romanlar diskten silinecek emin misin ? - - + + Set as unread Hepsini okunmadı işaretle - + Library not found Kütüphane bulunamadı @@ -976,45 +1160,45 @@ Kütüphaneyi sil - - - + + + manga - + manga t?r? - - - + + + comic - + komik - - - + + + western manga (left to right) - + Batı mangası (soldan sağa) Open containing folder... Klasör açılıyor... - - - + + + 4koma (top to botom) 4koma (top to botom - + 4koma (yukarıdan aşağıya) - + library? kütüphane? - + Are you sure? Emin misin? @@ -1023,9 +1207,9 @@ Seçilen kapakları şuraya kaydet... - + Rescan library for XML info - + XML bilgisi için kitaplığı yeniden tarayın Save covers of the selected comics as JPG files @@ -1048,18 +1232,18 @@ Sayıyı normal olarak ayarla - - - + + + web comic - + web çizgi romanı Show or hide read marks Okundu işaretlerini göster yada gizle - + Add new folder Yeni klasör ekle @@ -1068,7 +1252,7 @@ Geçerli kitaplığa yeni klasör ekle - + Delete folder Klasörü sil @@ -1085,12 +1269,12 @@ Çizgi roman görünümleri arasında değiştir - + Set as uncompleted Tamamlanmamış olarak ayarla - + Set as completed Tamamlanmış olarak ayarla @@ -1119,7 +1303,7 @@ &Çıkış - + Update folder Klasörü güncelle @@ -1172,134 +1356,134 @@ Seçilen çizgi romanları favoriler listesine ekle - + Folder Klasör - + Comic Çizgi roman - + Upgrade failed Yükseltme başarısız oldu - + There were errors during library upgrade in: Kütüphane yükseltmesi sırasında hatalar oluştu: - - + + Copying comics... Çizgi romanlar kopyalanıyor... - - + + Moving comics... Çizgi romanlar taşınıyor... - + Folder name: Klasör adı: - + No folder selected Hiçbir klasör seçilmedi - + Please, select a folder first Lütfen, önce bir klasör seçiniz - + Error in path Yolda hata - + There was an error accessing the folder's path Klasörün yoluna erişilirken hata oluştu - + The selected folder and all its contents will be deleted from your disk. Are you sure? Seçilen klasör ve tüm içeriği diskinizden silinecek. Emin misin? - - + + Unable to delete Silinemedi - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. Seçili klasörleri silmeye çalışırken bir sorun oluştu. Lütfen yazma izinlerini kontrol edin ve herhangi bir uygulamanın bu klasörleri veya içerdiği dosyalardan herhangi birini kullandığından emin olun. - + Add new reading lists Yeni okuma listeleri ekle - - + + List name: Liste adı: - + Delete list/label Listeyi/Etiketi sil - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? Seçilen öğe silinecek, çizgi romanlarınız veya klasörleriniz diskinizden SİLİNMEYECEKTİR. Emin misin? - + Rename list name Listeyi yeniden adlandır - - - - + + + + Set type - + Türü ayarla - + Set custom cover - + Özel kapak ayarla - + Delete custom cover - + Özel kapağı sil - + Save covers Kapakları kaydet - + You are adding too many libraries. Çok fazla kütüphane ekliyorsunuz. - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1312,78 +1496,78 @@ Muhtemelen üst düzey çizgi roman klasörünüzde yalnızca bir kütüphaneye YACReaderLibrary daha fazla kütüphane oluşturmanıza engel olmaz ancak kütüphane sayısını düşük tutmalısınız. - - + + YACReader not found YACReader bulunamadı - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. YACReader bulunamadı. YACReader, YACReaderLibrary ile aynı klasöre kurulmalıdır. - + YACReader not found. There might be a problem with your YACReader installation. YACReader bulunamadı. YACReader kurulumunuzda bir sorun olabilir. - + Error - Hata + Hata - + Error opening comic with third party reader. - + Çizgi roman üçüncü taraf okuyucuyla açılırken hata oluştu. - + Library info - + Kütüphane bilgisi - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. Seçilen çizgi romanlar silinmeye çalışılırken bir sorun oluştu. Lütfen seçilen dosyalarda veya klasörleri içeren yazma izinlerini kontrol edin. - + Assign comics numbers Çizgi roman numaraları ata - + Assign numbers starting in: Şunlardan başlayarak numaralar ata: - + Invalid image - + Geçersiz resim - + The selected file is not a valid image. - + Seçilen dosya geçerli bir resim değil. - + Error saving cover - + Kapak kaydedilirken hata oluştu - + There was an error saving the cover image. - + Kapak resmi kaydedilirken bir hata oluştu. - + Remove comics Çizgi romanları kaldır - + Comics will only be deleted from the current label/list. Are you sure? Çizgi romanlar yalnızca mevcut etiketten/listeden silinecektir. Emin misin? @@ -1391,439 +1575,439 @@ YACReaderLibrary daha fazla kütüphane oluşturmanıza engel olmaz ancak kütü LibraryWindowActions - + Create a new library - Yeni kütüphane oluştur + Yeni kütüphane oluştur - + Open an existing library - Çıkış kütüphanesini aç + Çıkış kütüphanesini aç - - + + Export comics info - + Çizgi roman bilgilerini göster - - + + Import comics info - + Çizgi roman bilgilerini çıkart - + Pack covers - Paket kapakları + Paket kapakları - + Pack the covers of the selected library - Kütüphanede ki kapakları paketle + Kütüphanede ki kapakları paketle - + Unpack covers - Kapakları aç + Kapakları aç - + Unpack a catalog - Kataloğu çkart + Kataloğu çkart - + Update library - Kütüphaneyi güncelle + Kütüphaneyi güncelle - + Update current library - Kütüphaneyi güncelle + Kütüphaneyi güncelle - + Rename library - Kütüphaneyi yeniden adlandır + Kütüphaneyi yeniden adlandır - + Rename current library - + Kütüphaneyi adlandır - + Remove library - Kütüphaneyi sil + Kütüphaneyi sil - + Remove current library from your collection - Kütüphaneyi koleksiyonundan kaldır + Kütüphaneyi koleksiyonundan kaldır - + Rescan library for XML info - + XML bilgisi için kitaplığı yeniden tarayın - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - + Komik dosyalara gömülü XML bilgilerini bulmaya çalışır. Bunu yalnızca kitaplık 9.8.2 veya önceki sürümlerle oluşturulmuşsa veya XML bilgilerini dosyalara eklemek için üçüncü taraf yazılım kullanıyorsanız yapmanız gerekir. - + Show library info - + Kitaplık bilgilerini göster - + Show information about the current library - + Geçerli kitaplık hakkındaki bilgileri göster - + Open current comic - Seçili çizgi romanı aç + Seçili çizgi romanı aç - + Open current comic on YACReader - YACReader'ı geçerli çizgi roman okuyucsu seç + YACReader'ı geçerli çizgi roman okuyucsu seç - + Save selected covers to... - Seçilen kapakları şuraya kaydet... + Seçilen kapakları şuraya kaydet... - + Save covers of the selected comics as JPG files - Seçilen çizgi romanların kapaklarını JPG dosyaları olarak kaydet + Seçilen çizgi romanların kapaklarını JPG dosyaları olarak kaydet - - + + Set as read - Okundu olarak işaretle + Okundu olarak işaretle - + Set comic as read - Çizgi romanı okundu olarak işaretle + Çizgi romanı okundu olarak işaretle - - + + Set as unread - Hepsini okunmadı işaretle + Hepsini okunmadı işaretle - + Set comic as unread - Çizgi Romanı okunmadı olarak seç + Çizgi Romanı okunmadı olarak seç - - + + manga - + manga t?r? - + Set issue as manga - Sayıyı manga olarak ayarla + Sayıyı manga olarak ayarla - - + + comic - + komik - + Set issue as normal - Sayıyı normal olarak ayarla + Sayıyı normal olarak ayarla - + western manga - + batı mangası - + Set issue as western manga - + Konuyu western mangası olarak ayarla - - + + web comic - + web çizgi romanı - + Set issue as web comic - + Sorunu web çizgi romanı olarak ayarla - - + + yonkoma - + d?rt panelli - + Set issue as yonkoma - + Sorunu yonkoma olarak ayarla - + Show/Hide marks - Altçizgileri aç/kapa + Altçizgileri aç/kapa - + Show or hide read marks - Okundu işaretlerini göster yada gizle + Okundu işaretlerini göster yada gizle - + Show/Hide recent indicator - + Son göstergeyi Göster/Gizle - + Show or hide recent indicator - + Son göstergeyi göster veya gizle - - + + Fullscreen mode on/off - Tam ekran modu açık/kapalı + Tam ekran modu açık/kapalı - + Help, About YACReader - Yardım, Bigli, YACReader + Yardım, Bigli, YACReader - + Add new folder - Yeni klasör ekle + Yeni klasör ekle - + Add new folder to the current library - Geçerli kitaplığa yeni klasör ekle + Geçerli kitaplığa yeni klasör ekle - + Delete folder - Klasörü sil + Klasörü sil - + Delete current folder from disk - Geçerli klasörü diskten sil + Geçerli klasörü diskten sil - + Select root node - Kökü seçin + Kökü seçin - + Expand all nodes - Tüm düğümleri büyüt + Tüm düğümleri büyüt - + Collapse all nodes - Tüm düğümleri kapat + Tüm düğümleri kapat - + Show options dialog - Ayarları göster + Ayarları göster - + Show comics server options dialog - Çizgi romanların server ayarlarını göster + Çizgi romanların server ayarlarını göster - - + + Change between comics views - Çizgi roman görünümleri arasında değiştir + Çizgi roman görünümleri arasında değiştir - + Open folder... - Dosyayı aç... + Dosyayı aç... - + Set as uncompleted - Tamamlanmamış olarak ayarla + Tamamlanmamış olarak ayarla - + Set as completed - Tamamlanmış olarak ayarla + Tamamlanmış olarak ayarla - + Set custom cover - + Özel kapak ayarla - + Delete custom cover - + Özel kapağı sil - + western manga (left to right) - + Batı mangası (soldan sağa) - + Open containing folder... - Klasör açılıyor... + Klasör açılıyor... - + Reset comic rating - Çizgi roman reytingini sıfırla + Çizgi roman reytingini sıfırla - + Select all comics - Tüm çizgi romanları seç + Tüm çizgi romanları seç - + Edit - Düzenle + Düzenle - + Assign current order to comics - Geçerli sırayı çizgi romanlara ata + Geçerli sırayı çizgi romanlara ata - + Update cover - Kapağı güncelle + Kapağı güncelle - + Delete selected comics - Seçili çizgi romanları sil + Seçili çizgi romanları sil - + Delete metadata from selected comics - + Seçilen çizgi romanlardan meta verileri sil - + Download tags from Comic Vine - Etiketleri Comic Vine sitesinden indir + Etiketleri Comic Vine sitesinden indir - + Focus search line - + Arama satırına odaklan - + Focus comics view - + Çizgi roman görünümüne odaklanın - + Edit shortcuts - Kısayolları düzenle + Kısayolları düzenle - + &Quit - &Çıkış + &Çıkış - + Update folder - Klasörü güncelle + Klasörü güncelle - + Update current folder - Geçerli klasörü güncelle + Geçerli klasörü güncelle - + Scan legacy XML metadata - + Eski XML meta verilerini tarayın - + Add new reading list - Yeni okuma listesi ekle + Yeni okuma listesi ekle - + Add a new reading list to the current library - Geçerli kitaplığa yeni bir okuma listesi ekle + Geçerli kitaplığa yeni bir okuma listesi ekle - + Remove reading list - Okuma listesini kaldır + Okuma listesini kaldır - + Remove current reading list from the library - Geçerli okuma listesini kütüphaneden kaldır + Geçerli okuma listesini kütüphaneden kaldır - + Add new label - Yeni etiket ekle + Yeni etiket ekle - + Add a new label to this library - Bu kitaplığa yeni bir etiket ekle + Bu kitaplığa yeni bir etiket ekle - + Rename selected list - Seçilen listeyi yeniden adlandır + Seçilen listeyi yeniden adlandır - + Rename any selected labels or lists - Seçilen etiketleri ya da listeleri yeniden adlandır + Seçilen etiketleri ya da listeleri yeniden adlandır - + Add to... - Şuraya ekle... + Şuraya ekle... - + Favorites - Favoriler + Favoriler - + Add selected comics to favorites list - Seçilen çizgi romanları favoriler listesine ekle + Seçilen çizgi romanları favoriler listesine ekle @@ -1837,194 +2021,221 @@ YACReaderLibrary daha fazla kütüphane oluşturmanıza engel olmaz ancak kütü LogWindow - Log window - Günlük penceresi + Günlük penceresi - &Pause - &Duraklak + &Duraklak - &Save - &Kaydet + &Kaydet - C&lear - &Temizle + &Temizle - &Copy - &Kopyala + &Kopyala - Level: - Düzey: + Düzey: - &Auto scroll - &Otomatik kaydır + &Otomatik kaydır NoLibrariesWidget - + create your first library İlk kütüphaneni oluştur - + You don't have any libraries yet Henüz bir kütüphaneye sahip değilsin - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>Yeni bir kütüphane oluşturabilmeniçin kütüphane</p><p>No olvides que puedes usar YACReader como una aplicación independiente para leer los cómics en tu ordenador.</p> - + add an existing one Var olan bir tane ekle + + NoSearchResultsWidget + + + No results + Sonuç yok + + OptionsDialog - + + + Appearance + Dış görünüş + + + + Options Ayarlar - + + + Language + Dil + + + + + Application language + Uygulama dili + + + + + System default + Sistem varsayılanı + + + Tray icon settings (experimental) Tepsi simgesi ayarları (deneysel) - + Close to tray Tepsiyi kapat - + Start into the system tray Sistem tepsisinde başlat - + Edit Comic Vine API key Comic Vine API anahtarını düzenle - + Comic Vine API key Comic Vine API anahtarı - + ComicInfo.xml legacy support - + ComicInfo.xml eski desteği - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + Yeni çizgi roman eklerken meta verileri ComicInfo.xml'den içe aktarın - + Consider 'recent' items added or updated since X days ago - + X gün öncesinden bu yana eklenen veya güncellenen 'en son' öğeleri göz önünde bulundurun - + Third party reader - + Üçüncü taraf okuyucu - + Write {comic_file_path} where the path should go in the command - + Komutta yolun gitmesi gereken yere {comic_file_path} yazın - + + Clear - + Temizle - + Update libraries at startup - + Başlangıçta kitaplıkları güncelleyin - + Try to detect changes automatically - + Değişiklikleri otomatik olarak algılamayı deneyin - + Update libraries periodically - + Kitaplıkları düzenli aralıklarla güncelleyin - + Interval: - + Aralık: - + 30 minutes - + 30 dakika - + 1 hour - + 1 saat - + 2 hours - + 2 saat - + 4 hours - + 4 saat - + 8 hours - + 8 saat - + 12 hours - + 12 saat - + daily - + günlük - + Update libraries at certain time - + Kitaplıkları belirli bir zamanda güncelle - + Time: - + Zaman: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2032,166 +2243,341 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + UYARI! Kütüphane güncellemeleri sırasında veritabanına yazma işlemi devre dışı bırakılır! +Uygulamayı aktif olarak kullanırken güncelleme planlamayın. +Otomatik güncellemeler sırasında uygulama, güncelleme bitene kadar bazı eylemleri engelleyecektir. +Otomatik güncellemeyi durdurmak için Kitaplıklar başlığının yanındaki yükleme göstergesine dokunun. - + Modifications detection - + Değişiklik tespiti - + Compare the modified date of files when updating a library (not recommended) - + Kitaplığı güncellerken dosyaların değiştirilme tarihini karşılaştırın (önerilmez) - + Enable background image Arka plan resmini etkinleştir - + Opacity level Matlık düzeyi - + Blur level Bulanıklık düzeyi - + Use selected comic cover as background Seçilen çizgi roman kapanığı arka plan olarak kullan - + Restore defautls Varsayılanları geri yükle - + Background Arka plan - + Display continue reading banner Okuma devam et bannerını göster - + Display current comic banner - + Mevcut çizgi roman banner'ını görüntüle - + Continue reading Okumaya devam et - + Comic Flow Çizgi Roman Akışı - - + + Libraries - Kütüphaneler + Kütüphaneler - + Grid view Izgara görünümü - + + General Genel - - - PropertiesDialog - - Day: - Gün: + + My comics path + Çizgi Romanlarım - - Plot - Argumento + + Display + Görüntülemek - - Size: - Boyut: + + Show time in current page information label + Geçerli sayfa bilgisi etiketinde zamanı göster - - Year: - Yıl: + + "Go to flow" size + Akış görünümüne git - - Inker(s): - Mürekkep(ler): + + Background color + Arka plan rengi - - Publishing - Yayın + + Choose + Seç - - Publisher: - Yayıncı: + + Scroll behaviour + Kaydırma davranışı - - General info - Genel bilgi + + Disable scroll animations and smooth scrolling + Kaydırma animasyonlarını ve düzgün kaydırmayı devre dışı bırakın - - Color/BW: - Renk/BW: + + Do not turn page using scroll + Kaydırmayı kullanarak sayfayı çevirmeyin - - Edit selected comics information - Seçilen çizgi roman bilgilerini düzenle + + Use single scroll step to turn page + Sayfayı çevirmek için tek kaydırma adımını kullanın - - Penciller(s): - Çizenler: + + Mouse mode + Fare modu - - Colorist(s): - Renklendiren: + + Only Back/Forward buttons can turn pages + Yalnızca Geri/İleri düğmeleri sayfaları çevirebilir - - Issue number: - Yayın numarası: + + Use the Left/Right buttons to turn pages. + Sayfaları çevirmek için Sol/Sağ tuşlarını kullanın. - - Month: - Ay: + + Click left or right half of the screen to turn pages. + Sayfaları çevirmek için ekranın sol veya sağ yarısına tıklayın. - - Notes: - Notlar: + + Quick Navigation Mode + Hızlı Gezinti Kipi - - Synopsis: - Özet: + + Disable mouse over activation + Etkinleştirme üzerinde fareyi devre dışı bırak + + + + Brightness + Parlaklık + + + + Contrast + Kontrast + + + + Gamma + Gama + + + + Reset + Yeniden başlat + + + + Image options + Sayfa ayarları + + + + Fit options + Sığdırma seçenekleri + + + + Enlarge images to fit width/height + Genişliğe/yüksekliği sığmaları için resimleri genişlet + + + + Double Page options + Çift Sayfa seçenekleri + + + + Show covers as single page + Kapakları tek sayfa olarak göster + + + + Scaling + Ölçeklendirme + + + + Scaling method + Ölçeklendirme yöntemi + + + + Nearest (fast, low quality) + En yakın (hızlı, düşük kalite) + + + + Bilinear + Çift doğrusal + + + + Lanczos (better quality) + Lanczos (daha kaliteli) + + + + Page Flow + Sayfa akışı + + + + Image adjustment + Resim ayarları + + + + + Restart is needed + Yeniden başlatılmalı + + + + Comics directory + Çizgi roman konumu + + + + PropertiesDialog + + + Day: + Gün: + + + + Plot + Argumento + + + + Size: + Boyut: + + + + Year: + Yıl: + + + + Inker(s): + Mürekkep(ler): + + + + Publishing + Yayın + + + + Publisher: + Yayıncı: + + + + General info + Genel bilgi + + + + Color/BW: + Renk/BW: + + + + Edit selected comics information + Seçilen çizgi roman bilgilerini düzenle + + + + Penciller(s): + Çizenler: + + + + Colorist(s): + Renklendiren: + + + + Issue number: + Yayın numarası: + + + + Month: + Ay: + + + + Notes: + Notlar: + + + + Synopsis: + Özet: @@ -2226,47 +2612,47 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Notes - + Notlar Load previous page as cover - + Önceki sayfayı kapak olarak yükle Load next page as cover - + Sonraki sayfayı kapak olarak yükle Reset cover to the default image - + Kapağı varsayılan görüntüye sıfırla Load custom cover image - + Özel kapak resmini yükle Series: - Seriler: + Seriler: alt. number: - + alternatif sayı: Alternate series: - + Alternatif seri: Series Group: - + Seri Grubu: @@ -2276,47 +2662,47 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Editor(s): - + Editör(ler): Imprint: - + Künye: Type: - + Tip: Language (ISO): - + Dil (ISO): Teams: - + Takımlar: Locations: - + Konumlar: Main character or team: - + Ana karakter veya takım: Review: - + Gözden geçirmek: Tags: - + Etiketler: @@ -2331,12 +2717,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Invalid cover - + Geçersiz kapak The image is invalid. - + Resim geçersiz. @@ -2368,12 +2754,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t of: - + ile ilgili: Arc number: - + Ark numarası: @@ -2382,7 +2768,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Manga: - Manga: + Manga t?r?: @@ -2390,6 +2776,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Comic Vine bağlantısı: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> görüntüle </a> + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer, YACReaderLibrary'nin başsız (gui yok) sürümüdür. + +Bu uygulama kalıcı ayarları destekler, bunları ayarlamak için bu dosyayı düzenleyin %1 +Mevcut ayarlar hakkında bilgi edinmek için lütfen https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md adresindeki belgelere bakın. + + QObject @@ -2433,61 +2835,79 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Ölümcül - + Select custom cover - + Özel kapak seçin - + Images (%1) - + Resimler (%1) + + + + The file could not be read or is not valid JSON. + Dosya okunamadı veya geçerli bir JSON değil. + + + + This theme is for %1, not %2. + Bu tema %2 için değil, %1 içindir. + + + + Libraries + Kütüphaneler + + + + Folders + Klasör + + + + Reading Lists + Okuma Listeleri QsLogging::LogWindowModel - Time - Süre + Süre - Level - Düzel + Düzel - Message - Mesaj + Mesaj QsLogging::Window - &Pause - &Duraklak + &Duraklak - &Resume - &Sürdür + &Sürdür - Save log - Günlük tut + Günlük tut - Log file (*.log) - Günlük dosyası (*.log) + Günlük dosyası (*.log) RenameLibraryDialog - + Rename current library Kütüphaneyi yeniden adlandır @@ -2510,18 +2930,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of volumes found : %1 Bulunan bölüm sayısı: %1 - - + + page %1 of %2 sayfa %1 / %2 - + Number of %1 found : %2 Sayı %1, bulunan : %2 @@ -2532,17 +2952,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - Lütfen bazı ek bilgiler sağlayın. + Lütfen bazı ek bilgiler sağlayın. - + Series: Seriler: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Tam eşleme aramasını kullanın. Addaki bazı sözcüklerle eşleşen ciltleri bulmak istiyorsanız devre dışı bırakın. @@ -2553,42 +2973,42 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Lütfen bazı ek bilgiler sağlayın. - + Series: Seriler: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + Tam eşleme aramasını kullanın. Addaki bazı sözcüklerle eşleşen ciltleri bulmak istiyorsanız devre dışı bırakın. SelectComic - + Please, select the right comic info. Lütfen, doğru çizgi roman bilgisini seçin. - + comics çizgi roman - + loading cover kapak yükleniyor - + loading description açıklama yükleniyor - + comic description unavailable - + çizgi roman açıklaması mevcut değil description unavailable @@ -2598,39 +3018,39 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + Please, select the right series for your comic. Çizgi romanınız için doğru seriyi seçin. - + Filter: - + Filtre: - + volumes sayı - + Nothing found, clear the filter if any. - + Hiçbir şey bulunamadı, varsa filtreyi temizleyin. - + loading cover kapak yükleniyor - + loading description açıklama yükleniyor - + volume description unavailable - + cilt açıklaması kullanılamıyor description unavailable @@ -2640,12 +3060,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SeriesQuestion - + no hayır - + yes evet @@ -2658,41 +3078,41 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + Port - Port + Liman - + enable the server erişilebilir server - + set port Port Ayarla - + Server connectivity information Sunucu bağlantı bilgileri - + Scan it! Tara! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader, iOS ve Android cihazlarda kullanılabilir.<br/>Bunu <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> veya <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a> için keşfedin. YACReader is available for iOS devices. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Discover it! </a> YACReader, iOS cihazlar için kullanılabilir. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Keşfedin! </a> - + Choose an IP address IP adresi seçin @@ -2710,326 +3130,1167 @@ performansı iyileştirmek için SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. Lütfen, çizgi romanların bilgileriyle eşleşene kadar soldaki çizgi roman listesini sıralayın. - + sort comics to match comic information çizgi roman bilgilerini eşleştirmek için çizgi romanları sıralayın - + issues sayı - + remove selected comics seçilen çizgi romanları kaldır - + restore all removed comics tüm seçilen çizgi romanları geri yükle - TitleHeader + ThemeEditorDialog - - SEARCH - ARA + + Theme Editor + Tema Düzenleyici - - - UpdateLibraryDialog - - Update library - Kütüphaneyi güncelle + + + + + - - Cancel - Vazgeç + + - + - - - Updating.... - Güncelleniyor... + + i + Ben - - - VolumeComicsModel - - title - başlık + + Expand all + Tümünü genişlet - - - VolumesModel - - year - yıl + + Collapse all + Tümünü daralt - - issues - sayı + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Kullanıcı arayüzünde seçilen değeri (macenta / geçişli / 0↔10) yanıp sönmek için basılı tutun. Sürümler orijinali geri yükler. - - publisher - yayıncı + + Search… + Aramak… - - - YACReader::TrayIconController - - &Restore - &Geri Yükle + + Light + Işık - &Quit - &Çıkış + + Dark + Karanlık - - Systray - Sistem tepsisi + + ID: + İD: - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - YACReaderLibrary sistem tepsisinde çalışmaya devam edecektir. Programı sonlandırmak için sistem tepsisi simgesinin bağlam menüsünden <b>Çık</b>'ı seçin. + + Display name: + Ekran adı: - - - YACReader::WhatsNewDialog - - Close - Kapat + + Variant: + Varyant: - - - YACReaderFieldEdit - - Restore to default - Varsayılana dön + + Theme info + Tema bilgisi - - - Click to overwrite - Üstüne yazmak için tıkla + + Parameter + Parametre - - - YACReaderFieldPlainTextEdit - - Restore to default - Varsayılana dön + + Value + Değer - - - - - Click to overwrite - Üstüne yazmak için tıkla + + Save and apply + Kaydet ve uygula - - - YACReaderFlowConfigWidget - - CoverFlow look - Kapak akışı görünümü + + Export to file... + Dosyaya aktar... - - How to show covers: - Kapaklar nasıl gözüksün: + + Load from file... + Dosyadan yükle... - - Stripe look - Şerit görünüm + + Close + Kapat - - Overlapped Stripe look - Çakışan şerit görünüm + + Double-click to edit color + Rengi düzenlemek için çift tıklayın - - - YACReaderGLFlowConfigWidget - - Zoom - Zoom + + + + + + + true + doğru - - Light - Işık + + + + + false + YANLIŞ - - Show advanced settings - Daha fazla ayar göster + + Double-click to toggle + Geçiş yapmak için çift tıklayın - - Roulette look - Rulet görünüm + + Double-click to edit value + Değeri düzenlemek için çift tıklayın - - Cover Angle - Kapak Açısı + + + + Edit: %1 + Düzenleme: %1 - - Stripe look - Strip görünüm + + Save theme + Temayı kaydet - - Position - Pozisyon + + + JSON files (*.json);;All files (*) + JSON dosyaları (*.json);;Tüm dosyalar (*) - - Z offset - Z dengesi + + Save failed + Kaydetme başarısız oldu - - Y offset - Y dengesi + + Could not open file for writing: +%1 + Dosya yazmak için açılamadı: +%1 - - Central gap - Boş merkez + + Load theme + Temayı yükle - - Presets: - Hazırlayan: + + + + Load failed + Yükleme başarısız oldu - - Overlapped Stripe look + + Could not open file: +%1 + Dosya açılamadı: +%1 + + + + Invalid JSON: +%1 + Geçersiz JSON: +%1 + + + + Expected a JSON object. + Bir JSON nesnesi bekleniyordu. + + + + TitleHeader + + + SEARCH + ARA + + + + UpdateLibraryDialog + + + Update library + Kütüphaneyi güncelle + + + + Cancel + Vazgeç + + + + Updating.... + Güncelleniyor... + + + + Viewer + + + + Press 'O' to open comic. + 'O'ya basarak aç. + + + + Not found + Bulunamad + + + + Comic not found + Çizgi roman bulunamadı + + + + Error opening comic + Çizgi roman açılırken hata + + + + CRC Error + CRC Hatası + + + + Loading...please wait! + Yükleniyor... lütfen bekleyin! + + + + Page not available! + Sayfa bulunamadı! + + + + Cover! + Kapak! + + + + Last page! + Son sayfa! + + + + VolumeComicsModel + + + title + başlık + + + + VolumesModel + + + year + yıl + + + + issues + sayı + + + + publisher + yayıncı + + + + YACReader3DFlowConfigWidget + + + Presets: + Hazırlayan: + + + + Classic look + Klasik görünüm + + + + Stripe look + Şerit görünüm + + + + Overlapped Stripe look Çakışan şerit görünüm - + + Modern look + Modern görünüm + + + + Roulette look + Rulet görünüm + + + + Show advanced settings + Daha fazla ayar göster + + + + Custom: + Kişisel: + + + + View angle + Bakış açısı + + + + Position + Pozisyon + + + + Cover gap + Kapak boşluğu + + + + Central gap + Boş merkez + + + + Zoom + Yakınlaş + + + + Y offset + Y dengesi + + + + Z offset + Z dengesi + + + + Cover Angle + Kapak Açısı + + + + Visibility + Görünülebilirlik + + + + Light + Işık + + + + Max angle + Maksimum açı + + + + Low Performance + Düşük Performans + + + + High Performance + Yüksek Performans + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + VSync kullan + + + + Performance: + Performans: + + + + YACReader::MainWindowViewer + + + &Open + &Aç + + + + Open a comic + Çizgi romanı aç + + + + New instance + Yeni örnek + + + + Open Folder + Dosyayı Aç + + + + Open image folder + Resim dosyasınıaç + + + + Open latest comic + En son çizgi romanı aç + + + + Open the latest comic opened in the previous reading session + Önceki okuma oturumunda açılan en son çizgi romanı aç + + + + Clear + Temizle + + + + Clear open recent list + Son açılanlar listesini temizle + + + + Save + Kaydet + + + + + Save current page + Geçerli sayfayı kaydet + + + + Previous Comic + Önce ki çizgi roman + + + + + + Open previous comic + Önceki çizgi romanı aç + + + + Next Comic + Sırada ki çizgi roman + + + + + + Open next comic + Sıradaki çizgi romanı aç + + + + &Previous + &Geri + + + + + + Go to previous page + Önceki sayfaya dön + + + + &Next + &İleri + + + + + + Go to next page + Sonra ki sayfaya geç + + + + Fit Height + Yüksekliğe Sığdır + + + + Fit image to height + Uygun yüksekliğe getir + + + + Fit Width + Uygun Genişlik + + + + Fit image to width + Görüntüyü sığdır + + + + Show full size + Tam erken + + + + Fit to page + Sayfaya sığdır + + + + Continuous scroll + Sürekli kaydırma + + + + Switch to continuous scroll mode + Sürekli kaydırma moduna geç + + + + Reset zoom + Yakınlaştırmayı sıfırla + + + + Show zoom slider + Yakınlaştırma çubuğunu göster + + + + Zoom+ + Yakınlaştır + + + + Zoom- + Uzaklaştır + + + + Rotate image to the left + Sayfayı sola yatır + + + + Rotate image to the right + Sayfayı sağa yator + + + + Double page mode + Çift sayfa modu + + + + Switch to double page mode + Çift sayfa moduna geç + + + + Double page manga mode + Çift sayfa manga kipi + + + + Reverse reading order in double page mode + Çift sayfa kipinde ters okuma sırası + + + + Go To + Git + + + + Go to page ... + Sayfata git... + + + + Options + Ayarlar + + + + YACReader options + YACReader ayarları + + + + + Help + Yardım + + + + Help, About YACReader + Yardım, Bigli, YACReader + + + + Magnifying glass + Büyüteç + + + + Switch Magnifying glass + Büyüteç + + + + Set bookmark + Yer imi yap + + + + Set a bookmark on the current page + Sayfayı yer imi olarak ayarla + + + + Show bookmarks + Yer imlerini göster + + + + Show the bookmarks of the current comic + Bu çizgi romanın yer imlerini göster + + + + Show keyboard shortcuts + Klavye kısayollarını göster + + + + Show Info + Bilgiyi göster + + + + Close + Kapat + + + + Show Dictionary + Sözlüğü göster + + + + Show go to flow + Akışı göster + + + + Edit shortcuts + Kısayolları düzenle + + + + &File + &Dosya + + + + + Open recent + Son dosyaları aç + + + + File + Dosya + + + + Edit + Düzenle + + + + View + Görünüm + + + + Go + Git + + + + Window + Pencere + + + + + + Open Comic + Çizgi Romanı Aç + + + + + + Comic files + Çizgi Roman Dosyaları + + + + Open folder + Dosyayı aç + + + + page_%1.jpg + sayfa_%1.jpg + + + + Image files (*.jpg) + Resim dosyaları (*.jpg) + + + + + Comics + Çizgi Roman + + + + + General + Genel + + + + + Magnifiying glass + Büyüteç + + + + + Page adjustement + Sayfa ayarı + + + + + Reading + Okuma + + + + Toggle fullscreen mode + Tam ekran kipini aç/kapat + + + + Hide/show toolbar + Araç çubuğunu göster/gizle + + + + Size up magnifying glass + Büyüteci büyüt + + + + Size down magnifying glass + Büyüteci küçült + + + + Zoom in magnifying glass + Büyüteci yakınlaştır + + + + Zoom out magnifying glass + Büyüteci uzaklaştır + + + + Reset magnifying glass + Büyüteci sıfırla + + + + Toggle between fit to width and fit to height + Genişliğe sığdır ile yüksekliğe sığdır arasında geçiş yap + + + + Autoscroll down + Otomatik aşağı kaydır + + + + Autoscroll up + Otomatik yukarı kaydır + + + + Autoscroll forward, horizontal first + Otomatik ileri kaydır, önce yatay + + + + Autoscroll backward, horizontal first + Otomatik geri kaydır, önce yatay + + + + Autoscroll forward, vertical first + Otomatik ileri kaydır, önce dikey + + + + Autoscroll backward, vertical first + Otomatik geri kaydır, önce dikey + + + + Move down + Aşağı git + + + + Move up + Yukarı git + + + + Move left + Sola git + + + + Move right + Sağa git + + + + Go to the first page + İlk sayfaya git + + + + Go to the last page + En son sayfaya git + + + + Offset double page to the left + Çift sayfayı sola kaydır + + + + Offset double page to the right + Çift sayfayı sağa kaydır + + + + There is a new version available + Yeni versiyon mevcut + + + + Do you want to download the new version? + Yeni versiyonu indirmek ister misin ? + + + + Remind me in 14 days + 14 gün içinde hatırlat + + + + Not now + Şimdi değil + + + + YACReader::TrayIconController + + + &Restore + &Geri Yükle + + + &Quit + &Çıkış + + + + Systray + Sistem tepsisi + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary sistem tepsisinde çalışmaya devam edecektir. Programı sonlandırmak için sistem tepsisi simgesinin bağlam menüsünden <b>Çık</b>'ı seçin. + + + + YACReader::WhatsNewDialog + + Close + Kapat + + + + YACReaderFieldEdit + + + Restore to default + Varsayılana dön + + + + + Click to overwrite + Üstüne yazmak için tıkla + + + + YACReaderFieldPlainTextEdit + + + Restore to default + Varsayılana dön + + + + + + + Click to overwrite + Üstüne yazmak için tıkla + + + + YACReaderFlowConfigWidget + + CoverFlow look + Kapak akışı görünümü + + + How to show covers: + Kapaklar nasıl gözüksün: + + + Stripe look + Şerit görünüm + + + Overlapped Stripe look + Çakışan şerit görünüm + + + + YACReaderGLFlowConfigWidget + + Zoom + Yakınlaş + + + Light + Işık + + + Show advanced settings + Daha fazla ayar göster + + + Roulette look + Rulet görünüm + + + Cover Angle + Kapak Açısı + + + Stripe look + Strip görünüm + + + Position + Pozisyon + + + Z offset + Z dengesi + + + Y offset + Y dengesi + + + Central gap + Boş merkez + + + Presets: + Hazırlayan: + + + Overlapped Stripe look + Çakışan şerit görünüm + + Modern look - Modern görünüm + Modern görünüm - View angle - Bakış açısı + Bakış açısı - Max angle - Maksimum açı + Maksimum açı - Custom: - Kişisel: + Kişisel: - Classic look - Klasik görünüm + Klasik görünüm - Cover gap - Kapak boşluğu + Kapak boşluğu - High Performance - Yüksek Performans + Yüksek Performans - Performance: - Performans: + Performans: - Use VSync (improve the image quality in fullscreen mode, worse performance) - VSync kullan + VSync kullan - Visibility - Görünülebilirlik + Görünülebilirlik - Low Performance - Düşük Performans + Düşük Performans YACReaderNavigationController - No favorites - Favoriler boş + Favoriler boş - You are not reading anything yet, come on!! - Henüz bir şey okumuyorsun, hadi ama! - - - - There are no recent comics! - + Henüz bir şey okumuyorsun, hadi ama! YACReaderOptionsDialog - + Save Kaydet - Use hardware acceleration (restart needed) - Yüksek donanımlı kullan (yeniden başlatmak gerekli) + Yüksek donanımlı kullan (yeniden başlatmak gerekli) - + Cancel Vazgeç - + Edit shortcuts Kısayolları düzenle - + Shortcuts Kısayollar @@ -3037,7 +4298,7 @@ performansı iyileştirmek için YACReaderSearchLineEdit - + type to search aramak için yazınız @@ -3045,34 +4306,60 @@ performansı iyileştirmek için YACReaderSideBar - LIBRARIES - KÜTÜPHANELER + KÜTÜPHANELER - FOLDERS - DOSYALAR + DOSYALAR - Libraries - Kütüphaneler + Kütüphaneler - Folders - Klasör + Klasör - Reading Lists - Okuma Listeleri + Okuma Listeleri - READING LISTS - OKUMA LİSTELERİ + OKUMA LİSTELERİ + + + + YACReaderSlider + + + Reset + Yeniden başlat + + + + YACReaderTranslator + + + YACReader translator + YACReader çevirmeni + + + + + Translation + Çeviri + + + + clear + temizle + + + + Service not available + Servis kullanılamıyor diff --git a/YACReaderLibrary/yacreaderlibrary_zh_CN.ts b/YACReaderLibrary/yacreaderlibrary_zh_CN.ts index dcf002484..f975c8e8a 100644 --- a/YACReaderLibrary/yacreaderlibrary_zh_CN.ts +++ b/YACReaderLibrary/yacreaderlibrary_zh_CN.ts @@ -12,82 +12,70 @@ AddLabelDialog - red - + - blue - + - dark - 深色 + 深色 - cyan - + - pink - + - green - 绿 + 绿 - light - 浅色 + 浅色 - white - + - + Choose a color: 选择标签颜色: - + accept 接受 - + cancel 取消 - orange - + - purple - + - violet - 紫罗兰 + 紫罗兰 - yellow - + - + Label name: 标签名称: @@ -100,7 +88,7 @@ 添加 - + Add an existing library 添加一个现有库 @@ -143,10 +131,150 @@ 在此粘贴你的Comic Vine API + + AppearanceTabWidget + + + Color scheme + 配色方案 + + + + System + 系统 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 风俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 删除此用户导入的主题 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定义: + + + + Import theme... + 导入主题... + + + + Theme + 主题 + + + + Theme editor + 主题编辑器 + + + + Open Theme Editor... + 打开主题编辑器... + + + + Theme editor error + 主题编辑器错误 + + + + The current theme JSON could not be loaded. + 无法加载当前主题 JSON。 + + + + Import theme + 导入主题 + + + + JSON files (*.json);;All files (*) + JSON 文件 (*.json);;所有文件 (*) + + + + Could not import theme from: +%1 + 无法从以下位置导入主题: +%1 + + + + Could not import theme from: +%1 + +%2 + 无法从以下位置导入主题: +%1 + +%2 + + + + Import failed + 导入失败 + + + + BookmarksDialog + + + Lastest Page + 尾页 + + + + Close + 关闭 + + + + Click on any image to go to the bookmark + 点击任意图片以跳转至相应书签位置 + + + + + Loading... + 载入中... + + ClassicComicsView - + Hide comic flow 隐藏漫画流 @@ -154,84 +282,84 @@ ComicInfoView - + b/w 黑白 - + cover artist - 封面设计 + 封面画师 - + imprint - 压印 + 出版品牌 - + Teams 团队 - + color 彩色 - + inker - 上墨师 + 墨线师 - + Main character or team 主要角色或团队 - + penciller - 线稿师 + 铅笔画师 - + colorist 上色师 - + editor 编辑 - + writer - 作者 + 编剧 - + Characters 角色 - + Authors 作者 - + Publisher - 出版商 + 出版社 - + Locations 地点 - + letterer - 嵌字师 + 字效师 @@ -305,74 +433,82 @@ ComicVineDialog - + back 返回 - + next 下一步 - + skip 忽略 - + close 关闭 - - + + Retrieving tags for : %1 正在检索标签: %1 - + Looking for comic... 搜索漫画中... - + search 搜索 - - - + + + Looking for volume... 搜索卷... - - + + comic %1 of %2 - %3 第 %1 本 共 %2 本 - %3 - + %1 comics selected 已选择 %1 本漫画 - + Error connecting to ComicVine ComicVine 连接时出错 - + Retrieving volume info... 正在接收卷信息... + + ContinuousPageWidget + + + Loading page %1 + 正在加载页面 %1 + + CreateLibraryDialog - + Create new library 创建新的漫画库 @@ -392,7 +528,7 @@ 创建一个新的库可能需要几分钟时间,您可以先停止该进程,稍后可以通过更新库选项来更新数据。 - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder 所选路径不存在或不是有效路径. 确保您具有此文件夹的写入权限 @@ -407,7 +543,7 @@ 库名: - + Path not found 未找到路径 @@ -415,7 +551,7 @@ EditShortcutsDialog - + Shortcut in use 快捷键被占用 @@ -430,7 +566,7 @@ 快捷键设置 - + The shortcut "%1" is already assigned to other function 快捷键 "%1" 已被映射至其他功能 @@ -443,26 +579,27 @@ EmptyFolderWidget - Empty folder - 空文件夹 + 空文件夹 - - Subfolders in this folder - 建立子文件夹 + 建立子文件夹 - Drag and drop folders and comics here - 拖动文件夹或者漫画到这里 + 拖动文件夹或者漫画到这里 + + + + This folder doesn't contain comics yet + 该文件夹还没有漫画 EmptyLabelWidget - + This label doesn't contain comics yet 此标签尚未包含漫画 @@ -475,6 +612,24 @@ 此阅读列表尚未包含任何漫画 + + EmptySpecialListWidget + + + No favorites + 没有收藏 + + + + You are not reading anything yet, come on!! + 你还没有阅读任何东西,加油!! + + + + There are no recent comics! + 没有最近的漫画! + + ExportComicsInfoDialog @@ -483,7 +638,7 @@ 输出文件: - + Destination database name 目标数据库名称 @@ -498,17 +653,17 @@ 创建 - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder 选定的输出文件路径不存在或路径无效. 确保您具有此文件夹的写入权限 - + Export comics info 导出漫画信息 - + Problem found while writing 写入时出现问题 @@ -526,7 +681,7 @@ 创建 - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder 选定的输出文件路径不存在或路径无效. 确保您具有此文件夹的写入权限 @@ -536,17 +691,17 @@ 输出文件夹: - + Problem found while writing 写入时出现问题 - + Create covers package 创建封面包 - + Destination directory 目标目录 @@ -577,7 +732,7 @@ FolderContentView - + Continue Reading... 继续阅读... @@ -585,15 +740,51 @@ FolderContentView6 - Continue Reading... - 继续阅读... + 继续阅读... + + + + GoToDialog + + + Page : + 页码 : + + + + Go To + 跳转 + + + + Cancel + 取消 + + + + + Total pages : + 总页数: + + + + Go to... + 跳转至 ... + + + + GoToFlowToolBar + + + Page : + 页码 : GridComicsView - + Show info 显示信息 @@ -601,17 +792,17 @@ HelpAboutDialog - + Help 帮助 - + About 关于 - + System info 系统信息 @@ -639,7 +830,7 @@ 导入漫画信息 - + Comics info file (*.ydb) 漫画信息文件(*.ydb) @@ -662,7 +853,7 @@ 解压 - + Compresed library covers (*.clc) 已压缩的库封面 (*.clc) @@ -677,7 +868,7 @@ 库名: - + Extract a catalog 提取目录 @@ -685,52 +876,52 @@ ImportWidget - + stop 停止 - + Importing comics 正在导入漫画 - + Scanning the library 正在扫描库 - + Upgrading the library 正在更新库 - + <p>The current library is being upgraded, please wait.</p> <p>正在更新当前漫画库, 请稍候.</p> - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary现在正在创建一个新库。</p><p>这可能需要几分钟时间,您可以先停止该进程,稍后可以通过更新库选项来更新数据。</p> - + Some of the comics being added... 正在添加漫画... - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> <p>正在扫描当前库的旧版 XML metadata 信息。</p><p>这只需要执行一次,且只有当创建库的 YACReaderLibrary 版本低于 9.8.2 时。</p> - + Updating the library 正在更新库 - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>正在更新当前库。要获得更快的更新,请经常更新您的库。</p><p>您可以停止该进程,稍后继续更新操作。</p> @@ -742,12 +933,12 @@ 编辑 - + The selected folder doesn't contain any library. 所选文件夹不包含任何库。 - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? 此库是使用旧版本的YACReaderLibrary创建的. 它需要更新. 现在更新? @@ -756,12 +947,12 @@ 退出(&Q) - + Upgrade failed 更新失败 - + Comic 漫画 @@ -770,16 +961,16 @@ 四格漫画 - - - + + + comic 漫画 - - - + + + manga 日本漫画 @@ -788,12 +979,12 @@ 设置为正常向 - + Folder name: 文件夹名称: - + The selected folder and all its contents will be deleted from your disk. Are you sure? 所选文件夹及其所有内容将从磁盘中删除。 你确定吗? @@ -810,12 +1001,12 @@ 设为日漫 - + Rescan library for XML info 重新扫描库的 XML 信息 - + Error opening the library 打开库时出错 @@ -824,8 +1015,8 @@ 显示/隐藏标记 - - + + YACReader not found YACReader 未找到 @@ -834,7 +1025,7 @@ 显示漫画服务器选项对话框 - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. 尝试删除所选文件夹时出现问题。 请检查写入权限,并确保没有其他应用程序在使用这些文件夹或文件。 @@ -847,7 +1038,7 @@ 漫画设为已读 - + Rename list name 重命名列表 @@ -856,17 +1047,17 @@ 将所选漫画添加到收藏夹列表 - + Remove and delete metadata 移除并删除元数据 - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. 未找到YACReader. YACReader应安装在与YACReaderLibrary相同的文件夹中. - + Old library 旧的库 @@ -879,17 +1070,17 @@ 重命名任何选定的标签或列表 - + Set as completed 设为已完成 - + There was an error accessing the folder's path 访问文件夹的路径时出错 - + Library @@ -898,7 +1089,7 @@ 在当前库下添加新的文件夹 - + Comics will only be deleted from the current label/list. Are you sure? 漫画只会从当前标签/列表中删除。 你确定吗? @@ -911,13 +1102,13 @@ 全屏模式 开/关 - + This library was created with a newer version of YACReaderLibrary. Download the new version now? 此库是使用较新版本的YACReaderLibrary创建的。 立即下载新版本? - - + + Moving comics... 移动漫画中... @@ -930,13 +1121,13 @@ 更新当前库 - - + + Copying comics... 复制漫画中... - + Library '%1' is no longer available. Do you want to remove it? 库 '%1' 不再可用。 你想删除它吗? @@ -945,49 +1136,49 @@ 更新库 - - - + + + web comic 网络漫画 - + Open folder... 打开文件夹... - + Set custom cover - + 设置自定义封面 - + Delete custom cover - + 删除自定义封面 - + Error - 错误 + 错误 - + Error opening comic with third party reader. - + 使用第三方阅读器打开漫画时出错。 - + Do you want remove 你想要删除 - + Set as uncompleted 设为未完成 - + Error in path 路径错误 @@ -996,24 +1187,24 @@ 重置漫画评分 - + Error updating the library 更新库时出错 - + Folder 文件夹 - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? 所选项目将被删除,您的漫画或文件夹将不会从您的磁盘中删除。 你确定吗? - - - + + + western manga (left to right) 欧美漫画(从左到右) @@ -1042,8 +1233,8 @@ 设置漫画为 - - + + List name: 列表名称: @@ -1052,7 +1243,7 @@ 添加到... - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? 库 '%1' 是通过旧版本的YACReaderLibrary创建的。 必须再次创建。 你想现在创建吗? @@ -1061,7 +1252,7 @@ 打包封面 - + Save covers 保存封面 @@ -1074,17 +1265,17 @@ 从当前库移除阅读列表 - + YACReader not found. There might be a problem with your YACReader installation. 未找到YACReader. YACReader的安装可能有问题. - + Add new reading lists 添加新的阅读列表 - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1097,17 +1288,17 @@ YACReaderLibrary will not stop you from creating more libraries but you should k YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低的库数量来提升性能。 - + Set as read 设为已读 - + Assign comics numbers 分配漫画编号 - + There were errors during library upgrade in: 漫画库更新时出现错误: @@ -1124,7 +1315,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 显示选项对话框 - + Please, select a folder first 请先选择一个文件夹 @@ -1133,7 +1324,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 创建一个新的库 - + Library not available 库不可用 @@ -1142,7 +1333,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 导入漫画信息 - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. 尝试删除所选漫画时出现问题。 请检查所选文件或包含文件夹中的写入权限。 @@ -1163,30 +1354,30 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 打开当前漫画 - + YACReader Library YACReader 库 Set issue as manga - Set issue as manga + 将问题设置为漫画 Add a new reading list to the current library 在当前库添加新的阅读列表 - + Error creating the library 创建库时出错 - + You are adding too many libraries. 您添加的库太多了。 - + Update folder 更新文件夹 @@ -1199,7 +1390,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 解压封面 - + Update needed 需要更新 @@ -1212,12 +1403,12 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 显示或隐藏阅读标记 - + Library name already exists 库名已存在 - + There is another library with the name '%1'. 已存在另一个名为'%1'的库。 @@ -1226,55 +1417,55 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 移除阅读列表 - + Delete folder 删除文件夹 - + Assign numbers starting in: 从以下位置开始分配编号: - + Download new version 下载新版本 - - - - + + + + Set type 设置类型 - + Library info - + 图书馆信息 - + Invalid image - + 图片无效 - + The selected file is not a valid image. - + 所选文件不是有效图像。 - + Error saving cover - + 保存封面时出错 - + There was an error saving the cover image. - + 保存封面图像时出错。 - + Delete comics 删除漫画 @@ -1283,7 +1474,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 聚焦于搜索行 - + Add new folder 添加新的文件夹 @@ -1316,7 +1507,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 重命名列表 - + Delete list/label 删除 列表/标签 @@ -1337,7 +1528,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 选择根节点 - + No folder selected 没有选中的文件夹 @@ -1350,7 +1541,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 解压目录 - + All the selected comics will be deleted from your disk. Are you sure? 所有选定的漫画都将从您的磁盘中删除。你确定吗? @@ -1363,7 +1554,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 从 Comic Vine 下载标签 - + Remove comics 移除漫画 @@ -1372,8 +1563,8 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 在当前库添加标签 - - + + Set as unread 设为未读 @@ -1382,7 +1573,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 尝试查找漫画文件内嵌的 XML 信息。只有当创建库的 YACReaderLibrary 版本低于 9.8.2 或者使用第三方软件嵌入 XML 信息时,才需要执行该操作。 - + Library not found 未找到库 @@ -1407,20 +1598,20 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 聚焦于漫画视图 - - + + Unable to delete 无法删除 - - - + + + 4koma (top to botom) 四格漫画(从上到下) - + library? 库? @@ -1429,7 +1620,7 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 保存所选的封面为jpg - + Are you sure? 你确定吗? @@ -1437,439 +1628,439 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 LibraryWindowActions - + Create a new library - 创建一个新的库 + 创建一个新的库 - + Open an existing library - 打开现有的库 + 打开现有的库 - - + + Export comics info - 导出漫画信息 + 导出漫画信息 - - + + Import comics info - 导入漫画信息 + 导入漫画信息 - + Pack covers - 打包封面 + 打包封面 - + Pack the covers of the selected library - 打包所选库的封面 + 打包所选库的封面 - + Unpack covers - 解压封面 + 解压封面 - + Unpack a catalog - 解压目录 + 解压目录 - + Update library - 更新库 + 更新库 - + Update current library - 更新当前库 + 更新当前库 - + Rename library - 重命名库 + 重命名库 - + Rename current library - 重命名当前库 + 重命名当前库 - + Remove library - 移除库 + 移除库 - + Remove current library from your collection - 从您的集合中移除当前库 + 从您的集合中移除当前库 - + Rescan library for XML info - 重新扫描库的 XML 信息 + 重新扫描库的 XML 信息 - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - 尝试查找漫画文件内嵌的 XML 信息。只有当创建库的 YACReaderLibrary 版本低于 9.8.2 或者使用第三方软件嵌入 XML 信息时,才需要执行该操作。 + 尝试查找漫画文件内嵌的 XML 信息。只有当创建库的 YACReaderLibrary 版本低于 9.8.2 或者使用第三方软件嵌入 XML 信息时,才需要执行该操作。 - + Show library info - + 显示图书馆信息 - + Show information about the current library - + 显示当前库的信息 - + Open current comic - 打开当前漫画 + 打开当前漫画 - + Open current comic on YACReader - 用YACReader打开漫画 + 用YACReader打开漫画 - + Save selected covers to... - 选中的封面保存到... + 选中的封面保存到... - + Save covers of the selected comics as JPG files - 保存所选的封面为jpg + 保存所选的封面为jpg - - + + Set as read - 设为已读 + 设为已读 - + Set comic as read - 漫画设为已读 + 漫画设为已读 - - + + Set as unread - 设为未读 + 设为未读 - + Set comic as unread - 漫画设为未读 + 漫画设为未读 - - + + manga - 日本漫画 + 日本漫画 - + Set issue as manga - Set issue as manga + 将问题设置为漫画 - - + + comic - 漫画 + 漫画 - + Set issue as normal - 设置漫画为 + 设置漫画为 - + western manga - 欧美漫画 + 欧美漫画 - + Set issue as western manga - 设置为欧美漫画 + 设置为欧美漫画 - - + + web comic - 网络漫画 + 网络漫画 - + Set issue as web comic - 设置为网络漫画 + 设置为网络漫画 - - + + yonkoma - 四格漫画 + 四格漫画 - + Set issue as yonkoma - 设置为四格漫画 + 设置为四格漫画 - + Show/Hide marks - 显示/隐藏标记 + 显示/隐藏标记 - + Show or hide read marks - 显示或隐藏阅读标记 + 显示或隐藏阅读标记 - + Show/Hide recent indicator - 显示/隐藏最近的指示标志 + 显示/隐藏最近的指示标志 - + Show or hide recent indicator - 显示或隐藏最近的指示标志 + 显示或隐藏最近的指示标志 - - + + Fullscreen mode on/off - 全屏模式 开/关 + 全屏模式 开/关 - + Help, About YACReader - 帮助, 关于 YACReader + 帮助, 关于 YACReader - + Add new folder - 添加新的文件夹 + 添加新的文件夹 - + Add new folder to the current library - 在当前库下添加新的文件夹 + 在当前库下添加新的文件夹 - + Delete folder - 删除文件夹 + 删除文件夹 - + Delete current folder from disk - 从磁盘上删除当前文件夹 + 从磁盘上删除当前文件夹 - + Select root node - 选择根节点 + 选择根节点 - + Expand all nodes - 展开所有节点 + 展开所有节点 - + Collapse all nodes - 折叠所有节点 + 折叠所有节点 - + Show options dialog - 显示选项对话框 + 显示选项对话框 - + Show comics server options dialog - 显示漫画服务器选项对话框 + 显示漫画服务器选项对话框 - - + + Change between comics views - 漫画视图之间的变化 + 漫画视图之间的变化 - + Open folder... - 打开文件夹... + 打开文件夹... - + Set as uncompleted - 设为未完成 + 设为未完成 - + Set as completed - 设为已完成 + 设为已完成 - + Set custom cover - + 设置自定义封面 - + Delete custom cover - + 删除自定义封面 - + western manga (left to right) - 欧美漫画(从左到右) + 欧美漫画(从左到右) - + Open containing folder... - 打开包含文件夹... + 打开包含文件夹... - + Reset comic rating - 重置漫画评分 + 重置漫画评分 - + Select all comics - 全选漫画 + 全选漫画 - + Edit - 编辑 + 编辑 - + Assign current order to comics - 将当前序号分配给漫画 + 将当前序号分配给漫画 - + Update cover - 更新封面 + 更新封面 - + Delete selected comics - 删除所选的漫画 + 删除所选的漫画 - + Delete metadata from selected comics - 从选定的漫画中删除元数据 + 从选定的漫画中删除元数据 - + Download tags from Comic Vine - 从 Comic Vine 下载标签 + 从 Comic Vine 下载标签 - + Focus search line - 聚焦于搜索行 + 聚焦于搜索行 - + Focus comics view - 聚焦于漫画视图 + 聚焦于漫画视图 - + Edit shortcuts - 编辑快捷键 + 编辑快捷键 - + &Quit - 退出(&Q) + 退出(&Q) - + Update folder - 更新文件夹 + 更新文件夹 - + Update current folder - 更新当前文件夹 + 更新当前文件夹 - + Scan legacy XML metadata - 扫描旧版 XML 元数据 + 扫描旧版 XML 元数据 - + Add new reading list - 添加新的阅读列表 + 添加新的阅读列表 - + Add a new reading list to the current library - 在当前库添加新的阅读列表 + 在当前库添加新的阅读列表 - + Remove reading list - 移除阅读列表 + 移除阅读列表 - + Remove current reading list from the library - 从当前库移除阅读列表 + 从当前库移除阅读列表 - + Add new label - 添加新标签 + 添加新标签 - + Add a new label to this library - 在当前库添加标签 + 在当前库添加标签 - + Rename selected list - 重命名列表 + 重命名列表 - + Rename any selected labels or lists - 重命名任何选定的标签或列表 + 重命名任何选定的标签或列表 - + Add to... - 添加到... + 添加到... - + Favorites - 收藏夹 + 收藏夹 - + Add selected comics to favorites list - 将所选漫画添加到收藏夹列表 + 将所选漫画添加到收藏夹列表 @@ -1883,88 +2074,89 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 LogWindow - &Copy - 复制(&C) + 复制(&C) - &Save - 保存(&S) + 保存(&S) - &Pause - 中止(&P) + 中止(&P) - C&lear - 清空(&l) + 清空(&l) - Level: - 等级: + 等级: - &Auto scroll - 自动滚动(&A) + 自动滚动(&A) - Log window - 日志窗口 + 日志窗口 NoLibrariesWidget - + create your first library 创建你的第一个库 - + You don't have any libraries yet 你还没有库 - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>您可以在任何文件夹中创建库,YACReaderLibrary将导入此文件夹中的所有漫画和文件夹。如果已有库,则可以打开它们。</p><p>您可以把YACReader当成独立应用来阅读电脑上的漫画。</p> - + add an existing one 添加一个现有库 + + NoSearchResultsWidget + + + No results + 没有结果 + + OptionsDialog - + Modifications detection 修改检测 - + Time: 时间: - + daily 每天 - + Restore defautls 恢复默认值 - + Close to tray 关闭至托盘 @@ -1973,143 +2165,169 @@ YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低 添加新漫画时从 ComicInfo.xml 导入元数据 - + Background 背景 - + Update libraries at certain time 定时更新库 - + 1 hour 1小时 - + Start into the system tray 启动至系统托盘 - + Display current comic banner - + 显示当前漫画横幅 - + Continue reading 继续阅读 - + Update libraries at startup 启动时更新库 - + + + Appearance + 外貌 + + + + + Language + 语言 + + + + + Application language + 应用程序语言 + + + + + System default + 系统默认 + + + Third party reader - + 第三方阅读器 - + Write {comic_file_path} where the path should go in the command - + 在命令中应将路径写入 {comic_file_path} - + + Clear - + 清空 - + 30 minutes 30分钟 - + 2 hours 2小时 - + 12 hours 12小时 - + Blur level 模糊 - + Compare the modified date of files when updating a library (not recommended) 更新库时比较文件的修改日期(不推荐) - + Import metadata from ComicInfo.xml when adding new comics 添加新漫画时从 ComicInfo.xml 导入元数据 - + Enable background image 启用背景图片 - + 4 hours 4小时 - + + Options 选项 - + Comic Vine API key Comic Vine API 密匙 - + Edit Comic Vine API key 编辑Comic Vine API 密匙 - + Tray icon settings (experimental) 托盘图标设置 (实验特性) - - + + Libraries - + 8 hours 8小时 - + Try to detect changes automatically 尝试自动检测变化 - + Interval: 间隔: - + ComicInfo.xml legacy support ComicInfo.xml 旧版支持 - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2120,119 +2338,291 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 要停止自动更新,请点击库标题旁边的加载指示器。 - + Opacity level 透明度 - + Display continue reading banner 显示继续阅读横幅 - + + General 常规 - + Consider 'recent' items added or updated since X days ago 参考自 X 天前添加或更新的“最近”项目 - + Update libraries periodically 定期更新库 - + Use selected comic cover as background 使用选定的漫画封面做背景 - + Comic Flow 漫画流 - + Grid view 网格视图 - - - PropertiesDialog - - - - of: - of: + + My comics path + 我的漫画路径 - - Day: - 日: + + Display + 展示 - - Plot - 情节 + + Show time in current page information label + 在当前页面信息标签中显示时间 - - Notes - 笔记 + + "Go to flow" size + 页面流尺寸 - - Load previous page as cover - + + Background color + 背景颜色 - - Load next page as cover - + + Choose + 选择 - - Reset cover to the default image - + + Scroll behaviour + 滚动效果 - - Load custom cover image - + + Disable scroll animations and smooth scrolling + 禁用滚动动画和平滑滚动 - - Size: - 大小: + + Do not turn page using scroll + 滚动时不翻页 - - Tags: - 标签: + + Use single scroll step to turn page + 使用单滚动步骤翻页 - - Invalid cover - + + Mouse mode + 鼠标模式 - - The image is invalid. - + + Only Back/Forward buttons can turn pages + 只有后退/前进按钮可以翻页 - - Type: - 类型: + + Use the Left/Right buttons to turn pages. + 使用向左/向右按钮翻页。 - - Year: - 年: + + Click left or right half of the screen to turn pages. + 单击屏幕的左半部分或右半部分即可翻页。 + + + + Quick Navigation Mode + 快速导航模式 + + + + Disable mouse over activation + 禁用鼠标激活 + + + + Brightness + 亮度 + + + + Contrast + 对比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 图片选项 + + + + Fit options + 适应项 + + + + Enlarge images to fit width/height + 放大图片以适应宽度/高度 + + + + Double Page options + 双页选项 + + + + Show covers as single page + 显示封面为单页 + + + + Scaling + 缩放 + + + + Scaling method + 缩放方法 + + + + Nearest (fast, low quality) + 最近(快速,低质量) + + + + Bilinear + 双线性 + + + + Lanczos (better quality) + Lanczos(质量更好) + + + + Page Flow + 页面流 + + + + Image adjustment + 图像调整 + + + + + Restart is needed + 需要重启 + + + + Comics directory + 漫画目录 + + + + PropertiesDialog + + + + + of: + 的: + + + + Day: + 日: + + + + Plot + 情节 + + + + Notes + 笔记 + + + + Load previous page as cover + 加载上一页作为封面 + + + + Load next page as cover + 加载下一页作为封面 + + + + Reset cover to the default image + 将封面重置为默认图像 + + + + Load custom cover image + 加载自定义封面图片 + + + + Size: + 大小: + + + + Tags: + 标签: + + + + Invalid cover + 封面无效 + + + + The image is invalid. + 该图像无效。 + + + + Type: + 类型: + + + + Year: + 年: @@ -2439,6 +2829,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 嵌字师: + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的无头(无 GUI)版本。 + +此应用程序支持持久设置,要设置它们,请编辑此文件 %1 +要了解可用设置,请查看文档:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + QObject @@ -2482,61 +2888,79 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 警告 - + Select custom cover - + 选择自定义封面 - + Images (%1) - + 图片 (%1) + + + + The file could not be read or is not valid JSON. + 无法读取该文件或者该文件不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主题适用于 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 文件夹 + + + + Reading Lists + 阅读列表 QsLogging::LogWindowModel - Time - 时间 + 时间 - Level - 等级 + 等级 - Message - 信息 + 信息 QsLogging::Window - &Pause - 中止(&P) + 中止(&P) - Save log - 保存日志 + 保存日志 - &Resume - 恢复(&R) + 恢复(&R) - Log file (*.log) - 日志文件 (*.log) + 日志文件 (*.log) RenameLibraryDialog - + Rename current library 重命名当前库 @@ -2559,18 +2983,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of %1 found : %2 第 %1 页 共: %2 条 - - + + page %1 of %2 第 %1 页 共 %2 页 - + Number of volumes found : %1 搜索结果: %1 @@ -2581,17 +3005,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - 请提供附加信息. + 请提供附加信息. - + Series: 系列: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + 使用精确匹配搜索。如果您想要查找与名称中某些单词匹配的卷,请禁用。 @@ -2602,40 +3026,40 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 请提供附加信息. - + Series: 系列: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + 使用精确匹配搜索。如果您想要查找与名称中某些单词匹配的卷,请禁用。 SelectComic - + loading description 加载描述 - + comics 漫画 - + loading cover 加载封面 - + comic description unavailable - + 漫画描述不可用 - + Please, select the right comic info. 请正确选择漫画信息. @@ -2647,37 +3071,37 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + loading description 加载描述 - + Nothing found, clear the filter if any. 未找到任何内容,如果有,请清除筛选器。 - + Please, select the right series for your comic. 请选择正确的漫画系列。 - + loading cover 加载封面 - + volume description unavailable - + 卷描述不可用 - + Filter: 筛选: - + volumes @@ -2689,12 +3113,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SeriesQuestion - + no - + yes @@ -2707,7 +3131,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + Port 端口 @@ -2716,7 +3140,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t YACReader适用于iOS设备. <a href='http://ios.yacreader.com'style ='color:rgb(193,148,65)'>下载</a> - + enable the server 启用服务器 @@ -2725,7 +3149,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 无法载入libqrencode. - + Server connectivity information 服务器连接信息 @@ -2736,22 +3160,22 @@ to improve the performance 以提升浏览性能 - + Scan it! 扫一扫! - + set port 设置端口 - + Choose an IP address 选择IP地址 - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. YACReader 适用于 iOS 和 Android 设备。<br/>搜索 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. @@ -2759,322 +3183,1167 @@ to improve the performance SortVolumeComics - + remove selected comics 移除所选漫画 - + sort comics to match comic information 排序漫画以匹配漫画信息 - + restore all removed comics 恢复所有移除的漫画 - + issues 发行 - + Please, sort the list of comics on the left until it matches the comics' information. 请在左侧对漫画列表进行排序,直到它与漫画的信息相符。 - TitleHeader + ThemeEditorDialog - - SEARCH - 搜索 + + Theme Editor + 主题编辑器 - - - UpdateLibraryDialog - - Update library - 更新库 + + + + + - - Cancel - 取消 + + - + - - - Updating.... - 更新中... + + i + - - - VolumeComicsModel - - title - 标题 + + Expand all + 全部展开 - - - VolumesModel - - year - + + Collapse all + 全部折叠 - - issues - 发行 + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中闪烁所选值(洋红色/切换/0↔10)。发布后恢复原样。 - - publisher - 出版者 + + Search… + 搜索… - - - YACReader::TrayIconController - - &Restore - 复位(&R) + + Light + 亮度 - - Systray - 系统托盘 + + Dark + 黑暗的 - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - YACReaderLibrary 将继续在系统托盘中运行. 想要终止程序, 请在系统托盘图标的上下文菜单中选择<b>退出</b>. + + ID: + ID: - - - YACReader::WhatsNewDialog - - Close - 关闭 + + Display name: + 显示名称: - - - YACReaderFieldEdit - - Restore to default - 恢复默认 + + Variant: + 变体: - - - Click to overwrite - 点击以覆盖 + + Theme info + 主题信息 - - - YACReaderFieldPlainTextEdit - - Restore to default - 恢复默认 + + Parameter + 范围 - - - - - Click to overwrite - 点击以覆盖 + + Value + 价值 - - - YACReaderFlowConfigWidget - - CoverFlow look - 封面流 + + Save and apply + 保存并应用 - - How to show covers: - 封面显示方式: + + Export to file... + 导出到文件... - - Stripe look - 条状 + + Load from file... + 从文件加载... - - Overlapped Stripe look - 重叠条状 + + Close + 关闭 - - - YACReaderGLFlowConfigWidget - - Zoom - 缩放 + + Double-click to edit color + 双击编辑颜色 - - Light - 亮度 + + + + + + + true + 真的 - - Show advanced settings - 显示高级选项 + + + + + false + 错误的 - - Roulette look - 轮盘 + + Double-click to toggle + 双击切换 - - Cover Angle - 封面角度 + + Double-click to edit value + 双击编辑值 - - Stripe look - 条状 + + + + Edit: %1 + 编辑:%1 - - Position - 位置 + + Save theme + 保存主题 - - Z offset - Z位移 + + + JSON files (*.json);;All files (*) + JSON 文件 (*.json);;所有文件 (*) - - Y offset - Y位移 + + Save failed + 保存失败 - - Central gap - 中心间距 + + Could not open file for writing: +%1 + 无法打开文件进行写入: +%1 - - Presets: - 预设: + + Load theme + 加载主题 - - Overlapped Stripe look - 重叠条状 + + + + Load failed + 加载失败 - - Modern look - 现代 + + Could not open file: +%1 + 无法打开文件: +%1 - - View angle - 视角 + + Invalid JSON: +%1 + 无效的 JSON: +%1 - - Max angle - 最大角度 + + Expected a JSON object. + 需要一个 JSON 对象。 - - - Custom: + + + TitleHeader + + + SEARCH + 搜索 + + + + UpdateLibraryDialog + + + Update library + 更新库 + + + + Cancel + 取消 + + + + Updating.... + 更新中... + + + + Viewer + + + + Press 'O' to open comic. + 按下 'O' 以打开漫画. + + + + Not found + 未找到 + + + + Comic not found + 未找到漫画 + + + + Error opening comic + 打开漫画时发生错误 + + + + CRC Error + CRC 校验失败 + + + + Loading...please wait! + 载入中... 请稍候! + + + + Page not available! + 页面不可用! + + + + Cover! + 封面! + + + + Last page! + 尾页! + + + + VolumeComicsModel + + + title + 标题 + + + + VolumesModel + + + year + + + + + issues + 发行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 预设: + + + + Classic look + 经典 + + + + Stripe look + 条状 + + + + Overlapped Stripe look + 重叠条状 + + + + Modern look + 现代 + + + + Roulette look + 轮盘 + + + + Show advanced settings + 显示高级选项 + + + + Custom: 自定义: - + + View angle + 视角 + + + + Position + 位置 + + + + Cover gap + 封面间距 + + + + Central gap + 中心间距 + + + + Zoom + 缩放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高图像质量, 性能更差) + + + + Performance: + 性能: + + + + YACReader::MainWindowViewer + + + &Open + 打开(&O) + + + + Open a comic + 打开漫画 + + + + New instance + 新建实例 + + + + Open Folder + 打开文件夹 + + + + Open image folder + 打开图片文件夹 + + + + Open latest comic + 打开最近的漫画 + + + + Open the latest comic opened in the previous reading session + 打开最近阅读漫画 + + + + Clear + 清空 + + + + Clear open recent list + 清空最近访问列表 + + + + Save + 保存 + + + + + Save current page + 保存当前页面 + + + + Previous Comic + 上一个漫画 + + + + + + Open previous comic + 打开上一个漫画 + + + + Next Comic + 下一个漫画 + + + + + + Open next comic + 打开下一个漫画 + + + + &Previous + 上一页(&P) + + + + + + Go to previous page + 转至上一页 + + + + &Next + 下一页(&N) + + + + + + Go to next page + 转至下一页 + + + + Fit Height + 适应高度 + + + + Fit image to height + 缩放图片以适应高度 + + + + Fit Width + 适合宽度 + + + + Fit image to width + 缩放图片以适应宽度 + + + + Show full size + 显示全尺寸 + + + + Fit to page + 适应页面 + + + + Continuous scroll + 连续滚动 + + + + Switch to continuous scroll mode + 切换到连续滚动模式 + + + + Reset zoom + 重置缩放 + + + + Show zoom slider + 显示缩放滑块 + + + + Zoom+ + 放大 + + + + Zoom- + 缩小 + + + + Rotate image to the left + 向左旋转图片 + + + + Rotate image to the right + 向右旋转图片 + + + + Double page mode + 双页模式 + + + + Switch to double page mode + 切换至双页模式 + + + + Double page manga mode + 双页漫画模式 + + + + Reverse reading order in double page mode + 双页模式 (逆序阅读) + + + + Go To + 跳转 + + + + Go to page ... + 跳转至页面 ... + + + + Options + 选项 + + + + YACReader options + YACReader 选项 + + + + + Help + 帮助 + + + + Help, About YACReader + 帮助, 关于 YACReader + + + + Magnifying glass + 放大镜 + + + + Switch Magnifying glass + 切换放大镜 + + + + Set bookmark + 设置书签 + + + + Set a bookmark on the current page + 在当前页面设置书签 + + + + Show bookmarks + 显示书签 + + + + Show the bookmarks of the current comic + 显示当前漫画的书签 + + + + Show keyboard shortcuts + 显示键盘快捷键 + + + + Show Info + 显示信息 + + + + Close + 关闭 + + + + Show Dictionary + 显示字典 + + + + Show go to flow + 显示页面流 + + + + Edit shortcuts + 编辑快捷键 + + + + &File + 文件(&F) + + + + + Open recent + 最近打开的文件 + + + + File + 文件 + + + + Edit + 编辑 + + + + View + 查看 + + + + Go + 转到 + + + + Window + 窗口 + + + + + + Open Comic + 打开漫画 + + + + + + Comic files + 漫画文件 + + + + Open folder + 打开文件夹 + + + + page_%1.jpg + 页_%1.jpg + + + + Image files (*.jpg) + 图像文件 (*.jpg) + + + + + Comics + 漫画 + + + + + General + 常规 + + + + + Magnifiying glass + 放大镜 + + + + + Page adjustement + 页面调整 + + + + + Reading + 阅读 + + + + Toggle fullscreen mode + 切换全屏模式 + + + + Hide/show toolbar + 隐藏/显示 工具栏 + + + + Size up magnifying glass + 增大放大镜尺寸 + + + + Size down magnifying glass + 减小放大镜尺寸 + + + + Zoom in magnifying glass + 增大缩放级别 + + + + Zoom out magnifying glass + 减小缩放级别 + + + + Reset magnifying glass + 重置放大镜 + + + + Toggle between fit to width and fit to height + 切换显示为"适应宽度"或"适应高度" + + + + Autoscroll down + 向下自动滚动 + + + + Autoscroll up + 向上自动滚动 + + + + Autoscroll forward, horizontal first + 向前自动滚动,水平优先 + + + + Autoscroll backward, horizontal first + 向后自动滚动,水平优先 + + + + Autoscroll forward, vertical first + 向前自动滚动,垂直优先 + + + + Autoscroll backward, vertical first + 向后自动滚动,垂直优先 + + + + Move down + 向下移动 + + + + Move up + 向上移动 + + + + Move left + 向左移动 + + + + Move right + 向右移动 + + + + Go to the first page + 转到第一页 + + + + Go to the last page + 转到最后一页 + + + + Offset double page to the left + 双页向左偏移 + + + + Offset double page to the right + 双页向右偏移 + + + + There is a new version available + 有新版本可用 + + + + Do you want to download the new version? + 你要下载新版本吗? + + + + Remind me in 14 days + 14天后提醒我 + + + + Not now + 现在不 + + + + YACReader::TrayIconController + + + &Restore + 复位(&R) + + + + Systray + 系统托盘 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 将继续在系统托盘中运行. 想要终止程序, 请在系统托盘图标的上下文菜单中选择<b>退出</b>. + + + + YACReader::WhatsNewDialog + + Close + 关闭 + + + + YACReaderFieldEdit + + + Restore to default + 恢复默认 + + + + + Click to overwrite + 点击以覆盖 + + + + YACReaderFieldPlainTextEdit + + + Restore to default + 恢复默认 + + + + + + + Click to overwrite + 点击以覆盖 + + + + YACReaderFlowConfigWidget + + CoverFlow look + 封面流 + + + How to show covers: + 封面显示方式: + + + Stripe look + 条状 + + + Overlapped Stripe look + 重叠条状 + + + + YACReaderGLFlowConfigWidget + + Zoom + 缩放 + + + Light + 亮度 + + + Show advanced settings + 显示高级选项 + + + Roulette look + 轮盘 + + + Cover Angle + 封面角度 + + + Stripe look + 条状 + + + Position + 位置 + + + Z offset + Z位移 + + + Y offset + Y位移 + + + Central gap + 中心间距 + + + Presets: + 预设: + + + Overlapped Stripe look + 重叠条状 + + + Modern look + 现代 + + + View angle + 视角 + + + Max angle + 最大角度 + + + Custom: + 自定义: + + Classic look - 经典 + 经典 - Cover gap - 封面间距 + 封面间距 - High Performance - 高性能 + 高性能 - Performance: - 性能: + 性能: - Use VSync (improve the image quality in fullscreen mode, worse performance) - 使用VSync (在全屏模式下提高图像质量, 性能更差) + 使用VSync (在全屏模式下提高图像质量, 性能更差) - Visibility - 透明度 + 透明度 - Low Performance - 低性能 + 低性能 YACReaderNavigationController - You are not reading anything yet, come on!! - 你还没有阅读任何东西,加油!! + 你还没有阅读任何东西,加油!! - There are no recent comics! - 没有最近的漫画! + 没有最近的漫画! - No favorites - 没有收藏 + 没有收藏 YACReaderOptionsDialog - + Save 保存 - Use hardware acceleration (restart needed) - 使用硬件加速 (需要重启) + 使用硬件加速 (需要重启) - + Cancel 取消 - + Shortcuts 快捷键 - + Edit shortcuts 编辑快捷键 @@ -3082,7 +4351,7 @@ to improve the performance YACReaderSearchLineEdit - + type to search 搜索类型 @@ -3090,34 +4359,60 @@ to improve the performance YACReaderSideBar - Reading Lists - 阅读列表 + 阅读列表 - LIBRARIES - + - Libraries - + - FOLDERS - 文件夹 + 文件夹 - Folders - 文件夹 + 文件夹 - READING LISTS - 阅读列表 + 阅读列表 + + + + YACReaderSlider + + + Reset + 重置 + + + + YACReaderTranslator + + + YACReader translator + YACReader 翻译 + + + + + Translation + 翻译 + + + + clear + 清空 + + + + Service not available + 服务不可用 diff --git a/YACReaderLibrary/yacreaderlibrary_zh_HK.ts b/YACReaderLibrary/yacreaderlibrary_zh_HK.ts index 32a397dc5..49114dc2a 100644 --- a/YACReaderLibrary/yacreaderlibrary_zh_HK.ts +++ b/YACReaderLibrary/yacreaderlibrary_zh_HK.ts @@ -12,82 +12,70 @@ AddLabelDialog - + Label name: 標籤名稱: - + Choose a color: 選擇標籤顏色: - red - + - orange - + - yellow - + - green - + - cyan - + - blue - + - violet - 紫羅蘭 + 紫羅蘭 - purple - + - pink - + - white - + - light - 淺色 + 淺色 - dark - 深色 + 深色 - + accept 接受 - + cancel 取消 @@ -116,7 +104,7 @@ 取消 - + Add an existing library 添加一個現有庫 @@ -144,10 +132,150 @@ 取消 + + AppearanceTabWidget + + + Color scheme + 配色方案 + + + + System + 系統 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 風俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 刪除此使用者匯入的主題 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定義: + + + + Import theme... + 導入主題... + + + + Theme + 主題 + + + + Theme editor + 主題編輯器 + + + + Open Theme Editor... + 開啟主題編輯器... + + + + Theme editor error + 主題編輯器錯誤 + + + + The current theme JSON could not be loaded. + 無法載入目前主題 JSON。 + + + + Import theme + 導入主題 + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Could not import theme from: +%1 + 無法從以下位置匯入主題: +%1 + + + + Could not import theme from: +%1 + +%2 + 無法從以下位置匯入主題: +%1 + +%2 + + + + Import failed + 導入失敗 + + + + BookmarksDialog + + + Lastest Page + 尾頁 + + + + Close + 關閉 + + + + Click on any image to go to the bookmark + 點擊任意圖片以跳轉至相應書簽位置 + + + + + Loading... + 載入中... + + ClassicComicsView - + Hide comic flow 隱藏漫畫流 @@ -155,84 +283,84 @@ ComicInfoView - + + Characters + 角色 + + + Main character or team - + 主要角色或團隊 - + Teams - + 團隊 - + Locations - + 地點 - + Authors - 作者 + 作者 - + writer - + 編劇 - + penciller - + 鉛筆畫師 - + inker - + 墨線師 - + colorist - + 上色師 - + letterer - + 字效師 - + cover artist - + 封面畫師 - + editor - + 編輯 - + imprint - + 出版品牌 - + Publisher - + 出版社 - + color - + 彩色 - + b/w - - - - - Characters - + 黑白 @@ -290,86 +418,94 @@ Series - + 系列 Volume - + 體積 Story Arc - + 故事線 ComicVineDialog - + skip 忽略 - + back 返回 - + next 下一步 - + search 搜索 - + close 關閉 - - - + + + Looking for volume... 搜索卷... - - + + comic %1 of %2 - %3 第 %1 本 共 %2 本 - %3 - + %1 comics selected 已選擇 %1 本漫畫 - + Error connecting to ComicVine ComicVine 連接時出錯 - - + + Retrieving tags for : %1 正在檢索標籤: %1 - + Retrieving volume info... 正在接收卷資訊... - + Looking for comic... 搜索漫畫中... + + ContinuousPageWidget + + + Loading page %1 + 正在載入頁面 %1 + + CreateLibraryDialog @@ -398,17 +534,17 @@ 創建一個新的庫可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。 - + Create new library 創建新的漫畫庫 - + Path not found 未找到路徑 - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder 所選路徑不存在或不是有效路徑. 確保您具有此檔夾的寫入許可權 @@ -431,12 +567,12 @@ 快捷鍵設置 - + Shortcut in use 快捷鍵被佔用 - + The shortcut "%1" is already assigned to other function 快捷鍵 "%1" 已被映射至其他功能 @@ -444,26 +580,27 @@ EmptyFolderWidget - - Subfolders in this folder - 建立子檔夾 + 建立子檔夾 - Empty folder - 空文件夾 + 空文件夾 - Drag and drop folders and comics here - 拖動檔夾或者漫畫到這裏 + 拖動檔夾或者漫畫到這裏 + + + + This folder doesn't contain comics yet + 該資料夾還沒有漫畫 EmptyLabelWidget - + This label doesn't contain comics yet 此標籤尚未包含漫畫 @@ -477,6 +614,24 @@ 此閱讀列表尚未包含任何漫畫 + + EmptySpecialListWidget + + + No favorites + 沒有收藏 + + + + You are not reading anything yet, come on!! + 你還沒有閱讀任何東西,加油!! + + + + There are no recent comics! + 沒有最近的漫畫! + + ExportComicsInfoDialog @@ -495,22 +650,22 @@ 取消 - + Export comics info 導出漫畫資訊 - + Destination database name 目標資料庫名稱 - + Problem found while writing 寫入時出現問題 - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 @@ -533,22 +688,22 @@ 取消 - + Create covers package 創建封面包 - + Problem found while writing 寫入時出現問題 - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 - + Destination directory 目標目錄 @@ -579,23 +734,52 @@ FolderContentView - + Continue Reading... - + 繼續閱讀... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + 頁碼 : + + + + Go To + 跳轉 + + + + Cancel + 取消 + + + + + Total pages : + 總頁數: + + + + Go to... + 跳轉至 ... + + + + GoToFlowToolBar + + + Page : + 頁碼 : GridComicsView - + Show info 顯示資訊 @@ -603,17 +787,17 @@ HelpAboutDialog - + About 關於 - + Help 幫助 - + System info 系統資訊 @@ -641,7 +825,7 @@ 取消 - + Comics info file (*.ydb) 漫畫資訊檔(*.ydb) @@ -674,12 +858,12 @@ 取消 - + Extract a catalog 提取目錄 - + Compresed library covers (*.clc) 已壓縮的庫封面 (*.clc) @@ -687,52 +871,52 @@ ImportWidget - + stop 停止 - + Some of the comics being added... 正在添加漫畫... - + Importing comics 正在導入漫畫 - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary現在正在創建一個新庫。</p><p>這可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。</p> - + Updating the library 正在更新庫 - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>正在更新當前庫。要獲得更快的更新,請經常更新您的庫。</p><p>您可以停止該進程,稍後繼續更新操作。</p> - + Upgrading the library 正在更新庫 - + <p>The current library is being upgraded, please wait.</p> <p>正在更新當前漫畫庫, 請稍候.</p> - + Scanning the library 正在掃描庫 - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> <p>正在掃描當前庫的舊版 XML metadata 資訊。</p><p>這只需要執行一次,且只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 時。</p> @@ -740,12 +924,12 @@ LibraryWindow - + YACReader Library YACReader 庫 - + Library @@ -822,7 +1006,7 @@ 保存所選的封面為jpg - + Set as read 設為已讀 @@ -831,8 +1015,8 @@ 漫畫設為已讀 - - + + Set as unread 設為未讀 @@ -841,25 +1025,25 @@ 漫畫設為未讀 - - - + + + manga - + 漫畫 - - - + + + comic - + 漫畫 - - - + + + web comic - + 網路漫畫 Show/Hide marks @@ -870,18 +1054,18 @@ 折疊所有節點 - - - + + + western manga (left to right) - + 西方漫畫(從左到右) Assign current order to comics 將當前序號分配給漫畫 - + Library not available Library ' 庫不可用 @@ -891,7 +1075,7 @@ 全屏模式 開/關 - + Rescan library for XML info 重新掃描庫的 XML 資訊 @@ -905,7 +1089,7 @@ Set issue as manga - Set issue as manga + 將問題設定為漫畫 Set as normal @@ -920,7 +1104,7 @@ 幫助, 關於 YACReader - + Delete folder 刪除檔夾 @@ -941,17 +1125,17 @@ 顯示漫畫伺服器選項對話框 - + Open folder... 打開檔夾... - + Set as uncompleted 設為未完成 - + Set as completed 設為已完成 @@ -1004,7 +1188,7 @@ 退出(&Q) - + Update folder 更新檔夾 @@ -1057,170 +1241,170 @@ 將所選漫畫添加到收藏夾列表 - + Folder 檔夾 - + Comic 漫畫 - + Upgrade failed 更新失敗 - + There were errors during library upgrade in: 漫畫庫更新時出現錯誤: - + Update needed 需要更新 - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? 此庫是使用舊版本的YACReaderLibrary創建的. 它需要更新. 現在更新? - + Download new version 下載新版本 - + This library was created with a newer version of YACReaderLibrary. Download the new version now? 此庫是使用較新版本的YACReaderLibrary創建的。 立即下載新版本? - + Library '%1' is no longer available. Do you want to remove it? 庫 '%1' 不再可用。 你想刪除它嗎? - + Old library 舊的庫 - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? 庫 '%1' 是通過舊版本的YACReaderLibrary創建的。 必須再次創建。 你想現在創建嗎? - - + + Copying comics... 複製漫畫中... - - + + Moving comics... 移動漫畫中... - + Folder name: 檔夾名稱: - + No folder selected 沒有選中的檔夾 - + Please, select a folder first 請先選擇一個檔夾 - + Error in path 路徑錯誤 - + There was an error accessing the folder's path 訪問檔夾的路徑時出錯 - + The selected folder and all its contents will be deleted from your disk. Are you sure? 所選檔夾及其所有內容將從磁片中刪除。 你確定嗎? - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. 嘗試刪除所選檔夾時出現問題。 請檢查寫入許可權,並確保沒有其他應用程式在使用這些檔夾或檔。 - + Add new reading lists 添加新的閱讀列表 - - + + List name: 列表名稱: - + Delete list/label 刪除 列表/標籤 - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? 所選項目將被刪除,您的漫畫或檔夾將不會從您的磁片中刪除。 你確定嗎? - + Rename list name 重命名列表 - - - + + + 4koma (top to botom) - + 4koma(由上至下) - - - - + + + + Set type - + 套裝類型 - + Set custom cover - + 設定自訂封面 - + Delete custom cover - + 刪除自訂封面 - + Save covers 保存封面 - + You are adding too many libraries. 您添加的庫太多了。 - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1233,69 +1417,69 @@ YACReaderLibrary will not stop you from creating more libraries but you should k YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低的庫數量來提升性能。 - - + + YACReader not found YACReader 未找到 - + Error - 錯誤 + 錯誤 - + Error opening comic with third party reader. - + 使用第三方閱讀器開啟漫畫時出錯。 - + Library not found 未找到庫 - + The selected folder doesn't contain any library. 所選檔夾不包含任何庫。 - + Are you sure? 你確定嗎? - + Do you want remove 你想要刪除 - + library? 庫? - + Remove and delete metadata 移除並刪除元數據 - + Library info - + 圖書館資訊 - + Assign comics numbers 分配漫畫編號 - + Assign numbers starting in: 從以下位置開始分配編號: - - + + Unable to delete 無法刪除 @@ -1304,7 +1488,7 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 顯示或隱藏閱讀標記 - + Add new folder 添加新的檔夾 @@ -1321,82 +1505,82 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 漫畫視圖之間的變化 - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. 未找到YACReader. YACReader應安裝在與YACReaderLibrary相同的檔夾中. - + YACReader not found. There might be a problem with your YACReader installation. 未找到YACReader. YACReader的安裝可能有問題. - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. 嘗試刪除所選漫畫時出現問題。 請檢查所選檔或包含檔夾中的寫入許可權。 - + Invalid image - + 圖片無效 - + The selected file is not a valid image. - + 所選檔案不是有效影像。 - + Error saving cover - + 儲存封面時發生錯誤 - + There was an error saving the cover image. - + 儲存封面圖片時發生錯誤。 - + Error creating the library 創建庫時出錯 - + Error updating the library 更新庫時出錯 - + Error opening the library 打開庫時出錯 - + Delete comics 刪除漫畫 - + All the selected comics will be deleted from your disk. Are you sure? 所有選定的漫畫都將從您的磁片中刪除。你確定嗎? - + Remove comics 移除漫畫 - + Comics will only be deleted from the current label/list. Are you sure? 漫畫只會從當前標籤/列表中刪除。 你確定嗎? - + Library name already exists 庫名已存在 - + There is another library with the name '%1'. 已存在另一個名為'%1'的庫。 @@ -1404,439 +1588,439 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 LibraryWindowActions - + Create a new library - 創建一個新的庫 + 創建一個新的庫 - + Open an existing library - 打開現有的庫 + 打開現有的庫 - - + + Export comics info - 導出漫畫資訊 + 導出漫畫資訊 - - + + Import comics info - 導入漫畫資訊 + 導入漫畫資訊 - + Pack covers - 打包封面 + 打包封面 - + Pack the covers of the selected library - 打包所選庫的封面 + 打包所選庫的封面 - + Unpack covers - 解壓封面 + 解壓封面 - + Unpack a catalog - 解壓目錄 + 解壓目錄 - + Update library - 更新庫 + 更新庫 - + Update current library - 更新當前庫 + 更新當前庫 - + Rename library - 重命名庫 + 重命名庫 - + Rename current library - 重命名當前庫 + 重命名當前庫 - + Remove library - 移除庫 + 移除庫 - + Remove current library from your collection - 從您的集合中移除當前庫 + 從您的集合中移除當前庫 - + Rescan library for XML info - 重新掃描庫的 XML 資訊 + 重新掃描庫的 XML 資訊 - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 + 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 - + Show library info - + 顯示圖書館資訊 - + Show information about the current library - + 顯示當前庫的信息 - + Open current comic - 打開當前漫畫 + 打開當前漫畫 - + Open current comic on YACReader - 用YACReader打開漫畫 + 用YACReader打開漫畫 - + Save selected covers to... - 選中的封面保存到... + 選中的封面保存到... - + Save covers of the selected comics as JPG files - 保存所選的封面為jpg + 保存所選的封面為jpg - - + + Set as read - 設為已讀 + 設為已讀 - + Set comic as read - 漫畫設為已讀 + 漫畫設為已讀 - - + + Set as unread - 設為未讀 + 設為未讀 - + Set comic as unread - 漫畫設為未讀 + 漫畫設為未讀 - - + + manga - + 漫畫 - + Set issue as manga - Set issue as manga + 將問題設定為漫畫 - - + + comic - + 漫畫 - + Set issue as normal - 設置發行狀態為正常發行 + 設置發行狀態為正常發行 - + western manga - + 西方漫畫 - + Set issue as western manga - + 將問題設定為西方漫畫 - - + + web comic - + 網路漫畫 - + Set issue as web comic - + 將問題設定為網路漫畫 - - + + yonkoma - + 四科馬 - + Set issue as yonkoma - + 將問題設定為 yonkoma - + Show/Hide marks - 顯示/隱藏標記 + 顯示/隱藏標記 - + Show or hide read marks - 顯示或隱藏閱讀標記 + 顯示或隱藏閱讀標記 - + Show/Hide recent indicator - + 顯示/隱藏最近的指標 - + Show or hide recent indicator - + 顯示或隱藏最近的指示器 - - + + Fullscreen mode on/off - 全屏模式 開/關 + 全屏模式 開/關 - + Help, About YACReader - 幫助, 關於 YACReader + 幫助, 關於 YACReader - + Add new folder - 添加新的檔夾 + 添加新的檔夾 - + Add new folder to the current library - 在當前庫下添加新的檔夾 + 在當前庫下添加新的檔夾 - + Delete folder - 刪除檔夾 + 刪除檔夾 - + Delete current folder from disk - 從磁片上刪除當前檔夾 + 從磁片上刪除當前檔夾 - + Select root node - 選擇根節點 + 選擇根節點 - + Expand all nodes - 展開所有節點 + 展開所有節點 - + Collapse all nodes - 折疊所有節點 + 折疊所有節點 - + Show options dialog - 顯示選項對話框 + 顯示選項對話框 - + Show comics server options dialog - 顯示漫畫伺服器選項對話框 + 顯示漫畫伺服器選項對話框 - - + + Change between comics views - 漫畫視圖之間的變化 + 漫畫視圖之間的變化 - + Open folder... - 打開檔夾... + 打開檔夾... - + Set as uncompleted - 設為未完成 + 設為未完成 - + Set as completed - 設為已完成 + 設為已完成 - + Set custom cover - + 設定自訂封面 - + Delete custom cover - + 刪除自訂封面 - + western manga (left to right) - + 西方漫畫(從左到右) - + Open containing folder... - 打開包含檔夾... + 打開包含檔夾... - + Reset comic rating - 重置漫畫評分 + 重置漫畫評分 - + Select all comics - 全選漫畫 + 全選漫畫 - + Edit - 編輯 + 編輯 - + Assign current order to comics - 將當前序號分配給漫畫 + 將當前序號分配給漫畫 - + Update cover - 更新封面 + 更新封面 - + Delete selected comics - 刪除所選的漫畫 + 刪除所選的漫畫 - + Delete metadata from selected comics - + 從選定的漫畫中刪除元數據 - + Download tags from Comic Vine - 從 Comic Vine 下載標籤 + 從 Comic Vine 下載標籤 - + Focus search line - 聚焦於搜索行 + 聚焦於搜索行 - + Focus comics view - 聚焦於漫畫視圖 + 聚焦於漫畫視圖 - + Edit shortcuts - 編輯快捷鍵 + 編輯快捷鍵 - + &Quit - 退出(&Q) + 退出(&Q) - + Update folder - 更新檔夾 + 更新檔夾 - + Update current folder - 更新當前檔夾 + 更新當前檔夾 - + Scan legacy XML metadata - + 掃描舊版 XML 元數據 - + Add new reading list - 添加新的閱讀列表 + 添加新的閱讀列表 - + Add a new reading list to the current library - 在當前庫添加新的閱讀列表 + 在當前庫添加新的閱讀列表 - + Remove reading list - 移除閱讀列表 + 移除閱讀列表 - + Remove current reading list from the library - 從當前庫移除閱讀列表 + 從當前庫移除閱讀列表 - + Add new label - 添加新標籤 + 添加新標籤 - + Add a new label to this library - 在當前庫添加標籤 + 在當前庫添加標籤 - + Rename selected list - 重命名列表 + 重命名列表 - + Rename any selected labels or lists - 重命名任何選定的標籤或列表 + 重命名任何選定的標籤或列表 - + Add to... - 添加到... + 添加到... - + Favorites - 收藏夾 + 收藏夾 - + Add selected comics to favorites list - 將所選漫畫添加到收藏夾列表 + 將所選漫畫添加到收藏夾列表 @@ -1850,189 +2034,209 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 LogWindow - Log window - 日誌窗口 + 日誌窗口 - &Pause - 中止(&P) + 中止(&P) - &Save - 保存(&S) + 保存(&S) - C&lear - 清空(&l) + 清空(&l) - &Copy - 複製(&C) + 複製(&C) - Level: - 等級: + 等級: - &Auto scroll - 自動滾動(&A) + 自動滾動(&A) NoLibrariesWidget - + You don't have any libraries yet 你還沒有庫 - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>您可以在任何檔夾中創建庫,YACReaderLibrary將導入此檔夾中的所有漫畫和文件夾。如果已有庫,則可以打開它們。</p><p>您可以把YACReader當成獨立應用來閱讀電腦上的漫畫。</p> - + create your first library 創建你的第一個庫 - + add an existing one 添加一個現有庫 + + NoSearchResultsWidget + + + No results + 沒有結果 + + OptionsDialog - + + + Language + 語言 + + + + + Application language + 應用程式語言 + + + + + System default + 系統預設 + + + Tray icon settings (experimental) 託盤圖示設置 (實驗特性) - + Close to tray 關閉至託盤 - + Start into the system tray 啟動至系統託盤 - + Edit Comic Vine API key 編輯Comic Vine API 密匙 - + Comic Vine API key Comic Vine API 密匙 - + ComicInfo.xml legacy support - + ComicInfo.xml 遺留支持 - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + 新增漫畫時從 ComicInfo.xml 匯入元數據 - + Consider 'recent' items added or updated since X days ago - + 考慮自 X 天前新增或更新的「最近」項目 - + Third party reader - + 第三方閱讀器 - + Write {comic_file_path} where the path should go in the command - + 在命令中應將路徑寫入 {comic_file_path} - + + Clear - + 清空 - + Update libraries at startup - + 啟動時更新庫 - + Try to detect changes automatically - + 嘗試自動偵測變化 - + Update libraries periodically - + 定期更新庫 - + Interval: - + 間隔: - + 30 minutes - + 30分鐘 - + 1 hour - + 1小時 - + 2 hours - + 2小時 - + 4 hours - + 4小時 - + 8 hours - + 8小時 - + 12 hours - + 12小時 - + daily - + 日常的 - + Update libraries at certain time - + 定時更新庫 - + Time: - + 時間: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2040,162 +2244,344 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + 警告!在庫更新期間,將停用對資料庫的寫入! +當您可能正在積極使用應用程式時,請勿安排更新。 +在自動更新期間,應用程式將阻止某些操作,直到更新完成。 +若要停止自動更新,請點選庫標題旁的載入指示器。 - + Modifications detection - + 修改檢測 - + Compare the modified date of files when updating a library (not recommended) - + 更新庫時比較文件的修改日期(不建議) - + Enable background image 啟用背景圖片 - + Opacity level 透明度 - + Blur level 模糊 - + Use selected comic cover as background 使用選定的漫畫封面做背景 - + Restore defautls 恢復默認值 - + Background 背景 - + Display continue reading banner 顯示繼續閱讀橫幅 - + Display current comic banner - + 顯示目前漫畫橫幅 - + Continue reading 繼續閱讀 - + Comic Flow 漫畫流 - - + + Libraries - + - + Grid view 網格視圖 - + + General 常規 - + + + Appearance + 外貌 + + + + Options 選項 - - - PropertiesDialog - - General info - 基本資訊 + + My comics path + 我的漫畫路徑 - - Authors - 作者 + + Display + 展示 - - Publishing - 出版 + + Show time in current page information label + 在目前頁面資訊標籤中顯示時間 - - Plot - 情節 + + "Go to flow" size + 頁面流尺寸 - - Notes - + + Background color + 背景顏色 - - Cover page - 封面 + + Choose + 選擇 - - Load previous page as cover - + + Scroll behaviour + 滾動效果 - - Load next page as cover - + + Disable scroll animations and smooth scrolling + 停用滾動動畫和平滑滾動 - - Reset cover to the default image - + + Do not turn page using scroll + 滾動時不翻頁 - - Load custom cover image - + + Use single scroll step to turn page + 使用單滾動步驟翻頁 - - Series: - 系列: + + Mouse mode + 滑鼠模式 - - Title: - 標題: + + Only Back/Forward buttons can turn pages + 只有後退/前進按鈕可以翻頁 - - - - of: - of: + + Use the Left/Right buttons to turn pages. + 使用向左/向右按鈕翻頁。 - - Issue number: + + Click left or right half of the screen to turn pages. + 點擊螢幕的左半部或右半部即可翻頁。 + + + + Quick Navigation Mode + 快速導航模式 + + + + Disable mouse over activation + 禁用滑鼠啟動 + + + + Brightness + 亮度 + + + + Contrast + 對比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 圖片選項 + + + + Fit options + 適應項 + + + + Enlarge images to fit width/height + 放大圖片以適應寬度/高度 + + + + Double Page options + 雙頁選項 + + + + Show covers as single page + 顯示封面為單頁 + + + + Scaling + 縮放 + + + + Scaling method + 縮放方法 + + + + Nearest (fast, low quality) + 最近(快速,低品質) + + + + Bilinear + 雙線性 + + + + Lanczos (better quality) + Lanczos(品質更好) + + + + Page Flow + 頁面流 + + + + Image adjustment + 圖像調整 + + + + + Restart is needed + 需要重啟 + + + + Comics directory + 漫畫目錄 + + + + PropertiesDialog + + + General info + 基本資訊 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Plot + 情節 + + + + Notes + 筆記 + + + + Cover page + 封面 + + + + Load previous page as cover + 載入上一頁作為封面 + + + + Load next page as cover + 載入下一頁作為封面 + + + + Reset cover to the default image + 將封面重設為預設圖片 + + + + Load custom cover image + 載入自訂封面圖片 + + + + Series: + 系列: + + + + Title: + 標題: + + + + + + of: + 的: + + + + Issue number: 發行數量: @@ -2216,17 +2602,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + 替代。數字: Alternate series: - + 替代系列: Series Group: - + 系列組: @@ -2272,12 +2658,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Editor(s): - + 編輯: Imprint: - + 印記: @@ -2317,22 +2703,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + 類型: Language (ISO): - + 語言(ISO): Invalid cover - + 封面無效 The image is invalid. - + 該圖像無效。 Manga: @@ -2351,22 +2737,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Teams: - + 團隊: Locations: - + 地點: Main character or team: - + 主要角色或團隊: Review: - + 審查: @@ -2376,7 +2762,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + 標籤: @@ -2404,6 +2790,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 編輯漫畫資訊 + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的無頭(無 GUI)版本。 + +此應用程式支援持久性設置,要設定它們,請編輯此文件 %1 +若要了解可用設置,請查看文件:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + QObject @@ -2447,55 +2849,73 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 嚴重錯誤 - + Select custom cover - + 選擇自訂封面 - + Images (%1) - + 圖片 (%1) + + + + The file could not be read or is not valid JSON. + 無法讀取該檔案或該檔案不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主題適用於 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 檔夾 + + + + Reading Lists + 閱讀列表 QsLogging::LogWindowModel - Time - 時間 + 時間 - Level - 等級 + 等級 - Message - 資訊 + 資訊 QsLogging::Window - &Pause - 中止(&P) + 中止(&P) - &Resume - 恢復(&R) + 恢復(&R) - Save log - 保存日誌 + 保存日誌 - Log file (*.log) - 日誌檔 (*.log) + 日誌檔 (*.log) @@ -2516,7 +2936,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 取消 - + Rename current library 重命名當前庫 @@ -2524,18 +2944,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of volumes found : %1 搜索結果: %1 - - + + page %1 of %2 第 %1 頁 共 %2 頁 - + Number of %1 found : %2 第 %1 頁 共: %2 條 @@ -2546,17 +2966,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - 請提供附加資訊. + 請提供附加資訊. - + Series: 系列: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 @@ -2567,42 +2987,42 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 請提供附加資訊. - + Series: 系列: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 SelectComic - + Please, select the right comic info. 請正確選擇漫畫資訊. - + comics 漫畫 - + loading cover 加載封面 - + loading description 加載描述 - + comic description unavailable - + 漫畫描述不可用 description unavailable @@ -2612,39 +3032,39 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + Please, select the right series for your comic. 請選擇正確的漫畫系列。 - + Filter: - + 篩選: - + volumes - + Nothing found, clear the filter if any. - + 未找到任何內容,如果有,請清除過濾器。 - + loading cover 加載封面 - + loading description 加載描述 - + volume description unavailable - + 卷描述不可用 description unavailable @@ -2659,12 +3079,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 您正在嘗試同時獲取各種漫畫的資訊,它們是同一系列的嗎? - + yes - + no @@ -2672,41 +3092,41 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + set port 設置端口 - + Server connectivity information 伺服器連接資訊 - + Scan it! 掃一掃! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader 適用於 iOS 和 Android 裝置。 <br/>發現它適用於 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> 或 <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>。 YACReader is available for iOS devices. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Discover it! </a> YACReader適用於iOS設備. <a href='http://ios.yacreader.com'style ='color:rgb(193,148,65)'>下載</a> - + Choose an IP address 選擇IP地址 - + Port 端口 - + enable the server 啟用伺服器 @@ -2724,330 +3144,1171 @@ to improve the performance SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. 請在左側對漫畫列表進行排序,直到它與漫畫的資訊相符。 - + sort comics to match comic information 排序漫畫以匹配漫畫資訊 - + issues 發行 - + remove selected comics 移除所選漫畫 - + restore all removed comics 恢復所有移除的漫畫 - TitleHeader + ThemeEditorDialog - - SEARCH - 搜索 + + Theme Editor + 主題編輯器 - - - UpdateLibraryDialog - - Updating.... - 更新中... + + + + + - - Cancel - 取消 + + - + - - - Update library - 更新庫 + + i + - - - VolumeComicsModel - - title - 標題 + + Expand all + 全部展開 - - - VolumesModel - - year - + + Collapse all + 全部折疊 - - issues - 發行 + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中閃爍所選值(洋紅色/切換/0↔10)。發布後恢復原樣。 - - publisher - 出版者 + + Search… + 搜尋… - - - YACReader::TrayIconController - - &Restore - 複位(&R) + + Light + 亮度 - - Systray - 系統託盤 + + Dark + 黑暗的 - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + ID: + ID: - - - YACReader::WhatsNewDialog - - Close - 關閉 + + Display name: + 顯示名稱: - - - YACReaderFieldEdit - - - Click to overwrite - 點擊以覆蓋 + + Variant: + 變體: - - Restore to default - 恢復默認 + + Theme info + 主題訊息 - - - YACReaderFieldPlainTextEdit - - - - - Click to overwrite - 點擊以覆蓋 + + Parameter + 範圍 - - Restore to default - 恢復默認 + + Value + 價值 - - - YACReaderFlowConfigWidget - - How to show covers: - 封面顯示方式: + + Save and apply + 儲存並應用 - - CoverFlow look - 封面流 + + Export to file... + 匯出到文件... - - Stripe look - 條狀 + + Load from file... + 從檔案載入... - - Overlapped Stripe look - 重疊條狀 + + Close + 關閉 - - - YACReaderGLFlowConfigWidget - - Presets: - 預設: + + Double-click to edit color + 雙擊編輯顏色 - - Classic look - 經典 + + + + + + + true + 真的 - - Stripe look - 條狀 + + + + + false + 錯誤的 - - Overlapped Stripe look - 重疊條狀 + + Double-click to toggle + 按兩下切換 - - Modern look - 現代 + + Double-click to edit value + 雙擊編輯值 - - Roulette look - 輪盤 + + + + Edit: %1 + 編輯:%1 - - Show advanced settings - 顯示高級選項 + + Save theme + 儲存主題 - - Custom: - 自定義: + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) - - View angle - 視角 + + Save failed + 保存失敗 - - Position - 位置 + + Could not open file for writing: +%1 + 無法開啟文件進行寫入: +%1 - - Cover gap - 封面間距 + + Load theme + 載入主題 - - Central gap - 中心間距 + + + + Load failed + 載入失敗 - - Zoom - 縮放 + + Could not open file: +%1 + 無法開啟檔案: +%1 - - Y offset - Y位移 + + Invalid JSON: +%1 + 無效的 JSON: +%1 - - Z offset - Z位移 + + Expected a JSON object. + 需要一個 JSON 物件。 - - - Cover Angle + + + TitleHeader + + + SEARCH + 搜索 + + + + UpdateLibraryDialog + + + Updating.... + 更新中... + + + + Cancel + 取消 + + + + Update library + 更新庫 + + + + Viewer + + + + Press 'O' to open comic. + 按下 'O' 以打開漫畫. + + + + Not found + 未找到 + + + + Comic not found + 未找到漫畫 + + + + Error opening comic + 打開漫畫時發生錯誤 + + + + CRC Error + CRC 校驗失敗 + + + + Loading...please wait! + 載入中... 請稍候! + + + + Page not available! + 頁面不可用! + + + + Cover! + 封面! + + + + Last page! + 尾頁! + + + + VolumeComicsModel + + + title + 標題 + + + + VolumesModel + + + year + + + + + issues + 發行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 預設: + + + + Classic look + 經典 + + + + Stripe look + 條狀 + + + + Overlapped Stripe look + 重疊條狀 + + + + Modern look + 現代 + + + + Roulette look + 輪盤 + + + + Show advanced settings + 顯示高級選項 + + + + Custom: + 自定義: + + + + View angle + 視角 + + + + Position + 位置 + + + + Cover gap + 封面間距 + + + + Central gap + 中心間距 + + + + Zoom + 縮放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle 封面角度 - + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) + + + + Performance: + 性能: + + + + YACReader::MainWindowViewer + + + &Open + 打開(&O) + + + + Open a comic + 打開漫畫 + + + + New instance + 新建實例 + + + + Open Folder + 打開檔夾 + + + + Open image folder + 打開圖片檔夾 + + + + Open latest comic + 打開最近的漫畫 + + + + Open the latest comic opened in the previous reading session + 打開最近閱讀漫畫 + + + + Clear + 清空 + + + + Clear open recent list + 清空最近訪問列表 + + + + Save + 保存 + + + + + Save current page + 保存當前頁面 + + + + Previous Comic + 上一個漫畫 + + + + + + Open previous comic + 打開上一個漫畫 + + + + Next Comic + 下一個漫畫 + + + + + + Open next comic + 打開下一個漫畫 + + + + &Previous + 上一頁(&P) + + + + + + Go to previous page + 轉至上一頁 + + + + &Next + 下一頁(&N) + + + + + + Go to next page + 轉至下一頁 + + + + Fit Height + 適應高度 + + + + Fit image to height + 縮放圖片以適應高度 + + + + Fit Width + 適合寬度 + + + + Fit image to width + 縮放圖片以適應寬度 + + + + Show full size + 顯示全尺寸 + + + + Fit to page + 適應頁面 + + + + Continuous scroll + 連續滾動 + + + + Switch to continuous scroll mode + 切換到連續滾動模式 + + + + Reset zoom + 重置縮放 + + + + Show zoom slider + 顯示縮放滑塊 + + + + Zoom+ + 放大 + + + + Zoom- + 縮小 + + + + Rotate image to the left + 向左旋轉圖片 + + + + Rotate image to the right + 向右旋轉圖片 + + + + Double page mode + 雙頁模式 + + + + Switch to double page mode + 切換至雙頁模式 + + + + Double page manga mode + 雙頁漫畫模式 + + + + Reverse reading order in double page mode + 雙頁模式 (逆序閱讀) + + + + Go To + 跳轉 + + + + Go to page ... + 跳轉至頁面 ... + + + + Options + 選項 + + + + YACReader options + YACReader 選項 + + + + + Help + 幫助 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Magnifying glass + 放大鏡 + + + + Switch Magnifying glass + 切換放大鏡 + + + + Set bookmark + 設置書簽 + + + + Set a bookmark on the current page + 在當前頁面設置書簽 + + + + Show bookmarks + 顯示書簽 + + + + Show the bookmarks of the current comic + 顯示當前漫畫的書簽 + + + + Show keyboard shortcuts + 顯示鍵盤快捷鍵 + + + + Show Info + 顯示資訊 + + + + Close + 關閉 + + + + Show Dictionary + 顯示字典 + + + + Show go to flow + 顯示頁面流 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &File + 檔(&F) + + + + + Open recent + 最近打開的檔 + + + + File + + + + + Edit + 編輯 + + + + View + 查看 + + + + Go + 轉到 + + + + Window + 窗口 + + + + + + Open Comic + 打開漫畫 + + + + + + Comic files + 漫畫檔 + + + + Open folder + 打開檔夾 + + + + page_%1.jpg + 頁_%1.jpg + + + + Image files (*.jpg) + 圖像檔 (*.jpg) + + + + + Comics + 漫畫 + + + + + General + 常規 + + + + + Magnifiying glass + 放大鏡 + + + + + Page adjustement + 頁面調整 + + + + + Reading + 閱讀 + + + + Toggle fullscreen mode + 切換全屏模式 + + + + Hide/show toolbar + 隱藏/顯示 工具欄 + + + + Size up magnifying glass + 增大放大鏡尺寸 + + + + Size down magnifying glass + 減小放大鏡尺寸 + + + + Zoom in magnifying glass + 增大縮放級別 + + + + Zoom out magnifying glass + 減小縮放級別 + + + + Reset magnifying glass + 重置放大鏡 + + + + Toggle between fit to width and fit to height + 切換顯示為"適應寬度"或"適應高度" + + + + Autoscroll down + 向下自動滾動 + + + + Autoscroll up + 向上自動滾動 + + + + Autoscroll forward, horizontal first + 向前自動滾動,水準優先 + + + + Autoscroll backward, horizontal first + 向後自動滾動,水準優先 + + + + Autoscroll forward, vertical first + 向前自動滾動,垂直優先 + + + + Autoscroll backward, vertical first + 向後自動滾動,垂直優先 + + + + Move down + 向下移動 + + + + Move up + 向上移動 + + + + Move left + 向左移動 + + + + Move right + 向右移動 + + + + Go to the first page + 轉到第一頁 + + + + Go to the last page + 轉到最後一頁 + + + + Offset double page to the left + 雙頁向左偏移 + + + + Offset double page to the right + 雙頁向右偏移 + + + + There is a new version available + 有新版本可用 + + + + Do you want to download the new version? + 你要下載新版本嗎? + + + + Remind me in 14 days + 14天後提醒我 + + + + Not now + 現在不 + + + + YACReader::TrayIconController + + + &Restore + 複位(&R) + + + + Systray + 系統託盤 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + + + YACReader::WhatsNewDialog + + Close + 關閉 + + + + YACReaderFieldEdit + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderFlowConfigWidget + + How to show covers: + 封面顯示方式: + + + CoverFlow look + 封面流 + + + Stripe look + 條狀 + + + Overlapped Stripe look + 重疊條狀 + + + + YACReaderGLFlowConfigWidget + + Presets: + 預設: + + + Classic look + 經典 + + + Stripe look + 條狀 + + + Overlapped Stripe look + 重疊條狀 + + + Modern look + 現代 + + + Roulette look + 輪盤 + + + Show advanced settings + 顯示高級選項 + + + Custom: + 自定義: + + + View angle + 視角 + + + Position + 位置 + + + Cover gap + 封面間距 + + + Central gap + 中心間距 + + + Zoom + 縮放 + + + Y offset + Y位移 + + + Z offset + Z位移 + + + Cover Angle + 封面角度 + + Visibility - 透明度 + 透明度 - Light - 亮度 + 亮度 - Max angle - 最大角度 + 最大角度 - Low Performance - 低性能 + 低性能 - High Performance - 高性能 + 高性能 - Use VSync (improve the image quality in fullscreen mode, worse performance) - 使用VSync (在全屏模式下提高圖像品質, 性能更差) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) - Performance: - 性能: + 性能: YACReaderNavigationController - No favorites - 沒有收藏 + 沒有收藏 - You are not reading anything yet, come on!! - 你還沒有閱讀任何東西,加油!! - - - - There are no recent comics! - + 你還沒有閱讀任何東西,加油!! YACReaderOptionsDialog - + Save 保存 - + Cancel 取消 - + Edit shortcuts 編輯快捷鍵 - + Shortcuts 快捷鍵 - Use hardware acceleration (restart needed) - 使用硬體加速 (需要重啟) + 使用硬體加速 (需要重啟) YACReaderSearchLineEdit - + type to search 搜索類型 @@ -3055,34 +4316,60 @@ to improve the performance YACReaderSideBar - Libraries - + - Folders - 檔夾 + 檔夾 - Reading Lists - 閱讀列表 + 閱讀列表 - LIBRARIES - + - FOLDERS - 檔夾 + 檔夾 - READING LISTS - 閱讀列表 + 閱讀列表 + + + + YACReaderSlider + + + Reset + 重置 + + + + YACReaderTranslator + + + YACReader translator + YACReader 翻譯 + + + + + Translation + 翻譯 + + + + clear + 清空 + + + + Service not available + 服務不可用 diff --git a/YACReaderLibrary/yacreaderlibrary_zh_TW.ts b/YACReaderLibrary/yacreaderlibrary_zh_TW.ts index 1b66465eb..ffb428bed 100644 --- a/YACReaderLibrary/yacreaderlibrary_zh_TW.ts +++ b/YACReaderLibrary/yacreaderlibrary_zh_TW.ts @@ -12,82 +12,70 @@ AddLabelDialog - + Label name: 標籤名稱: - + Choose a color: 選擇標籤顏色: - red - + - orange - + - yellow - + - green - + - cyan - + - blue - + - violet - 紫羅蘭 + 紫羅蘭 - purple - + - pink - + - white - + - light - 淺色 + 淺色 - dark - 深色 + 深色 - + accept 接受 - + cancel 取消 @@ -116,7 +104,7 @@ 取消 - + Add an existing library 添加一個現有庫 @@ -144,10 +132,150 @@ 取消 + + AppearanceTabWidget + + + Color scheme + 配色方案 + + + + System + 系統 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 風俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 刪除此使用者匯入的主題 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定義: + + + + Import theme... + 導入主題... + + + + Theme + 主題 + + + + Theme editor + 主題編輯器 + + + + Open Theme Editor... + 開啟主題編輯器... + + + + Theme editor error + 主題編輯器錯誤 + + + + The current theme JSON could not be loaded. + 無法載入目前主題 JSON。 + + + + Import theme + 導入主題 + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Could not import theme from: +%1 + 無法從以下位置匯入主題: +%1 + + + + Could not import theme from: +%1 + +%2 + 無法從以下位置匯入主題: +%1 + +%2 + + + + Import failed + 導入失敗 + + + + BookmarksDialog + + + Lastest Page + 尾頁 + + + + Close + 關閉 + + + + Click on any image to go to the bookmark + 點擊任意圖片以跳轉至相應書簽位置 + + + + + Loading... + 載入中... + + ClassicComicsView - + Hide comic flow 隱藏漫畫流 @@ -155,84 +283,84 @@ ComicInfoView - + + Characters + 角色 + + + Main character or team - + 主要角色或團隊 - + Teams - + 團隊 - + Locations - + 地點 - + Authors - 作者 + 作者 - + writer - + 編劇 - + penciller - + 鉛筆畫師 - + inker - + 墨線師 - + colorist - + 上色師 - + letterer - + 字效師 - + cover artist - + 封面畫師 - + editor - + 編輯 - + imprint - + 出版品牌 - + Publisher - + 出版社 - + color - + 彩色 - + b/w - - - - - Characters - + 黑白 @@ -290,86 +418,94 @@ Series - + 系列 Volume - + 體積 Story Arc - + 故事線 ComicVineDialog - + skip 忽略 - + back 返回 - + next 下一步 - + search 搜索 - + close 關閉 - - - + + + Looking for volume... 搜索卷... - - + + comic %1 of %2 - %3 第 %1 本 共 %2 本 - %3 - + %1 comics selected 已選擇 %1 本漫畫 - + Error connecting to ComicVine ComicVine 連接時出錯 - - + + Retrieving tags for : %1 正在檢索標籤: %1 - + Retrieving volume info... 正在接收卷資訊... - + Looking for comic... 搜索漫畫中... + + ContinuousPageWidget + + + Loading page %1 + 正在載入頁面 %1 + + CreateLibraryDialog @@ -398,17 +534,17 @@ 創建一個新的庫可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。 - + Create new library 創建新的漫畫庫 - + Path not found 未找到路徑 - + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder 所選路徑不存在或不是有效路徑. 確保您具有此檔夾的寫入許可權 @@ -431,12 +567,12 @@ 快捷鍵設置 - + Shortcut in use 快捷鍵被佔用 - + The shortcut "%1" is already assigned to other function 快捷鍵 "%1" 已被映射至其他功能 @@ -444,26 +580,27 @@ EmptyFolderWidget - - Subfolders in this folder - 建立子檔夾 + 建立子檔夾 - Empty folder - 空文件夾 + 空文件夾 - Drag and drop folders and comics here - 拖動檔夾或者漫畫到這裏 + 拖動檔夾或者漫畫到這裏 + + + + This folder doesn't contain comics yet + 該資料夾還沒有漫畫 EmptyLabelWidget - + This label doesn't contain comics yet 此標籤尚未包含漫畫 @@ -477,6 +614,24 @@ 此閱讀列表尚未包含任何漫畫 + + EmptySpecialListWidget + + + No favorites + 沒有收藏 + + + + You are not reading anything yet, come on!! + 你還沒有閱讀任何東西,加油!! + + + + There are no recent comics! + 沒有最近的漫畫! + + ExportComicsInfoDialog @@ -495,22 +650,22 @@ 取消 - + Export comics info 導出漫畫資訊 - + Destination database name 目標資料庫名稱 - + Problem found while writing 寫入時出現問題 - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 @@ -533,22 +688,22 @@ 取消 - + Create covers package 創建封面包 - + Problem found while writing 寫入時出現問題 - + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 - + Destination directory 目標目錄 @@ -579,23 +734,52 @@ FolderContentView - + Continue Reading... - + 繼續閱讀... - FolderContentView6 + GoToDialog - - Continue Reading... - + + Page : + 頁碼 : + + + + Go To + 跳轉 + + + + Cancel + 取消 + + + + + Total pages : + 總頁數: + + + + Go to... + 跳轉至 ... + + + + GoToFlowToolBar + + + Page : + 頁碼 : GridComicsView - + Show info 顯示資訊 @@ -603,17 +787,17 @@ HelpAboutDialog - + About 關於 - + Help 幫助 - + System info 系統資訊 @@ -641,7 +825,7 @@ 取消 - + Comics info file (*.ydb) 漫畫資訊檔(*.ydb) @@ -674,12 +858,12 @@ 取消 - + Extract a catalog 提取目錄 - + Compresed library covers (*.clc) 已壓縮的庫封面 (*.clc) @@ -687,52 +871,52 @@ ImportWidget - + stop 停止 - + Some of the comics being added... 正在添加漫畫... - + Importing comics 正在導入漫畫 - + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> <p>YACReaderLibrary現在正在創建一個新庫。</p><p>這可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。</p> - + Updating the library 正在更新庫 - + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> <p>正在更新當前庫。要獲得更快的更新,請經常更新您的庫。</p><p>您可以停止該進程,稍後繼續更新操作。</p> - + Upgrading the library 正在更新庫 - + <p>The current library is being upgraded, please wait.</p> <p>正在更新當前漫畫庫, 請稍候.</p> - + Scanning the library 正在掃描庫 - + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> <p>正在掃描當前庫的舊版 XML metadata 資訊。</p><p>這只需要執行一次,且只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 時。</p> @@ -740,12 +924,12 @@ LibraryWindow - + YACReader Library YACReader 庫 - + Library @@ -822,7 +1006,7 @@ 保存所選的封面為jpg - + Set as read 設為已讀 @@ -831,8 +1015,8 @@ 漫畫設為已讀 - - + + Set as unread 設為未讀 @@ -841,25 +1025,25 @@ 漫畫設為未讀 - - - + + + manga - + 漫畫 - - - + + + comic - + 漫畫 - - - + + + web comic - + 網路漫畫 Show/Hide marks @@ -870,18 +1054,18 @@ 折疊所有節點 - - - + + + western manga (left to right) - + 西方漫畫(從左到右) Assign current order to comics 將當前序號分配給漫畫 - + Library not available Library ' 庫不可用 @@ -891,7 +1075,7 @@ 全屏模式 開/關 - + Rescan library for XML info 重新掃描庫的 XML 資訊 @@ -905,7 +1089,7 @@ Set issue as manga - Set issue as manga + 將問題設定為漫畫 Set as normal @@ -920,7 +1104,7 @@ 幫助, 關於 YACReader - + Delete folder 刪除檔夾 @@ -941,17 +1125,17 @@ 顯示漫畫伺服器選項對話框 - + Open folder... 打開檔夾... - + Set as uncompleted 設為未完成 - + Set as completed 設為已完成 @@ -1004,7 +1188,7 @@ 退出(&Q) - + Update folder 更新檔夾 @@ -1057,170 +1241,170 @@ 將所選漫畫添加到收藏夾列表 - + Folder 檔夾 - + Comic 漫畫 - + Upgrade failed 更新失敗 - + There were errors during library upgrade in: 漫畫庫更新時出現錯誤: - + Update needed 需要更新 - + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? 此庫是使用舊版本的YACReaderLibrary創建的. 它需要更新. 現在更新? - + Download new version 下載新版本 - + This library was created with a newer version of YACReaderLibrary. Download the new version now? 此庫是使用較新版本的YACReaderLibrary創建的。 立即下載新版本? - + Library '%1' is no longer available. Do you want to remove it? 庫 '%1' 不再可用。 你想刪除它嗎? - + Old library 舊的庫 - + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? 庫 '%1' 是通過舊版本的YACReaderLibrary創建的。 必須再次創建。 你想現在創建嗎? - - + + Copying comics... 複製漫畫中... - - + + Moving comics... 移動漫畫中... - + Folder name: 檔夾名稱: - + No folder selected 沒有選中的檔夾 - + Please, select a folder first 請先選擇一個檔夾 - + Error in path 路徑錯誤 - + There was an error accessing the folder's path 訪問檔夾的路徑時出錯 - + The selected folder and all its contents will be deleted from your disk. Are you sure? 所選檔夾及其所有內容將從磁片中刪除。 你確定嗎? - + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. 嘗試刪除所選檔夾時出現問題。 請檢查寫入許可權,並確保沒有其他應用程式在使用這些檔夾或檔。 - + Add new reading lists 添加新的閱讀列表 - - + + List name: 列表名稱: - + Delete list/label 刪除 列表/標籤 - + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? 所選項目將被刪除,您的漫畫或檔夾將不會從您的磁片中刪除。 你確定嗎? - + Rename list name 重命名列表 - - - + + + 4koma (top to botom) - + 4koma(由上至下) - - - - + + + + Set type - + 套裝類型 - + Set custom cover - + 設定自訂封面 - + Delete custom cover - + 刪除自訂封面 - + Save covers 保存封面 - + You are adding too many libraries. 您添加的庫太多了。 - + You are adding too many libraries. You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. @@ -1233,69 +1417,69 @@ YACReaderLibrary will not stop you from creating more libraries but you should k YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低的庫數量來提升性能。 - - + + YACReader not found YACReader 未找到 - + Error - 錯誤 + 錯誤 - + Error opening comic with third party reader. - + 使用第三方閱讀器開啟漫畫時出錯。 - + Library not found 未找到庫 - + The selected folder doesn't contain any library. 所選檔夾不包含任何庫。 - + Are you sure? 你確定嗎? - + Do you want remove 你想要刪除 - + library? 庫? - + Remove and delete metadata 移除並刪除元數據 - + Library info - + 圖書館資訊 - + Assign comics numbers 分配漫畫編號 - + Assign numbers starting in: 從以下位置開始分配編號: - - + + Unable to delete 無法刪除 @@ -1304,7 +1488,7 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 顯示或隱藏閱讀標記 - + Add new folder 添加新的檔夾 @@ -1321,82 +1505,82 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 漫畫視圖之間的變化 - + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. 未找到YACReader. YACReader應安裝在與YACReaderLibrary相同的檔夾中. - + YACReader not found. There might be a problem with your YACReader installation. 未找到YACReader. YACReader的安裝可能有問題. - + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. 嘗試刪除所選漫畫時出現問題。 請檢查所選檔或包含檔夾中的寫入許可權。 - + Invalid image - + 圖片無效 - + The selected file is not a valid image. - + 所選檔案不是有效影像。 - + Error saving cover - + 儲存封面時發生錯誤 - + There was an error saving the cover image. - + 儲存封面圖片時發生錯誤。 - + Error creating the library 創建庫時出錯 - + Error updating the library 更新庫時出錯 - + Error opening the library 打開庫時出錯 - + Delete comics 刪除漫畫 - + All the selected comics will be deleted from your disk. Are you sure? 所有選定的漫畫都將從您的磁片中刪除。你確定嗎? - + Remove comics 移除漫畫 - + Comics will only be deleted from the current label/list. Are you sure? 漫畫只會從當前標籤/列表中刪除。 你確定嗎? - + Library name already exists 庫名已存在 - + There is another library with the name '%1'. 已存在另一個名為'%1'的庫。 @@ -1404,439 +1588,439 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 LibraryWindowActions - + Create a new library - 創建一個新的庫 + 創建一個新的庫 - + Open an existing library - 打開現有的庫 + 打開現有的庫 - - + + Export comics info - 導出漫畫資訊 + 導出漫畫資訊 - - + + Import comics info - 導入漫畫資訊 + 導入漫畫資訊 - + Pack covers - 打包封面 + 打包封面 - + Pack the covers of the selected library - 打包所選庫的封面 + 打包所選庫的封面 - + Unpack covers - 解壓封面 + 解壓封面 - + Unpack a catalog - 解壓目錄 + 解壓目錄 - + Update library - 更新庫 + 更新庫 - + Update current library - 更新當前庫 + 更新當前庫 - + Rename library - 重命名庫 + 重命名庫 - + Rename current library - 重命名當前庫 + 重命名當前庫 - + Remove library - 移除庫 + 移除庫 - + Remove current library from your collection - 從您的集合中移除當前庫 + 從您的集合中移除當前庫 - + Rescan library for XML info - 重新掃描庫的 XML 資訊 + 重新掃描庫的 XML 資訊 - + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. - 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 + 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 - + Show library info - + 顯示圖書館資訊 - + Show information about the current library - + 顯示當前庫的信息 - + Open current comic - 打開當前漫畫 + 打開當前漫畫 - + Open current comic on YACReader - 用YACReader打開漫畫 + 用YACReader打開漫畫 - + Save selected covers to... - 選中的封面保存到... + 選中的封面保存到... - + Save covers of the selected comics as JPG files - 保存所選的封面為jpg + 保存所選的封面為jpg - - + + Set as read - 設為已讀 + 設為已讀 - + Set comic as read - 漫畫設為已讀 + 漫畫設為已讀 - - + + Set as unread - 設為未讀 + 設為未讀 - + Set comic as unread - 漫畫設為未讀 + 漫畫設為未讀 - - + + manga - + 漫畫 - + Set issue as manga - Set issue as manga + 將問題設定為漫畫 - - + + comic - + 漫畫 - + Set issue as normal - 設置發行狀態為正常發行 + 設置發行狀態為正常發行 - + western manga - + 西方漫畫 - + Set issue as western manga - + 將問題設定為西方漫畫 - - + + web comic - + 網路漫畫 - + Set issue as web comic - + 將問題設定為網路漫畫 - - + + yonkoma - + 四科馬 - + Set issue as yonkoma - + 將問題設定為 yonkoma - + Show/Hide marks - 顯示/隱藏標記 + 顯示/隱藏標記 - + Show or hide read marks - 顯示或隱藏閱讀標記 + 顯示或隱藏閱讀標記 - + Show/Hide recent indicator - + 顯示/隱藏最近的指標 - + Show or hide recent indicator - + 顯示或隱藏最近的指示器 - - + + Fullscreen mode on/off - 全屏模式 開/關 + 全屏模式 開/關 - + Help, About YACReader - 幫助, 關於 YACReader + 幫助, 關於 YACReader - + Add new folder - 添加新的檔夾 + 添加新的檔夾 - + Add new folder to the current library - 在當前庫下添加新的檔夾 + 在當前庫下添加新的檔夾 - + Delete folder - 刪除檔夾 + 刪除檔夾 - + Delete current folder from disk - 從磁片上刪除當前檔夾 + 從磁片上刪除當前檔夾 - + Select root node - 選擇根節點 + 選擇根節點 - + Expand all nodes - 展開所有節點 + 展開所有節點 - + Collapse all nodes - 折疊所有節點 + 折疊所有節點 - + Show options dialog - 顯示選項對話框 + 顯示選項對話框 - + Show comics server options dialog - 顯示漫畫伺服器選項對話框 + 顯示漫畫伺服器選項對話框 - - + + Change between comics views - 漫畫視圖之間的變化 + 漫畫視圖之間的變化 - + Open folder... - 打開檔夾... + 打開檔夾... - + Set as uncompleted - 設為未完成 + 設為未完成 - + Set as completed - 設為已完成 + 設為已完成 - + Set custom cover - + 設定自訂封面 - + Delete custom cover - + 刪除自訂封面 - + western manga (left to right) - + 西方漫畫(從左到右) - + Open containing folder... - 打開包含檔夾... + 打開包含檔夾... - + Reset comic rating - 重置漫畫評分 + 重置漫畫評分 - + Select all comics - 全選漫畫 + 全選漫畫 - + Edit - 編輯 + 編輯 - + Assign current order to comics - 將當前序號分配給漫畫 + 將當前序號分配給漫畫 - + Update cover - 更新封面 + 更新封面 - + Delete selected comics - 刪除所選的漫畫 + 刪除所選的漫畫 - + Delete metadata from selected comics - + 從選定的漫畫中刪除元數據 - + Download tags from Comic Vine - 從 Comic Vine 下載標籤 + 從 Comic Vine 下載標籤 - + Focus search line - 聚焦於搜索行 + 聚焦於搜索行 - + Focus comics view - 聚焦於漫畫視圖 + 聚焦於漫畫視圖 - + Edit shortcuts - 編輯快捷鍵 + 編輯快捷鍵 - + &Quit - 退出(&Q) + 退出(&Q) - + Update folder - 更新檔夾 + 更新檔夾 - + Update current folder - 更新當前檔夾 + 更新當前檔夾 - + Scan legacy XML metadata - + 掃描舊版 XML 元數據 - + Add new reading list - 添加新的閱讀列表 + 添加新的閱讀列表 - + Add a new reading list to the current library - 在當前庫添加新的閱讀列表 + 在當前庫添加新的閱讀列表 - + Remove reading list - 移除閱讀列表 + 移除閱讀列表 - + Remove current reading list from the library - 從當前庫移除閱讀列表 + 從當前庫移除閱讀列表 - + Add new label - 添加新標籤 + 添加新標籤 - + Add a new label to this library - 在當前庫添加標籤 + 在當前庫添加標籤 - + Rename selected list - 重命名列表 + 重命名列表 - + Rename any selected labels or lists - 重命名任何選定的標籤或列表 + 重命名任何選定的標籤或列表 - + Add to... - 添加到... + 添加到... - + Favorites - 收藏夾 + 收藏夾 - + Add selected comics to favorites list - 將所選漫畫添加到收藏夾列表 + 將所選漫畫添加到收藏夾列表 @@ -1850,189 +2034,209 @@ YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低 LogWindow - Log window - 日誌窗口 + 日誌窗口 - &Pause - 中止(&P) + 中止(&P) - &Save - 保存(&S) + 保存(&S) - C&lear - 清空(&l) + 清空(&l) - &Copy - 複製(&C) + 複製(&C) - Level: - 等級: + 等級: - &Auto scroll - 自動滾動(&A) + 自動滾動(&A) NoLibrariesWidget - + You don't have any libraries yet 你還沒有庫 - + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> <p>您可以在任何檔夾中創建庫,YACReaderLibrary將導入此檔夾中的所有漫畫和文件夾。如果已有庫,則可以打開它們。</p><p>您可以把YACReader當成獨立應用來閱讀電腦上的漫畫。</p> - + create your first library 創建你的第一個庫 - + add an existing one 添加一個現有庫 + + NoSearchResultsWidget + + + No results + 沒有結果 + + OptionsDialog - + + + Language + 語言 + + + + + Application language + 應用程式語言 + + + + + System default + 系統預設 + + + Tray icon settings (experimental) 託盤圖示設置 (實驗特性) - + Close to tray 關閉至託盤 - + Start into the system tray 啟動至系統託盤 - + Edit Comic Vine API key 編輯Comic Vine API 密匙 - + Comic Vine API key Comic Vine API 密匙 - + ComicInfo.xml legacy support - + ComicInfo.xml 遺留支持 - + Import metadata from ComicInfo.xml when adding new comics Import metada from ComicInfo.xml when adding new comics - + 新增漫畫時從 ComicInfo.xml 匯入元數據 - + Consider 'recent' items added or updated since X days ago - + 考慮自 X 天前新增或更新的「最近」項目 - + Third party reader - + 第三方閱讀器 - + Write {comic_file_path} where the path should go in the command - + 在命令中應將路徑寫入 {comic_file_path} - + + Clear - + 清空 - + Update libraries at startup - + 啟動時更新庫 - + Try to detect changes automatically - + 嘗試自動偵測變化 - + Update libraries periodically - + 定期更新庫 - + Interval: - + 間隔: - + 30 minutes - + 30分鐘 - + 1 hour - + 1小時 - + 2 hours - + 2小時 - + 4 hours - + 4小時 - + 8 hours - + 8小時 - + 12 hours - + 12小時 - + daily - + 日常的 - + Update libraries at certain time - + 定時更新庫 - + Time: - + 時間: - + WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. During automatic updates the app will block some of the actions until the update is finished. @@ -2040,162 +2244,344 @@ To stop an automatic update tap on the loading indicator next to the Libraries t WARNING! During library updates writes to the database are disabled! Don't schedule updates while you may be using the app actively. To stop an automatic update tap on the loading indicator next to the Libraries title. - + 警告!在庫更新期間,將停用對資料庫的寫入! +當您可能正在積極使用應用程式時,請勿安排更新。 +在自動更新期間,應用程式將阻止某些操作,直到更新完成。 +若要停止自動更新,請點選庫標題旁的載入指示器。 - + Modifications detection - + 修改檢測 - + Compare the modified date of files when updating a library (not recommended) - + 更新庫時比較文件的修改日期(不建議) - + Enable background image 啟用背景圖片 - + Opacity level 透明度 - + Blur level 模糊 - + Use selected comic cover as background 使用選定的漫畫封面做背景 - + Restore defautls 恢復默認值 - + Background 背景 - + Display continue reading banner 顯示繼續閱讀橫幅 - + Display current comic banner - + 顯示目前漫畫橫幅 - + Continue reading 繼續閱讀 - + Comic Flow 漫畫流 - - + + Libraries - + - + Grid view 網格視圖 - + + General 常規 - + + + Appearance + 外貌 + + + + Options 選項 - - - PropertiesDialog - - General info - 基本資訊 + + My comics path + 我的漫畫路徑 - - Authors - 作者 + + Display + 展示 - - Publishing - 出版 + + Show time in current page information label + 在目前頁面資訊標籤中顯示時間 - - Plot - 情節 + + "Go to flow" size + 頁面流尺寸 - - Notes - + + Background color + 背景顏色 - - Cover page - 封面 + + Choose + 選擇 - - Load previous page as cover - + + Scroll behaviour + 滾動效果 - - Load next page as cover - + + Disable scroll animations and smooth scrolling + 停用滾動動畫和平滑滾動 - - Reset cover to the default image - + + Do not turn page using scroll + 滾動時不翻頁 - - Load custom cover image - + + Use single scroll step to turn page + 使用單滾動步驟翻頁 - - Series: - 系列: + + Mouse mode + 滑鼠模式 - - Title: - 標題: + + Only Back/Forward buttons can turn pages + 只有後退/前進按鈕可以翻頁 - - - - of: - of: + + Use the Left/Right buttons to turn pages. + 使用向左/向右按鈕翻頁。 - - Issue number: + + Click left or right half of the screen to turn pages. + 點擊螢幕的左半部或右半部即可翻頁。 + + + + Quick Navigation Mode + 快速導航模式 + + + + Disable mouse over activation + 禁用滑鼠啟動 + + + + Brightness + 亮度 + + + + Contrast + 對比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 圖片選項 + + + + Fit options + 適應項 + + + + Enlarge images to fit width/height + 放大圖片以適應寬度/高度 + + + + Double Page options + 雙頁選項 + + + + Show covers as single page + 顯示封面為單頁 + + + + Scaling + 縮放 + + + + Scaling method + 縮放方法 + + + + Nearest (fast, low quality) + 最近(快速,低品質) + + + + Bilinear + 雙線性 + + + + Lanczos (better quality) + Lanczos(品質更好) + + + + Page Flow + 頁面流 + + + + Image adjustment + 圖像調整 + + + + + Restart is needed + 需要重啟 + + + + Comics directory + 漫畫目錄 + + + + PropertiesDialog + + + General info + 基本資訊 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Plot + 情節 + + + + Notes + 筆記 + + + + Cover page + 封面 + + + + Load previous page as cover + 載入上一頁作為封面 + + + + Load next page as cover + 載入下一頁作為封面 + + + + Reset cover to the default image + 將封面重設為預設圖片 + + + + Load custom cover image + 載入自訂封面圖片 + + + + Series: + 系列: + + + + Title: + 標題: + + + + + + of: + 的: + + + + Issue number: 發行數量: @@ -2216,17 +2602,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t alt. number: - + 替代。數字: Alternate series: - + 替代系列: Series Group: - + 系列組: @@ -2272,12 +2658,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Editor(s): - + 編輯: Imprint: - + 印記: @@ -2317,22 +2703,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Type: - + 類型: Language (ISO): - + 語言(ISO): Invalid cover - + 封面無效 The image is invalid. - + 該圖像無效。 Manga: @@ -2351,22 +2737,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Teams: - + 團隊: Locations: - + 地點: Main character or team: - + 主要角色或團隊: Review: - + 審查: @@ -2376,7 +2762,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Tags: - + 標籤: @@ -2404,6 +2790,22 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 編輯漫畫資訊 + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的無頭(無 GUI)版本。 + +此應用程式支援持久性設置,要設定它們,請編輯此文件 %1 +若要了解可用設置,請查看文件:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + QObject @@ -2447,55 +2849,73 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 嚴重錯誤 - + Select custom cover - + 選擇自訂封面 - + Images (%1) - + 圖片 (%1) + + + + The file could not be read or is not valid JSON. + 無法讀取該檔案或該檔案不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主題適用於 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 檔夾 + + + + Reading Lists + 閱讀列表 QsLogging::LogWindowModel - Time - 時間 + 時間 - Level - 等級 + 等級 - Message - 資訊 + 資訊 QsLogging::Window - &Pause - 中止(&P) + 中止(&P) - &Resume - 恢復(&R) + 恢復(&R) - Save log - 保存日誌 + 保存日誌 - Log file (*.log) - 日誌檔 (*.log) + 日誌檔 (*.log) @@ -2516,7 +2936,7 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 取消 - + Rename current library 重命名當前庫 @@ -2524,18 +2944,18 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ScraperResultsPaginator - + Number of volumes found : %1 搜索結果: %1 - - + + page %1 of %2 第 %1 頁 共 %2 頁 - + Number of %1 found : %2 第 %1 頁 共: %2 條 @@ -2546,17 +2966,17 @@ To stop an automatic update tap on the loading indicator next to the Libraries t Please provide some additional information for this comic. Please provide some additional information. - 請提供附加資訊. + 請提供附加資訊. - + Series: 系列: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 @@ -2567,42 +2987,42 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 請提供附加資訊. - + Series: 系列: - + Use exact match search. Disable if you want to find volumes that match some of the words in the name. - + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 SelectComic - + Please, select the right comic info. 請正確選擇漫畫資訊. - + comics 漫畫 - + loading cover 加載封面 - + loading description 加載描述 - + comic description unavailable - + 漫畫描述不可用 description unavailable @@ -2612,39 +3032,39 @@ To stop an automatic update tap on the loading indicator next to the Libraries t SelectVolume - + Please, select the right series for your comic. 請選擇正確的漫畫系列。 - + Filter: - + 篩選: - + volumes - + Nothing found, clear the filter if any. - + 未找到任何內容,如果有,請清除過濾器。 - + loading cover 加載封面 - + loading description 加載描述 - + volume description unavailable - + 卷描述不可用 description unavailable @@ -2659,12 +3079,12 @@ To stop an automatic update tap on the loading indicator next to the Libraries t 您正在嘗試同時獲取各種漫畫的資訊,它們是同一系列的嗎? - + yes - + no @@ -2672,41 +3092,41 @@ To stop an automatic update tap on the loading indicator next to the Libraries t ServerConfigDialog - + set port 設置端口 - + Server connectivity information 伺服器連接資訊 - + Scan it! 掃一掃! - + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. - + YACReader 適用於 iOS 和 Android 裝置。 <br/>發現它適用於 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> 或 <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>。 YACReader is available for iOS devices. <a href='http://ios.yacreader.com' style='color:rgb(193, 148, 65)'> Discover it! </a> YACReader適用於iOS設備. <a href='http://ios.yacreader.com'style ='color:rgb(193,148,65)'>下載</a> - + Choose an IP address 選擇IP地址 - + Port 端口 - + enable the server 啟用伺服器 @@ -2724,330 +3144,1171 @@ to improve the performance SortVolumeComics - + Please, sort the list of comics on the left until it matches the comics' information. 請在左側對漫畫列表進行排序,直到它與漫畫的資訊相符。 - + sort comics to match comic information 排序漫畫以匹配漫畫資訊 - + issues 發行 - + remove selected comics 移除所選漫畫 - + restore all removed comics 恢復所有移除的漫畫 - TitleHeader + ThemeEditorDialog - - SEARCH - 搜索 + + Theme Editor + 主題編輯器 - - - UpdateLibraryDialog - - Updating.... - 更新中... + + + + + - - Cancel - 取消 + + - + - - - Update library - 更新庫 + + i + - - - VolumeComicsModel - - title - 標題 + + Expand all + 全部展開 - - - VolumesModel - - year - + + Collapse all + 全部折疊 - - issues - 發行 + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中閃爍所選值(洋紅色/切換/0↔10)。發布後恢復原樣。 - - publisher - 出版者 + + Search… + 搜尋… - - - YACReader::TrayIconController - - &Restore - 複位(&R) + + Light + 亮度 - - Systray - 系統託盤 + + Dark + 黑暗的 - - YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. - YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + ID: + ID: - - - YACReader::WhatsNewDialog - - Close - 關閉 + + Display name: + 顯示名稱: - - - YACReaderFieldEdit - - - Click to overwrite - 點擊以覆蓋 + + Variant: + 變體: - - Restore to default - 恢復默認 + + Theme info + 主題訊息 - - - YACReaderFieldPlainTextEdit - - - - - Click to overwrite - 點擊以覆蓋 + + Parameter + 範圍 - - Restore to default - 恢復默認 + + Value + 價值 - - - YACReaderFlowConfigWidget - - How to show covers: - 封面顯示方式: + + Save and apply + 儲存並應用 - - CoverFlow look - 封面流 + + Export to file... + 匯出到文件... - - Stripe look - 條狀 + + Load from file... + 從檔案載入... - - Overlapped Stripe look - 重疊條狀 + + Close + 關閉 - - - YACReaderGLFlowConfigWidget - - Presets: - 預設: + + Double-click to edit color + 雙擊編輯顏色 - - Classic look - 經典 + + + + + + + true + 真的 - - Stripe look - 條狀 + + + + + false + 錯誤的 - - Overlapped Stripe look - 重疊條狀 + + Double-click to toggle + 按兩下切換 - - Modern look - 現代 + + Double-click to edit value + 雙擊編輯值 - - Roulette look - 輪盤 + + + + Edit: %1 + 編輯:%1 - - Show advanced settings - 顯示高級選項 + + Save theme + 儲存主題 - - Custom: - 自定義: + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) - - View angle - 視角 + + Save failed + 保存失敗 - - Position - 位置 + + Could not open file for writing: +%1 + 無法開啟文件進行寫入: +%1 - - Cover gap - 封面間距 + + Load theme + 載入主題 - - Central gap - 中心間距 + + + + Load failed + 載入失敗 - - Zoom - 縮放 + + Could not open file: +%1 + 無法開啟檔案: +%1 - - Y offset - Y位移 + + Invalid JSON: +%1 + 無效的 JSON: +%1 - - Z offset - Z位移 + + Expected a JSON object. + 需要一個 JSON 物件。 - - - Cover Angle + + + TitleHeader + + + SEARCH + 搜索 + + + + UpdateLibraryDialog + + + Updating.... + 更新中... + + + + Cancel + 取消 + + + + Update library + 更新庫 + + + + Viewer + + + + Press 'O' to open comic. + 按下 'O' 以打開漫畫. + + + + Not found + 未找到 + + + + Comic not found + 未找到漫畫 + + + + Error opening comic + 打開漫畫時發生錯誤 + + + + CRC Error + CRC 校驗失敗 + + + + Loading...please wait! + 載入中... 請稍候! + + + + Page not available! + 頁面不可用! + + + + Cover! + 封面! + + + + Last page! + 尾頁! + + + + VolumeComicsModel + + + title + 標題 + + + + VolumesModel + + + year + + + + + issues + 發行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 預設: + + + + Classic look + 經典 + + + + Stripe look + 條狀 + + + + Overlapped Stripe look + 重疊條狀 + + + + Modern look + 現代 + + + + Roulette look + 輪盤 + + + + Show advanced settings + 顯示高級選項 + + + + Custom: + 自定義: + + + + View angle + 視角 + + + + Position + 位置 + + + + Cover gap + 封面間距 + + + + Central gap + 中心間距 + + + + Zoom + 縮放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle 封面角度 - + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) + + + + Performance: + 性能: + + + + YACReader::MainWindowViewer + + + &Open + 打開(&O) + + + + Open a comic + 打開漫畫 + + + + New instance + 新建實例 + + + + Open Folder + 打開檔夾 + + + + Open image folder + 打開圖片檔夾 + + + + Open latest comic + 打開最近的漫畫 + + + + Open the latest comic opened in the previous reading session + 打開最近閱讀漫畫 + + + + Clear + 清空 + + + + Clear open recent list + 清空最近訪問列表 + + + + Save + 保存 + + + + + Save current page + 保存當前頁面 + + + + Previous Comic + 上一個漫畫 + + + + + + Open previous comic + 打開上一個漫畫 + + + + Next Comic + 下一個漫畫 + + + + + + Open next comic + 打開下一個漫畫 + + + + &Previous + 上一頁(&P) + + + + + + Go to previous page + 轉至上一頁 + + + + &Next + 下一頁(&N) + + + + + + Go to next page + 轉至下一頁 + + + + Fit Height + 適應高度 + + + + Fit image to height + 縮放圖片以適應高度 + + + + Fit Width + 適合寬度 + + + + Fit image to width + 縮放圖片以適應寬度 + + + + Show full size + 顯示全尺寸 + + + + Fit to page + 適應頁面 + + + + Continuous scroll + 連續滾動 + + + + Switch to continuous scroll mode + 切換到連續滾動模式 + + + + Reset zoom + 重置縮放 + + + + Show zoom slider + 顯示縮放滑塊 + + + + Zoom+ + 放大 + + + + Zoom- + 縮小 + + + + Rotate image to the left + 向左旋轉圖片 + + + + Rotate image to the right + 向右旋轉圖片 + + + + Double page mode + 雙頁模式 + + + + Switch to double page mode + 切換至雙頁模式 + + + + Double page manga mode + 雙頁漫畫模式 + + + + Reverse reading order in double page mode + 雙頁模式 (逆序閱讀) + + + + Go To + 跳轉 + + + + Go to page ... + 跳轉至頁面 ... + + + + Options + 選項 + + + + YACReader options + YACReader 選項 + + + + + Help + 幫助 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Magnifying glass + 放大鏡 + + + + Switch Magnifying glass + 切換放大鏡 + + + + Set bookmark + 設置書簽 + + + + Set a bookmark on the current page + 在當前頁面設置書簽 + + + + Show bookmarks + 顯示書簽 + + + + Show the bookmarks of the current comic + 顯示當前漫畫的書簽 + + + + Show keyboard shortcuts + 顯示鍵盤快捷鍵 + + + + Show Info + 顯示資訊 + + + + Close + 關閉 + + + + Show Dictionary + 顯示字典 + + + + Show go to flow + 顯示頁面流 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &File + 檔(&F) + + + + + Open recent + 最近打開的檔 + + + + File + + + + + Edit + 編輯 + + + + View + 查看 + + + + Go + 轉到 + + + + Window + 窗口 + + + + + + Open Comic + 打開漫畫 + + + + + + Comic files + 漫畫檔 + + + + Open folder + 打開檔夾 + + + + page_%1.jpg + 頁_%1.jpg + + + + Image files (*.jpg) + 圖像檔 (*.jpg) + + + + + Comics + 漫畫 + + + + + General + 常規 + + + + + Magnifiying glass + 放大鏡 + + + + + Page adjustement + 頁面調整 + + + + + Reading + 閱讀 + + + + Toggle fullscreen mode + 切換全屏模式 + + + + Hide/show toolbar + 隱藏/顯示 工具欄 + + + + Size up magnifying glass + 增大放大鏡尺寸 + + + + Size down magnifying glass + 減小放大鏡尺寸 + + + + Zoom in magnifying glass + 增大縮放級別 + + + + Zoom out magnifying glass + 減小縮放級別 + + + + Reset magnifying glass + 重置放大鏡 + + + + Toggle between fit to width and fit to height + 切換顯示為"適應寬度"或"適應高度" + + + + Autoscroll down + 向下自動滾動 + + + + Autoscroll up + 向上自動滾動 + + + + Autoscroll forward, horizontal first + 向前自動滾動,水準優先 + + + + Autoscroll backward, horizontal first + 向後自動滾動,水準優先 + + + + Autoscroll forward, vertical first + 向前自動滾動,垂直優先 + + + + Autoscroll backward, vertical first + 向後自動滾動,垂直優先 + + + + Move down + 向下移動 + + + + Move up + 向上移動 + + + + Move left + 向左移動 + + + + Move right + 向右移動 + + + + Go to the first page + 轉到第一頁 + + + + Go to the last page + 轉到最後一頁 + + + + Offset double page to the left + 雙頁向左偏移 + + + + Offset double page to the right + 雙頁向右偏移 + + + + There is a new version available + 有新版本可用 + + + + Do you want to download the new version? + 你要下載新版本嗎? + + + + Remind me in 14 days + 14天後提醒我 + + + + Not now + 現在不 + + + + YACReader::TrayIconController + + + &Restore + 複位(&R) + + + + Systray + 系統託盤 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + + + YACReader::WhatsNewDialog + + Close + 關閉 + + + + YACReaderFieldEdit + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderFlowConfigWidget + + How to show covers: + 封面顯示方式: + + + CoverFlow look + 封面流 + + + Stripe look + 條狀 + + + Overlapped Stripe look + 重疊條狀 + + + + YACReaderGLFlowConfigWidget + + Presets: + 預設: + + + Classic look + 經典 + + + Stripe look + 條狀 + + + Overlapped Stripe look + 重疊條狀 + + + Modern look + 現代 + + + Roulette look + 輪盤 + + + Show advanced settings + 顯示高級選項 + + + Custom: + 自定義: + + + View angle + 視角 + + + Position + 位置 + + + Cover gap + 封面間距 + + + Central gap + 中心間距 + + + Zoom + 縮放 + + + Y offset + Y位移 + + + Z offset + Z位移 + + + Cover Angle + 封面角度 + + Visibility - 透明度 + 透明度 - Light - 亮度 + 亮度 - Max angle - 最大角度 + 最大角度 - Low Performance - 低性能 + 低性能 - High Performance - 高性能 + 高性能 - Use VSync (improve the image quality in fullscreen mode, worse performance) - 使用VSync (在全屏模式下提高圖像品質, 性能更差) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) - Performance: - 性能: + 性能: YACReaderNavigationController - No favorites - 沒有收藏 + 沒有收藏 - You are not reading anything yet, come on!! - 你還沒有閱讀任何東西,加油!! - - - - There are no recent comics! - + 你還沒有閱讀任何東西,加油!! YACReaderOptionsDialog - + Save 保存 - + Cancel 取消 - + Edit shortcuts 編輯快捷鍵 - + Shortcuts 快捷鍵 - Use hardware acceleration (restart needed) - 使用硬體加速 (需要重啟) + 使用硬體加速 (需要重啟) YACReaderSearchLineEdit - + type to search 搜索類型 @@ -3055,34 +4316,60 @@ to improve the performance YACReaderSideBar - Libraries - + - Folders - 檔夾 + 檔夾 - Reading Lists - 閱讀列表 + 閱讀列表 - LIBRARIES - + - FOLDERS - 檔夾 + 檔夾 - READING LISTS - 閱讀列表 + 閱讀列表 + + + + YACReaderSlider + + + Reset + 重置 + + + + YACReaderTranslator + + + YACReader translator + YACReader 翻譯 + + + + + Translation + 翻譯 + + + + clear + 清空 + + + + Service not available + 服務不可用 diff --git a/YACReaderLibraryServer/CMakeLists.txt b/YACReaderLibraryServer/CMakeLists.txt index fd70e77ef..9accc389f 100644 --- a/YACReaderLibraryServer/CMakeLists.txt +++ b/YACReaderLibraryServer/CMakeLists.txt @@ -34,6 +34,7 @@ qt_add_translations(YACReaderLibraryServer yacreaderlibraryserver_zh_CN.ts yacreaderlibraryserver_zh_TW.ts yacreaderlibraryserver_zh_HK.ts + yacreaderlibraryserver_source.ts ) target_link_libraries(YACReaderLibraryServer PRIVATE diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_de.ts b/YACReaderLibraryServer/yacreaderlibraryserver_de.ts index 5bdf41ea3..f3726463e 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_de.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_de.ts @@ -2,150 +2,3711 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Keine + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Label-Name: - - 7z not found - + + Choose a color: + Wähle eine Farbe: - - Format not supported - + + accept + Akzeptieren + + + + cancel + Abbrechen - LogWindow + AddLibraryDialog + + + Comics folder : + Comics-Ordner : + + + + Library name : + Bibliothek-Name : + - - Log window - + + Add + Hinzufügen - - &Pause - + + Cancel + Abbrechen - - &Save - + + Add an existing library + Eine vorhandene Bibliothek hinzufügen + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Bevor du dich mit Comic Vine verbindest, brauchst du deinen eigenen API-Schlüssel. Du kannst <a href="http://www.comicvine.com/api/">hier</a> einen kostenlosen bekommen. - - &Copy - + + Paste here your Comic Vine API key + Füge hier deinen Comic Vine API-Schlüssel ein. - - Level: - + + Accept + Akzeptieren - - &Auto scroll - + + Cancel + Abbrechen - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Farbschema + + + + System + Systemumgebung + + + + Light + Licht + + + + Dark + Dunkel + + + + Custom + Brauch + + + + Remove + Entfernen + + + + Remove this user-imported theme + Entfernen Sie dieses vom Benutzer importierte Design + + + + Light: + Licht: + + + + Dark: + Dunkel: + + + + Custom: + Benutzerdefiniert: + + + + Import theme... + Theme importieren... + + + + Theme + Thema + + + + Theme editor + Theme-Editor + + + + Open Theme Editor... + Theme-Editor öffnen... + + + + Theme editor error + Fehler im Theme-Editor + + + + The current theme JSON could not be loaded. + Der aktuelle Theme-JSON konnte nicht geladen werden. + + + + Import theme + Thema importieren + + + + JSON files (*.json);;All files (*) + JSON-Dateien (*.json);;Alle Dateien (*) + + + + Could not import theme from: +%1 + Theme konnte nicht importiert werden von: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + Theme konnte nicht importiert werden von: +%1 + +%2 + + + + Import failed + Der Import ist fehlgeschlagen - QObject + BookmarksDialog - - Trace - + + Lastest Page + Neueste Seite - - Debug - + + Close + Schliessen - - Info - + + Click on any image to go to the bookmark + Klicke auf ein beliebiges Bild, um zum Lesezeichen zu gehen - - Warning - + + + Loading... + Laden... + + + ClassicComicsView - - Error - + + Hide comic flow + Comic "Flow" verstecken + + + + ComicModel + + + yes + Ja - - Fatal - + + no + Nein + + + + Title + Titel + + + + File Name + Dateiname + + + + Pages + Seiten + + + + Size + Größe + + + + Read + Lesen + + + + Current Page + Aktuelle Seite + + + + Publication Date + Veröffentlichungsdatum + + + + Rating + Bewertung + + + + Series + Serie + + + + Volume + Volumen + + + + Story Arc + Handlungsbogen + + + + ComicVineDialog + + + skip + überspringen + + + + back + zurück + + + + next + nächste + + + + search + suche + + + + close + schließen + + + + + comic %1 of %2 - %3 + Comic %1 von %2 - %3 + + + + + + Looking for volume... + Suche nach Band.... + + + + %1 comics selected + %1 Comic ausgewählt + + + + Error connecting to ComicVine + Fehler bei Verbindung zu ComicVine + + + + + Retrieving tags for : %1 + Herunterladen von Tags für : %1 + + + + Retrieving volume info... + Herunterladen von Info zu Ausgabe... + + + + Looking for comic... + Suche nach Comic... + + + + ContinuousPageWidget + + + Loading page %1 + Seite wird geladen %1 + + + + CreateLibraryDialog + + + Comics folder : + Comics-Ordner : + + + + Library Name : + Bibliothek-Name : + + + + Create + Erstellen + + + + Cancel + Abbrechen + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Es kann einige Minuten dauern, eine neue Bibliothek zu erstellen. Sie können den Prozess abbrechen und die Bibliothek später aktualisieren, um den Vorgang abzuschließen. + + + + Create new library + Erstelle eine neue Bibliothek + + + + Path not found + Pfad nicht gefunden + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben + + + + EditShortcutsDialog + + + Restore defaults + Standardwerte wiederherstellen + + + + To change a shortcut, double click in the key combination and type the new keys. + Um ein Kürzel zu ändern, klicke doppelt auf die Tastenkombination und füge die neuen Tasten ein. + + + + Shortcuts settings + Kürzel-Einstellungen + + + + Shortcut in use + Genutzte Kürzel + + + + The shortcut "%1" is already assigned to other function + Das Kürzel "%1" ist bereits für eine andere Funktion in Verwendung + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Dieser Ordner enthält noch keine Comics + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Dieses Label enthält noch keine Comics + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Diese Leseliste enthält noch keine Comics + + + + EmptySpecialListWidget + + + No favorites + Keine Favoriten + + + + You are not reading anything yet, come on!! + Sie lesen noch nichts, starten Sie!! + + + + There are no recent comics! + Es gibt keine aktuellen Comics! + + + + ExportComicsInfoDialog + + + Output file : + Zieldatei : + + + + Create + Erstellen + + + + Cancel + Abbrechen + + + + Export comics info + Comicinfo exportieren + + + + Destination database name + Ziel-Datenbank Name + + + + Problem found while writing + Problem beim Schreiben + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben + + + + ExportLibraryDialog + + + Output folder : + Ziel-Ordner : + + + + Create + Erstellen + + + + Cancel + Abbrechen + + + + Create covers package + Erzeuge Titelbild-Paket + + + + Problem found while writing + Problem beim Schreiben + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Der gewählte Pfad existiert nicht oder ist kein gültiger Pfad. Stellen Sie sicher, dass Sie Schreibzugriff zu dem Ordner haben + + + + Destination directory + Ziel-Verzeichnis + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + CRC Error auf Seite (%1): Einige Seiten werden nicht korrekt dargestellt + + + + Unknown error opening the file + Unbekannter Fehler beim Öffnen des Files + + + + 7z not found + 7z nicht gefunden + + + + Format not supported + Format wird nicht unterstützt + + + + GoToDialog + + + Page : + Seite : + + + + Go To + Gehe zu + + + + Cancel + Abbrechen + + + + + Total pages : + Seiten gesamt : + + + + Go to... + Gehe zu... + + + + GoToFlowToolBar + + + Page : + Seite : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + Info anzeigen + + + HelpAboutDialog - - Level - + + About + Über - - Message - + + Help + Hilfe + + + + System info + Systeminformationen + + + + ImportComicsInfoDialog + + + Import comics info + Importiere Comic-Info + + + + Info database location : + Info-Datenbank Speicherort : + + + + Import + Importieren + + + + Cancel + Abbrechen + + + + Comics info file (*.ydb) + Comics-Info-Datei (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Bibliothek-Name : + + + + Package location : + Paket Ort : + + + + Destination folder : + Zielordner : + + + + Unpack + Entpacken + + + + Cancel + Abbrechen + + + + Extract a catalog + Einen Katalog extrahieren + + + + Compresed library covers (*.clc) + Komprimierte Bibliothek Cover (*.clc) + + + + ImportWidget + + + stop + Stopp + + + + Some of the comics being added... + Einige der Comics werden hinzugefügt... + + + + Importing comics + Comics werden importiert + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary erstellt nun eine neue Bibliothek. </p><p>Es kann einige Minuten dauern, eine neue Bibliothek zu erstellen. Sie können den Prozess abbrechen und die Bibliothek später aktualisieren, um den Vorgang abzuschließen.</p> + + + + Updating the library + Aktualisierung der Bibliothek + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Die aktuelle Bibliothek wird gerade aktualisiert. Für eine schnellere Aktualisierung, aktualisieren Sie die Bibliothek bitte regelmäßig.</p><p>Sie können den Prozess abbrechen und mit der Aktualisierung später fortfahren.<p> + + + + Upgrading the library + Upgrade der Bibliothek + + + + <p>The current library is being upgraded, please wait.</p> + Die aktuelle Bibliothek wird gerade upgegradet, bitte warten. + + + + Scanning the library + Durchsuchen der Bibliothek + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Die aktuelle Bibliothek wird nach alten XML-Metadateninformationen durchsucht.</p><p>Dies ist nur einmal erforderlich und nur, wenn die Bibliothek mit YACReaderLibrary 9.8.2 oder früher erstellt wurde.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Bibliothek + + + + + + comic + komisch + + + + + + manga + Manga + + + + + + western manga (left to right) + Western-Manga (von links nach rechts) + + + + + + web comic + Webcomic + + + + + + 4koma (top to botom) + 4koma (von oben nach unten) + + + + + + + Set type + Typ festlegen + + + + Library + Bibliothek + + + + Folder + Ordner + + + + Comic + Komisch + + + + Upgrade failed + Update gescheitert + + + + There were errors during library upgrade in: + Beim Upgrade der Bibliothek kam es zu Fehlern in: + + + + Update needed + Update benötigt + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Diese Bibliothek wurde mit einer älteren Version von YACReader erzeugt. Sie muss geupdated werden. Jetzt updaten? + + + + Download new version + Neue Version herunterladen + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Die Bibliothek wurde mit einer neueren Version von YACReader erstellt. Die neue Version jetzt herunterladen? + + + + Library not available + Bibliothek nicht verfügbar + + + + Library '%1' is no longer available. Do you want to remove it? + Bibliothek '%1' ist nicht mehr verfügbar. Wollen Sie sie entfernen? + + + + Old library + Alte Bibliothek + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Bibliothek '%1' wurde mit einer älteren Version von YACReader erstellt. Sie muss neu erzeugt werden. Wollen Sie die Bibliothek jetzt erzeugen? + + + + + Copying comics... + Kopieren von Comics... + + + + + Moving comics... + Verschieben von Comics... + + + + Add new folder + Neuen Ordner erstellen + + + + Folder name: + Ordnername + + + + No folder selected + Kein Ordner ausgewählt + + + + Please, select a folder first + Bitte wählen Sie zuerst einen Ordner aus + + + + Error in path + Fehler im Pfad + + + + There was an error accessing the folder's path + Beim Aufrufen des Ordnerpfades kam es zu einem Fehler + + + + Delete folder + Ordner löschen + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Der ausgewählte Ordner und sein gesamter Inhalt wird von Ihrer Festplatte gelöscht. Sind Sie sicher? + + + + + Unable to delete + Löschen nicht möglich + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Beim Löschen des ausgewählten Ordners ist ein Problem aufgetreten. Bitte überprüfen Sie die Schreibrechte und stellen Sie sicher, dass keine Anwendung diese Ordner oder die darin enthaltenen Dateien verwendet. + + + + Add new reading lists + Neue Leseliste hinzufügen + + + + + List name: + Name der Liste + + + + Delete list/label + Ausgewählte/s Liste/Label löschen + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Das ausgewählte Element wird gelöscht; Ihre Comics oder Ordner werden NICHT von Ihrer Festplatte gelöscht. Sind Sie sicher? + + + + Rename list name + Listenname ändern + + + + Open folder... + Öffne Ordner... + + + + Update folder + Ordner aktualisieren + + + + Rescan library for XML info + Durchsuchen Sie die Bibliothek erneut nach XML-Informationen + + + + Set as uncompleted + Als nicht gelesen markieren + + + + Set as completed + Als gelesen markieren + + + + Set as read + Als gelesen markieren + + + + + Set as unread + Als ungelesen markieren + + + + Set custom cover + Legen Sie ein benutzerdefiniertes Cover fest + + + + Delete custom cover + Benutzerdefiniertes Cover löschen + + + + Save covers + Titelbilder speichern + + + + You are adding too many libraries. + Sie fügen zu viele Bibliotheken hinzu. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Sie fügen zu viele Bibliotheken hinzu. + Wahrscheinlich brauchen Sie nur eine Bibliothek in Ihrem obersten Comic-Ordner, Sie können alle Unterordner mit Hilfe des Ordnerbereichs in der linken Seitenleiste durchsuchen. + +YACReaderLibrary wird Sie nicht daran hindern, weitere Bibliotheken zu erstellen, aber Sie sollten die Anzahl der Bibliotheken gering halten. + + + + + YACReader not found + YACReader nicht gefunden + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader nicht gefunden. YACReader muss im gleichen Ordner installiert sein wie YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader nicht gefunden. Eventuell besteht ein Problem mit Ihrer YACReader-Installation. + + + + Error + Fehler + + + + Error opening comic with third party reader. + Beim Öffnen des Comics mit dem Drittanbieter-Reader ist ein Fehler aufgetreten. + + + + Library not found + Bibliothek nicht gefunden + + + + The selected folder doesn't contain any library. + Der ausgewählte Ordner enthält keine Bibliothek. + + + + Are you sure? + Sind Sie sicher? + + + + Do you want remove + Möchten Sie entfernen + + + + library? + Bibliothek? + + + + Remove and delete metadata + Entferne und lösche Metadaten + + + + Library info + Informationen zur Bibliothek + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Es gab ein Problem beim Löschen der ausgewählten Comics. Überprüfen Sie bitte die Schreibberechtigung für die ausgewählten Dateien oder Ordner. + + + + Assign comics numbers + Comics Nummern zuweisen + + + + Assign numbers starting in: + Nummern zuweisen, beginnend mit: + + + + Invalid image + Ungültiges Bild + + + + The selected file is not a valid image. + Die ausgewählte Datei ist kein gültiges Bild. + + + + Error saving cover + Fehler beim Speichern des Covers + + + + There was an error saving the cover image. + Beim Speichern des Titelbildes ist ein Fehler aufgetreten. + + + + Error creating the library + Fehler beim Erstellen der Bibliothek + + + + Error updating the library + Fehler beim Updaten der Bibliothek + + + + Error opening the library + Fehler beim Öffnen der Bibliothek + + + + Delete comics + Comics löschen + + + + All the selected comics will be deleted from your disk. Are you sure? + Alle ausgewählten Comics werden von Ihrer Festplatte gelöscht. Sind Sie sicher? + + + + Remove comics + Comics löschen + + + + Comics will only be deleted from the current label/list. Are you sure? + Comics werden nur vom aktuellen Label/der aktuellen Liste gelöscht. Sind Sie sicher? + + + + Library name already exists + Bibliothek-Name bereits vorhanden + + + + There is another library with the name '%1'. + Es gibt bereits eine Bibliothek mit dem Namen '%1'. + + + + LibraryWindowActions + + + Create a new library + Neue Bibliothek erstellen + + + + Open an existing library + Eine vorhandede Bibliothek öffnen + + + + + Export comics info + Comicinfo exportieren + + + + + Import comics info + Importiere Comic-Info + + + + Pack covers + Titelbild-Paket erzeugen + + + + Pack the covers of the selected library + Packe die Titelbilder der ausgewählten Bibliothek in ein Paket + + + + Unpack covers + Titelbilder entpacken + + + + Unpack a catalog + Katalog entpacken + + + + Update library + Bibliothek updaten + + + + Update current library + Aktuelle Bibliothek updaten + + + + Rename library + Bibliothek umbenennen + + + + Rename current library + Aktuelle Bibliothek umbenennen + + + + Remove library + Bibliothek entfernen + + + + Remove current library from your collection + Aktuelle Bibliothek aus der Sammlung entfernen + + + + Rescan library for XML info + Durchsuchen Sie die Bibliothek erneut nach XML-Informationen + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Versucht, in Comic-Dateien eingebettete XML-Informationen zu finden. Sie müssen dies nur tun, wenn die Bibliothek mit 9.8.2 oder früheren Versionen erstellt wurde oder wenn Sie Software von Drittanbietern verwenden, um XML-Informationen in die Dateien einzubetten. + + + + Show library info + Bibliotheksinformationen anzeigen + + + + Show information about the current library + Informationen zur aktuellen Bibliothek anzeigen + + + + Open current comic + Aktuellen Comic öffnen + + + + Open current comic on YACReader + Aktuellen Comic mit YACReader öffnen + + + + Save selected covers to... + Ausgewählte Titelbilder speichern in... + + + + Save covers of the selected comics as JPG files + Titelbilder der ausgewählten Comics als JPG-Datei speichern + + + + + Set as read + Als gelesen markieren + + + + Set comic as read + Comic als gelesen markieren + + + + + Set as unread + Als ungelesen markieren + + + + Set comic as unread + Comic als ungelesen markieren + + + + + manga + Manga + + + + Set issue as manga + Ausgabe als Manga festlegen + + + + + comic + komisch + + + + Set issue as normal + Ausgabe als normal festlegen + + + + western manga + Western-Manga + + + + Set issue as western manga + Ausgabe als Western-Manga festlegen + + + + + web comic + Webcomic + + + + Set issue as web comic + Ausgabe als Webcomic festlegen + + + + + yonkoma + Yonkoma + + + + Set issue as yonkoma + Stellen Sie das Problem als Yonkoma ein + + + + Show/Hide marks + Zeige/Verberge Markierungen + + + + Show or hide read marks + Gelesen-Markierungen anzeigen oder verbergen + + + + Show/Hide recent indicator + Aktuelle Anzeige ein-/ausblenden + + + + Show or hide recent indicator + Aktuelle Anzeige anzeigen oder ausblenden + + + + + Fullscreen mode on/off + Vollbildmodus an/aus + + + + Help, About YACReader + Hilfe, über YACReader + + + + Add new folder + Neuen Ordner erstellen + + + + Add new folder to the current library + Neuen Ordner in der aktuellen Bibliothek erstellen + + + + Delete folder + Ordner löschen + + + + Delete current folder from disk + Aktuellen Ordner von der Festplatte löschen + + + + Select root node + Ursprungsordner auswählen + + + + Expand all nodes + Alle Unterordner anzeigen + + + + Collapse all nodes + Alle Unterordner einklappen + + + + Show options dialog + Zeige den Optionen-Dialog + + + + Show comics server options dialog + Zeige Comic-Server-Optionen-Dialog + + + + + Change between comics views + Zwischen Comic-Anzeigemodi wechseln + + + + Open folder... + Öffne Ordner... + + + + Set as uncompleted + Als nicht gelesen markieren + + + + Set as completed + Als gelesen markieren + + + + Set custom cover + Legen Sie ein benutzerdefiniertes Cover fest + + + + Delete custom cover + Benutzerdefiniertes Cover löschen + + + + western manga (left to right) + Western-Manga (von links nach rechts) + + + + Open containing folder... + Öffne aktuellen Ordner... + + + + Reset comic rating + Comic-Bewertung zurücksetzen + + + + Select all comics + Alle Comics auswählen + + + + Edit + Ändern + + + + Assign current order to comics + Aktuele Sortierung auf Comics anwenden + + + + Update cover + Titelbild updaten + + + + Delete selected comics + Ausgewählte Comics löschen + + + + Delete metadata from selected comics + Metadaten aus ausgewählten Comics löschen + + + + Download tags from Comic Vine + Tags von Comic Vine herunterladen + + + + Focus search line + Suchzeile fokussieren + + + + Focus comics view + Fokus-Comic-Ansicht + + + + Edit shortcuts + Kürzel ändern + + + + &Quit + &Schließen + + + + Update folder + Ordner aktualisieren + + + + Update current folder + Aktuellen Ordner aktualisieren + + + + Scan legacy XML metadata + Scannen Sie ältere XML-Metadaten + + + + Add new reading list + Neue Leseliste hinzufügen + + + + Add a new reading list to the current library + Neue Leseliste zur aktuellen Bibliothek hinzufügen + + + + Remove reading list + Leseliste entfernen + + + + Remove current reading list from the library + Aktuelle Leseliste von der Bibliothek entfernen + + + + Add new label + Neues Label hinzufügen + + + + Add a new label to this library + Neues Label zu dieser Bibliothek hinzufügen + + + + Rename selected list + Ausgewählte Liste umbenennen + + + + Rename any selected labels or lists + Ausgewählte Labels oder Listen umbenennen + + + + Add to... + Hinzufügen zu... + + + + Favorites + Favoriten + + + + Add selected comics to favorites list + Ausgewählte Comics zu Favoriten hinzufügen + + + + LocalComicListModel + + + file name + Dateiname + + + + NoLibrariesWidget + + + You don't have any libraries yet + Sie haben aktuell noch keine Bibliothek + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Sie können eine Bibliothek in jedem beliebigen Ordner erstellen, YACReaderLibrary wird alle Comics und Unterordner von diesem Ordner importieren. Wenn Sie bereits eine Bibliothek erstellt haben, können Sie sie öffnen.</p><p>Vergessen Sie nicht, dass Sie YACReader als eigentsändige Anwendung nutzen können, um Comics auf Ihrem Computer zu lesen.</p> + + + + create your first library + Erstellen Sie Ihre erste Bibliothek + + + + add an existing one + Existierende hinzufügen + + + + NoSearchResultsWidget + + + No results + Keine Ergebnisse + + + + OptionsDialog + + + + General + Allgemein + + + + + Libraries + Bibliotheken + + + + Comic Flow + Comic-Flow + + + + Grid view + Rasteransicht + + + + + Appearance + Aussehen + + + + + Options + Optionen + + + + + Language + Sprache + + + + + Application language + Anwendungssprache + + + + + System default + Systemstandard + + + + Tray icon settings (experimental) + Taskleisten-Einstellungen (experimentell) + + + + Close to tray + In Taskleiste schließen + + + + Start into the system tray + In die Taskleiste starten + + + + Edit Comic Vine API key + Comic Vine API-Schlüssel ändern + + + + Comic Vine API key + Comic Vine API Schlüssel + + + + ComicInfo.xml legacy support + ComicInfo.xml-Legacy-Unterstützung + + + + Import metadata from ComicInfo.xml when adding new comics + Importieren Sie Metadaten aus ComicInfo.xml, wenn Sie neue Comics hinzufügen + + + + Consider 'recent' items added or updated since X days ago + Berücksichtigen Sie „neue“ Elemente, die seit X Tagen hinzugefügt oder aktualisiert wurden + + + + Third party reader + Drittanbieter-Reader + + + + Write {comic_file_path} where the path should go in the command + Schreiben Sie {comic_file_path}, wohin der Pfad im Befehl gehen soll + + + + + Clear + Löschen + + + + Update libraries at startup + Aktualisieren Sie die Bibliotheken beim Start + + + + Try to detect changes automatically + Versuchen Sie, Änderungen automatisch zu erkennen + + + + Update libraries periodically + Aktualisieren Sie die Bibliotheken regelmäßig + + + + Interval: + Intervall: + + + + 30 minutes + 30 Minuten + + + + 1 hour + 1 Stunde + + + + 2 hours + 2 Stunden + + + + 4 hours + 4 Stunden + + + + 8 hours + 8 Stunden + + + + 12 hours + 12 Stunden + + + + daily + täglich + + + + Update libraries at certain time + Aktualisieren Sie Bibliotheken zu einem bestimmten Zeitpunkt + + + + Time: + Zeit: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + WARNUNG! Während Bibliotheksaktualisierungen sind Schreibvorgänge in die Datenbank deaktiviert! +Planen Sie keine Updates, während Sie die App möglicherweise aktiv nutzen. +Bei automatischen Updates blockiert die App einige Aktionen, bis das Update abgeschlossen ist. +Um eine automatische Aktualisierung zu stoppen, tippen Sie auf die Ladeanzeige neben dem Titel „Bibliotheken“. + + + + Modifications detection + Erkennung von Änderungen + + + + Compare the modified date of files when updating a library (not recommended) + Vergleichen Sie das Änderungsdatum von Dateien beim Aktualisieren einer Bibliothek (nicht empfohlen) + + + + Enable background image + Hintergrundbild aktivieren + + + + Opacity level + Deckkraft-Stufe + + + + Blur level + Unschärfe-Stufe + + + + Use selected comic cover as background + Den ausgewählten Comic als Hintergrund verwenden + + + + Restore defautls + Standardwerte wiederherstellen + + + + Background + Hintergrund + + + + Display continue reading banner + Weiterlesen-Banner anzeigen + + + + Display current comic banner + Aktuelles Comic-Banner anzeigen + + + + Continue reading + Weiterlesen + + + + My comics path + Meine Comics-Pfad + + + + Display + Anzeige + + + + Show time in current page information label + Zeit im Informationsetikett der aktuellen Seite anzeigen + + + + "Go to flow" size + "Go to flow" Größe + + + + Background color + Hintergrundfarbe + + + + Choose + Auswählen + + + + Scroll behaviour + Scrollverhalten + + + + Disable scroll animations and smooth scrolling + Scroll-Animationen und sanftes Scrollen deaktivieren + + + + Do not turn page using scroll + Blättern Sie nicht mit dem Scrollen um + + + + Use single scroll step to turn page + Verwenden Sie einen einzelnen Bildlaufschritt, um die Seite umzublättern + + + + Mouse mode + Mausmodus + + + + Only Back/Forward buttons can turn pages + Nur mit den Zurück-/Vorwärts-Tasten können Seiten umgeblättert werden + + + + Use the Left/Right buttons to turn pages. + Verwenden Sie die Links-/Rechts-Tasten, um Seiten umzublättern. + + + + Click left or right half of the screen to turn pages. + Klicken Sie auf die linke oder rechte Hälfte des Bildschirms, um die Seiten umzublättern. + + + + Quick Navigation Mode + Schnellnavigations-Modus + + + + Disable mouse over activation + Aktivierung durch Maus deaktivieren + + + + Brightness + Helligkeit + + + + Contrast + Kontrast + + + + Gamma + Gammawert + + + + Reset + Zurücksetzen + + + + Image options + Bilderoptionen + + + + Fit options + Anpassungsoptionen + + + + Enlarge images to fit width/height + Bilder vergrößern, um sie Breite/Höhe anzupassen + + + + Double Page options + Doppelseiten-Einstellungen + + + + Show covers as single page + Cover als eine Seite darstellen + + + + Scaling + Skalierung + + + + Scaling method + Skalierungsmethode + + + + Nearest (fast, low quality) + Am nächsten (schnell, niedrige Qualität) + + + + Bilinear + Bilinear-Filter + + + + Lanczos (better quality) + Lanczos (bessere Qualität) + + + + Page Flow + Seitenfluss + + + + Image adjustment + Bildanpassung + + + + + Restart is needed + Neustart erforderlich + + + + Comics directory + Comics-Verzeichnis + + + + PropertiesDialog + + + General info + Allgemeine Info + + + + Plot + Inhalt + + + + Authors + Autoren + + + + Publishing + Veröffentlichung + + + + Notes + Notizen + + + + Cover page + Titelbild + + + + Load previous page as cover + Vorherige Seite als Cover laden + + + + Load next page as cover + Nächste Seite als Cover laden + + + + Reset cover to the default image + Cover auf das Standardbild zurücksetzen + + + + Load custom cover image + Laden Sie ein benutzerdefiniertes Titelbild + + + + Series: + Serie: + + + + Title: + Titel: + + + + + + of: + von + + + + Issue number: + Ausgabennummer: + + + + Volume: + Band: + + + + Arc number: + Handlungsbogen Nummer: + + + + Story arc: + Handlung: + + + + alt. number: + alt. Nummer: + + + + Alternate series: + Alternative Serie: + + + + Series Group: + Seriengruppe: + + + + Genre: + Gattung: + + + + Size: + Größe: + + + + Writer(s): + Autor(en): + + + + Penciller(s): + Künstler(Bleistift): + + + + Inker(s): + Künstler(Tinte): + + + + Colorist(s): + Künstler(Farbe): + + + + Letterer(s): + Künstler(Schrift): + + + + Cover Artist(s): + Titelbild-Künstler: + + + + Editor(s): + Herausgeber(n): + + + + Imprint: + Impressum: + + + + Day: + Tag: + + + + Month: + Monat: + + + + Year: + Jahr: + + + + Publisher: + Verlag: + + + + Format: + Formatangabe: + + + + Color/BW: + Farbe/Schwarz-Weiß: + + + + Age rating: + Altersangabe: + + + + Type: + Typ: + + + + Language (ISO): + Sprache (ISO): + + + + Synopsis: + Zusammenfassung: + + + + Characters: + Charaktere: + + + + Teams: + Mannschaften: + + + + Locations: + Standorte: + + + + Main character or team: + Hauptfigur oder Team: + + + + Review: + Rezension: + + + + Notes: + Anmerkungen: + + + + Tags: + Schlagworte: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine-Link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> ansehen </a> + + + + Not found + Nicht gefunden + + + + Comic not found. You should update your library. + Comic nicht gefunden. Sie sollten Ihre Bibliothek updaten. + + + + Edit comic information + Comic-Informationen bearbeiten + + + + Edit selected comics information + Ausgewählte Comic-Informationen bearbeiten + + + + Invalid cover + Ungültiger Versicherungsschutz + + + + The image is invalid. + Das Bild ist ungültig. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer ist die Headless-Version (keine GUI) von YACReaderLibrary. + +Diese Anwendung unterstützt dauerhafte Einstellungen. Um sie einzurichten, bearbeiten Sie diese Datei %1 +Um mehr über die verfügbaren Einstellungen zu erfahren, lesen Sie bitte die Dokumentation unter https://raw.githubusercontent.com/YACReader/yareader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + Verfolgen + + + + Debug + Fehlersuche + + + + Info + Information + + + + Warning + Warnung + + + + Error + Fehler + + + + Fatal + Tödlich + + + + Select custom cover + Wählen Sie ein benutzerdefiniertes Cover + + + + Images (%1) + Bilder (%1) + + + + 7z lib not found + 7z-Verzeichnis nicht gefunden + + + + unable to load 7z lib from ./utils + 7z -erzeichnis kann von ./utils nicht geladen werden + + + + The file could not be read or is not valid JSON. + Die Datei konnte nicht gelesen werden oder ist kein gültiges JSON. + + + + This theme is for %1, not %2. + Dieses Thema ist für %1, nicht für %2. + + + + Libraries + Bibliotheken + + + + Folders + Ordner + + + + Reading Lists + Leselisten + + + + RenameLibraryDialog + + + New Library Name : + Neuer Bibliotheksname : + + + + Rename + Umbenennen + + + + Cancel + Abbrechen + + + + Rename current library + Aktuelle Bibliothek umbenennen + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Anzahl der gefundenen Bände: %1 + + + + + page %1 of %2 + Seite %1 von %2 + + + + Number of %1 found : %2 + Anzahl von %1 gefunden : %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Bitte stellen Sie weitere Informationen zur Verfügung. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Verwenden Sie die Suche nach exakten Übereinstimmungen. Deaktivieren Sie diese Option, wenn Sie Bände finden möchten, die mit einigen Wörtern im Namen übereinstimmen. + + + + SearchVolume + + + Please provide some additional information. + Bitte stellen Sie weitere Informationen zur Verfügung. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Verwenden Sie die Suche nach exakten Übereinstimmungen. Deaktivieren Sie diese Option, wenn Sie Bände finden möchten, die mit einigen Wörtern im Namen übereinstimmen. + + + + SelectComic + + + Please, select the right comic info. + Bitte wählen Sie die korrekte Comic-Information aus. + + + + comics + Comics + + + + loading cover + Titelbild wird geladen + + + + loading description + Beschreibung wird laden + + + + comic description unavailable + Comic-Beschreibung nicht verfügbar + + + + SelectVolume + + + Please, select the right series for your comic. + Bitte wählen Sie die korrekte Serie für Ihre Comics aus. + + + + Filter: + Filteroption: + + + + volumes + Bände + + + + Nothing found, clear the filter if any. + Nichts gefunden. Löschen Sie ggf. den Filter. + + + + loading cover + Titelbild wird geladen + + + + loading description + Beschreibung wird laden + + + + volume description unavailable + Bandbeschreibung nicht verfügbar + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Sie versuchen, Informationen zu mehreren Comics gleichzeitig zu laden, sind diese Teil einer Serie? + + + + yes + Ja + + + + no + Nein + + + + ServerConfigDialog + + + set port + Anschluss wählen + + + + Server connectivity information + Serveranschluss-Information + + + + Scan it! + Durchsuchen! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader ist für iOS- und Android-Geräte verfügbar.<br/>Entdecken Sie es für <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> oder <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + IP-Adresse auswählen + + + + Port + Anschluss + + + + enable the server + Server aktivieren + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Sortieren Sie bitte die Comic-Informationen links, bis die Informationen mit den Comics übereinstimmen. + + + + sort comics to match comic information + Comics laut Comic-Information sortieren + + + + issues + Ausgaben + + + + remove selected comics + Ausgewählte Comics entfernen + + + + restore all removed comics + Alle entfernten Comics wiederherstellen + + + + ThemeEditorDialog + + + Theme Editor + Theme-Editor + + + + + + + + + + + - + - + + + + i + ich + + + + Expand all + Alles erweitern + + + + Collapse all + Alles einklappen + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Halten Sie gedrückt, um den ausgewählten Wert in der Benutzeroberfläche zu blinken (Magenta / umgeschaltet / 0↔10). Releases stellen das Original wieder her. + + + + Search… + Suchen… + + + + Light + Licht + + + + Dark + Dunkel + + + + ID: + AUSWEIS: + + + + Display name: + Anzeigename: + + + + Variant: + Variante: + + + + Theme info + Themeninfo + + + + Parameter + Parameterwert + + + + Value + Wert + + + + Save and apply + Speichern und bewerben + + + + Export to file... + In Datei exportieren... + + + + Load from file... + Aus Datei laden... + + + + Close + Schliessen + + + + Double-click to edit color + Doppelklicken Sie, um die Farbe zu bearbeiten + + + + + + + + + true + WAHR + + + + + + + false + FALSCH + + + + Double-click to toggle + Zum Umschalten doppelklicken + + + + Double-click to edit value + Doppelklicken Sie, um den Wert zu bearbeiten + + + + + + Edit: %1 + Bearbeiten: %1 + + + + Save theme + Thema speichern + + + + + JSON files (*.json);;All files (*) + JSON-Dateien (*.json);;Alle Dateien (*) + + + + Save failed + Speichern fehlgeschlagen + + + + Could not open file for writing: +%1 + Die Datei konnte nicht zum Schreiben geöffnet werden: +%1 + + + + Load theme + Theme laden + + + + + + Load failed + Das Laden ist fehlgeschlagen + + + + Could not open file: +%1 + Datei konnte nicht geöffnet werden: +%1 + + + + Invalid JSON: +%1 + Ungültiger JSON: +%1 + + + + Expected a JSON object. + Es wurde ein JSON-Objekt erwartet. + + + + TitleHeader + + + SEARCH + Suchen + + + + UpdateLibraryDialog + + + Updating.... + Aktualisierung.... + + + + Cancel + Abbrechen + + + + Update library + Bibliothek updaten + + + + Viewer + + + + Press 'O' to open comic. + 'O' drücken, um Comic zu öffnen. + + + + Not found + Nicht gefunden + + + + Comic not found + Comic nicht gefunden + + + + Error opening comic + Fehler beim Öffnen des Comics + + + + CRC Error + CRC Fehler + + + + Loading...please wait! + Ladevorgang... Bitte warten! + + + + Page not available! + Seite nicht verfügbar! + + + + Cover! + Titelseite! + + + + Last page! + Letzte Seite! + + + + VolumeComicsModel + + + title + Titel + + + + VolumesModel + + + year + Jahr + + + + issues + Ausgaben + + + + publisher + Herausgeber + + + + YACReader3DFlowConfigWidget + + + Presets: + Voreinstellungen: + + + + Classic look + Klassische Ansicht + + + + Stripe look + Streifen-Ansicht + + + + Overlapped Stripe look + Überlappende Streifen-Ansicht + + + + Modern look + Moderne Ansicht + + + + Roulette look + Zufalls-Ansicht + + + + Show advanced settings + Zeige erweiterte Einstellungen + + + + Custom: + Benutzerdefiniert: + + + + View angle + Anzeige-Winkel + + + + Position + Lage + + + + Cover gap + Titelbild-Abstand + + + + Central gap + Mittiger Abstand + + + + Zoom + Vergrößern + + + + Y offset + Y-Anpassung + + + + Z offset + Z-Anpassung + + + + Cover Angle + Titelbild Ansichtswinkel + + + + Visibility + Sichtbarkeit + + + + Light + Licht + + + + Max angle + Maximaler Winkel + + + + Low Performance + Niedrige Leistung + + + + High Performance + Hohe Leistung + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Benutze VSync (verbessert die Bildqualität im Vollanzeigemodus, schlechtere Leistung) + + + + Performance: + Leistung: + + + + YACReader::MainWindowViewer + + + &Open + &Öffnen + + + + Open a comic + Comic öffnen + + + + New instance + Neuer Fall + + + + Open Folder + Ordner öffnen + + + + Open image folder + Bilder-Ordner öffnen + + + + Open latest comic + Neuesten Comic öffnen + + + + Open the latest comic opened in the previous reading session + Öffne den neuesten Comic deiner letzten Sitzung + + + + Clear + Löschen + + + + Clear open recent list + Lösche Liste zuletzt geöffneter Elemente + + + + Save + Speichern + + + + + Save current page + Aktuelle Seite speichern + + + + Previous Comic + Voheriger Comic + + + + + + Open previous comic + Vorherigen Comic öffnen + + + + Next Comic + Nächster Comic + + + + + + Open next comic + Nächsten Comic öffnen + + + + &Previous + &Vorherige + + + + + + Go to previous page + Zur vorherigen Seite gehen + + + + &Next + &Nächstes + + + + + + Go to next page + Zur nächsten Seite gehen + + + + Fit Height + Höhe anpassen + + + + Fit image to height + Bild an Höhe anpassen + + + + Fit Width + Breite anpassen + + + + Fit image to width + Bildbreite anpassen + + + + Show full size + Vollansicht anzeigen + + + + Fit to page + An Seite anpassen + + + + Continuous scroll + Kontinuierliches Scrollen + + + + Switch to continuous scroll mode + Wechseln Sie in den kontinuierlichen Bildlaufmodus + + + + Reset zoom + Zoom zurücksetzen + + + + Show zoom slider + Zoomleiste anzeigen + + + + Zoom+ + Vergr??ern+ + + + + Zoom- + Verkleinern- + + + + Rotate image to the left + Bild nach links drehen + + + + Rotate image to the right + Bild nach rechts drehen + + + + Double page mode + Doppelseiten-Modus + + + + Switch to double page mode + Zum Doppelseiten-Modus wechseln + + + + Double page manga mode + Doppelseiten-Manga-Modus + + + + Reverse reading order in double page mode + Umgekehrte Lesereihenfolge im Doppelseiten-Modus + + + + Go To + Gehe zu + + + + Go to page ... + Gehe zu Seite ... + + + + Options + Optionen + + + + YACReader options + YACReader Optionen + + + + + Help + Hilfe + + + + Help, About YACReader + Hilfe, über YACReader + + + + Magnifying glass + Vergößerungsglas + + + + Switch Magnifying glass + Vergrößerungsglas wechseln + + + + Set bookmark + Lesezeichen setzen + + + + Set a bookmark on the current page + Lesezeichen auf dieser Seite setzen + + + + Show bookmarks + Lesezeichen anzeigen + + + + Show the bookmarks of the current comic + Lesezeichen für diesen Comic anzeigen + + + + Show keyboard shortcuts + Tastenkürzel anzeigen + + + + Show Info + Info anzeigen + + + + Close + Schliessen + + + + Show Dictionary + Wörterbuch anzeigen + + + + Show go to flow + "Go to Flow" anzeigen + + + + Edit shortcuts + Kürzel ändern + + + + &File + &Datei + + + + + Open recent + Kürzlich geöffnet + + + + File + Datei + + + + Edit + Ändern + + + + View + Anzeigen + + + + Go + Los + + + + Window + Fenster + + + + + + Open Comic + Comic öffnen + + + + + + Comic files + Comic-Dateien + + + + Open folder + Ordner öffnen + + + + page_%1.jpg + Seite_%1.jpg + + + + Image files (*.jpg) + Bildateien (*.jpg) + + + + + Comics + Comichefte + + + + + General + Allgemein + + + + + Magnifiying glass + Vergrößerungsglas + + + + + Page adjustement + Seitenanpassung + + + + + Reading + Lesend + + + + Toggle fullscreen mode + Vollbild-Modus umschalten + + + + Hide/show toolbar + Symbolleiste anzeigen/verstecken + + + + Size up magnifying glass + Vergrößerungsglas vergrößern + + + + Size down magnifying glass + Vergrößerungsglas verkleinern + + + + Zoom in magnifying glass + Vergrößerungsglas reinzoomen + + + + Zoom out magnifying glass + Vergrößerungsglas rauszoomen + + + + Reset magnifying glass + Lupe zurücksetzen + + + + Toggle between fit to width and fit to height + Zwischen Anpassung an Seite und Höhe wechseln + + + + Autoscroll down + Automatisches Runterscrollen + + + + Autoscroll up + Automatisches Raufscrollen + + + + Autoscroll forward, horizontal first + Automatisches Vorwärtsscrollen, horizontal zuerst + + + + Autoscroll backward, horizontal first + Automatisches Zurückscrollen, horizontal zuerst + + + + Autoscroll forward, vertical first + Automatisches Vorwärtsscrollen, vertikal zuerst + + + + Autoscroll backward, vertical first + Automatisches Zurückscrollen, vertikal zuerst + + + + Move down + Nach unten + + + + Move up + Nach oben + + + + Move left + Nach links + + + + Move right + Nach rechts + + + + Go to the first page + Zur ersten Seite gehen + + + + Go to the last page + Zur letzten Seite gehen + + + + Offset double page to the left + Doppelseite nach links versetzt + + + + Offset double page to the right + Doppelseite nach rechts versetzt + + + + There is a new version available + Neue Version verfügbar + + + + Do you want to download the new version? + Möchten Sie die neue Version herunterladen? + + + + Remind me in 14 days + In 14 Tagen erneut erinnern + + + + Not now + Nicht jetzt + + + + YACReader::TrayIconController + + + &Restore + &Wiederherstellen + + + + Systray + Taskleiste + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary wird im Hintergrund weiterlaufen. Um das Programm zu schließen, wählen Sie <b>Schließen</b> im Kontextmenü des Taskleisten-Symbols. + + + + YACReaderFieldEdit + + + + Click to overwrite + Anklicken, um zu überschreiben + + + + Restore to default + Ursprungszustand wiederherstellen + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Anklicken, um zu überschreiben + + + + Restore to default + Ursprungszustand wiederherstellen + + + + YACReaderOptionsDialog + + + Save + Speichern + + + + Cancel + Abbrechen + + + + Edit shortcuts + Kürzel ändern + + + + Shortcuts + Kürzel + + + + YACReaderSearchLineEdit + + + type to search + tippen, um zu suchen + + + + YACReaderSlider + + + Reset + Zurücksetzen - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + YACReader Übersetzer - - &Resume - + + + Translation + Übersetzung - - Save log - + + clear + Löschen - - Log file (*.log) - + + Service not available + Service nicht verfügbar diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_es.ts b/YACReaderLibraryServer/yacreaderlibraryserver_es.ts index 747d30579..b4d17cb38 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_es.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_es.ts @@ -2,150 +2,3694 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Ninguno + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Nombre de la etiqueta: - - 7z not found - + + Choose a color: + Elige un color: - - Format not supported - + + accept + aceptar + + + + cancel + Cancelar - LogWindow + AddLibraryDialog + + + Comics folder : + Carpeta de cómics : + + + + Library name : + Nombre de la biblioteca : + - - Log window - + + Add + Añadir - - &Pause - + + Cancel + Cancelar - - &Save - + + Add an existing library + Añadir una biblioteca existente + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Antes de que te puedas conectar a Comic Vine necesitas tu propia clave API. Por favor, obtén una gratis <a href="http://www.comicvine.com/api/">aquí</a> - - &Copy - + + Paste here your Comic Vine API key + Pega aquí tu clave API de Comic Vine - - Level: - + + Accept + Aceptar - - &Auto scroll - + + Cancel + Cancelar - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Esquema de color + + + + System + Sistema + + + + Light + Luz + + + + Dark + Oscuro + + + + Custom + Personalizado + + + + Remove + Eliminar + + + + Remove this user-imported theme + Eliminar este tema importado por el usuario + + + + Light: + Claro: + + + + Dark: + Oscuro: + + + + Custom: + Personalizado: + + + + Import theme... + Importar tema... + + + + Theme + Tema + + + + Theme editor + Editor de temas + + + + Open Theme Editor... + Abrir editor de temas... + + + + Theme editor error + Error del editor de temas + + + + The current theme JSON could not be loaded. + No se ha podido cargar el JSON del tema actual. + + + + Import theme + Importar tema + + + + JSON files (*.json);;All files (*) + Archivos JSON (*.json);;Todos los archivos (*) + + + + Could not import theme from: +%1 + No se pudo importar el tema desde:\n%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + No se pudo importar el tema desde:\n%1\n\n%2 + + + + Import failed + Error al importar - QObject + BookmarksDialog - - Trace - + + Lastest Page + Última página - - Debug - + + Close + Cerrar - - Info - + + Click on any image to go to the bookmark + Pulsa en cualquier imagen para ir al marcador - - Warning - + + + Loading... + Cargando... + + + ClassicComicsView - - Error - + + Hide comic flow + Ocultar cómic flow + + + ComicModel - - Fatal - + + yes + + + + + no + No + + + + Title + Título + + + + File Name + Nombre de archivo + + + + Pages + Páginas + + + + Size + Tamaño + + + + Read + Leído + + + + Current Page + Página Actual + + + + Publication Date + Fecha de publicación + + + + Rating + Nota + + + + Series + Serie + + + + Volume + Volumen + + + + Story Arc + Arco argumental + + + + ComicVineDialog + + + skip + omitir + + + + back + atrás + + + + next + siguiente + + + + search + buscar + + + + close + Cerrar + + + + + comic %1 of %2 - %3 + cómic %1 de %2 - %3 + + + + + + Looking for volume... + Buscando volumen... + + + + %1 comics selected + %1 cómics seleccionados + + + + Error connecting to ComicVine + Error conectando a ComicVine + + + + + Retrieving tags for : %1 + Recuperando etiquetas para : %1 + + + + Retrieving volume info... + Recuperando información del volumen... + + + + Looking for comic... + Buscando cómic... + + + + ContinuousPageWidget + + + Loading page %1 + Cargando página %1 + + + + CreateLibraryDialog + + + Comics folder : + Carpeta de cómics : + + + + Library Name : + Nombre de la biblioteca : + + + + Create + Crear + + + + Cancel + Cancelar + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Crear una biblioteca puede llevar varios minutos. Puedes parar el proceso en cualquier momento y completar la tarea más tarde. + + + + Create new library + Crear la nueva biblioteca + + + + Path not found + Ruta no encontrada + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + La ruta seleccionada no existe o no es válida. Asegúrate de que tienes privilegios de escritura en esta carpeta + + + + EditShortcutsDialog + + + Restore defaults + Restaurar los valores predeterminados + + + + To change a shortcut, double click in the key combination and type the new keys. + Para cambiar un atajo, haz doble clic en la combinación de teclas y escribe las nuevas teclas. + + + + Shortcuts settings + Configuración de accesos directos + + + + Shortcut in use + Accesos directos en uso + + + + The shortcut "%1" is already assigned to other function + El acceso directo "%1" ya está asignado a otra función + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Esta carpeta aún no contiene cómics + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Esta etiqueta aún no contiene ningún cómic + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Esta lista de tectura aún no contiene ningún cómic + + + + EmptySpecialListWidget + + + No favorites + Ningún favorito + + + + You are not reading anything yet, come on!! + No estás leyendo nada aún, ¡vamos! + + + + There are no recent comics! + ¡No hay comics recientes! + + + + ExportComicsInfoDialog + + + Output file : + Archivo de salida : + + + + Create + Crear + + + + Cancel + Cancelar + + + + Export comics info + Exportar información de los cómics + + + + Destination database name + Nombre de la base de datos de destino + + + + Problem found while writing + Problema encontrado mientras se escribía + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + La ruta seleccionada para el archivo de salida no existe o no es una ruta válida. Asegúrate de que tienes permisos de escritura en esta carpeta + + + + ExportLibraryDialog + + + Output folder : + Carpeta de destino : + + + + Create + Crear + + + + Cancel + Cancelar + + + + Create covers package + Crear paquete de portadas + + + + Problem found while writing + Problema encontrado mientras se escribía + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + La ruta seleccionada para el archivo de salida no existe o no es una ruta válida. Asegúrate de que tienes permisos de escritura en esta carpeta + + + + Destination directory + Carpeta de destino + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + Error CRC en la página (%1): algunas de las páginas no se mostrarán correctamente + + + + Unknown error opening the file + Error desconocido abriendo el archivo + + + + 7z not found + 7z no encontrado + + + + Format not supported + Formato no soportado + + + + GoToDialog + + + Page : + Página : + + + + Go To + Ir a + + + + Cancel + Cancelar + + + + + Total pages : + Páginas totales : + + + + Go to... + Ir a... + + + + GoToFlowToolBar + + + Page : + Página : + + + + GridComicsView + + + Show info + Mostrar información - QsLogging::LogWindowModel + HelpAboutDialog - - Time - + + About + Acerca de - - Level - + + Help + Ayuda - - Message - + + System info + Información de sistema + + + + ImportComicsInfoDialog + + + Import comics info + Importar información de cómics + + + + Info database location : + Ubicación de la base de datos de información : + + + + Import + Importar + + + + Cancel + Cancelar + + + + Comics info file (*.ydb) + Archivo de información de cómics (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Nombre de la biblioteca : + + + + Package location : + Ubicación del paquete : + + + + Destination folder : + Directorio de destino : + + + + Unpack + Desempaquetar + + + + Cancel + Cancelar + + + + Extract a catalog + Extraer un catálogo + + + + Compresed library covers (*.clc) + Portadas de biblioteca comprimidas (*.clc) + + + + ImportWidget + + + stop + parar + + + + Some of the comics being added... + Algunos de los cómics que estan siendo añadidos.... + + + + Importing comics + Importando cómics + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary está creando una nueva biblioteca.</p><p>Crear una biblioteca puede llevar varios minutos. Puedes parar el proceso en cualquier momento y actualizar la biblioteca más tarde para completar el proceso.</p> + + + + Updating the library + Actualizando la biblioteca + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>La biblioteca actual está siendo actualizada. Para actualizaciones más rápidas, por favor, actualiza tus bibliotecas frecuentemente.</p><p>Puedes parar el proceso y continunar la actualización más tarde.</p> + + + + Upgrading the library + Actualizando la biblioteca + + + + <p>The current library is being upgraded, please wait.</p> + <p>La biblioteca actual está siendo actualizadad, espera por favor.</p> + + + + Scanning the library + Escaneando la biblioteca + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>La biblioteca está siendo escaneada para encontrar metadatos en formato XML.</p><p>Sólo necesitas hacer esto una vez, y sólo si la biblioteca fue creada con YACReaderLibrary 9.8.2 o antes.</p> + + + + LibraryWindow + + + YACReader Library + Biblioteca YACReader + + + + + + comic + Cómic + + + + + + manga + historieta manga + + + + + + western manga (left to right) + manga occidental (izquierda a derecha) + + + + + + web comic + cómic web + + + + + + 4koma (top to botom) + 4koma (de arriba a abajo) + + + + + + + Set type + Establecer tipo + + + + Library + Librería + + + + Folder + Carpeta + + + + Comic + Cómic + + + + Upgrade failed + La actualización falló + + + + There were errors during library upgrade in: + Hubo errores durante la actualización de la biblioteca en: + + + + Update needed + Se necesita actualizar + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Esta biblioteca fue creada con una versión anterior de YACReaderLibrary. Es necesario que se actualice. ¿Deseas hacerlo ahora? + + + + Download new version + Descargar la nueva versión + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Esta biblioteca fue creada con una versión más nueva de YACReaderLibrary. ¿Deseas descargar la nueva versión ahora? + + + + Library not available + Biblioteca no disponible + + + + Library '%1' is no longer available. Do you want to remove it? + La biblioteca '%1' no está disponible. ¿Deseas eliminarla? + + + + Old library + Biblioteca antigua + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + La biblioteca '%1' ha sido creada con una versión más antigua de YACReaderLibrary y debe ser creada de nuevo. ¿Deseas crear la biblioteca ahora? + + + + + Copying comics... + Copiando cómics... + + + + + Moving comics... + Moviendo cómics... + + + + Add new folder + Añadir carpeta + + + + Folder name: + Nombre de la carpeta: + + + + No folder selected + No has selecionado ninguna carpeta + + + + Please, select a folder first + Por favor, selecciona una carpeta primero + + + + Error in path + Error en la ruta + + + + There was an error accessing the folder's path + Hubo un error al acceder a la ruta de la carpeta + + + + Delete folder + Borrar carpeta + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + ¿Estás seguro de que deseas eliminar la carpeta seleccionada y todo su contenido de tu disco? + + + + + Unable to delete + No se ha podido borrar + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Se produjo un problema al intentar eliminar las carpetas seleccionadas. Por favor, verifica los permisos de escritura y asegúrate de que no haya aplicaciones usando estas carpetas o alguno de los archivos contenidos en ellas. + + + + Add new reading lists + Añadir nuevas listas de lectura + + + + + List name: + Nombre de la lista: + + + + Delete list/label + Eliminar lista/etiqueta + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + El elemento seleccionado se eliminará, tus cómics o carpetas NO se eliminarán de tu disco. ¿Estás seguro? + + + + Rename list name + Renombrar lista + + + + Open folder... + Abrir carpeta... + + + + Update folder + Actualizar carpeta + + + + Rescan library for XML info + Volver a escanear la biblioteca en busca de información XML + + + + Set as uncompleted + Marcar como incompleto + + + + Set as completed + Marcar como completo + + + + Set as read + Marcar como leído + + + + + Set as unread + Marcar como no leído + + + + Set custom cover + Establecer portada personalizada + + + + Delete custom cover + Eliminar portada personalizada + + + + Save covers + Guardar portadas + + + + You are adding too many libraries. + Estás añadiendo demasiadas bibliotecas. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Estás añadiendo demasiadas bibliotecas.\n\nProbablemente solo necesites una biblioteca en la carpeta principal de tus cómics, puedes explorar cualquier subcarpeta utilizando la sección de carpetas en la barra lateral izquierda.\n\nYACReaderLibrary no te detendrá de crear más bibliotecas, pero deberías mantener el número de bibliotecas bajo control. + + + + + YACReader not found + YACReader no encontrado + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader no encontrado. YACReader debería estar instalado en la misma carpeta que YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader no encontrado. Podría haber un problema con tu instalación de YACReader. + + + + Error + Fallo + + + + Error opening comic with third party reader. + Error al abrir el cómic con una aplicación de terceros. + + + + Library not found + Biblioteca no encontrada + + + + The selected folder doesn't contain any library. + La carpeta seleccionada no contiene ninguna biblioteca. + + + + Are you sure? + ¿Estás seguro? + + + + Do you want remove + ¿Deseas eliminar la biblioteca + + + + library? + ? + + + + Remove and delete metadata + Eliminar y borrar metadatos + + + + Library info + Información de la biblioteca + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Ha habido algún problema intentando borrar los cómics selecionados. Por favor, verifica los permisos de escritura en los arhicovs seleccionados o los directorios que los conienen. + + + + Assign comics numbers + Asignar números a los cómics + + + + Assign numbers starting in: + Asignar números comenzando en: + + + + Invalid image + Imagen inválida + + + + The selected file is not a valid image. + El archivo seleccionado no es una imagen válida. + + + + Error saving cover + Error guardando portada + + + + There was an error saving the cover image. + Hubo un error guardando la image de portada. + + + + Error creating the library + Errar creando la biblioteca + + + + Error updating the library + Error actualizando la biblioteca + + + + Error opening the library + Error abriendo la biblioteca + + + + Delete comics + Borrar cómics + + + + All the selected comics will be deleted from your disk. Are you sure? + Todos los cómics seleccionados serán borrados de tu disco. ¿Estás seguro? + + + + Remove comics + Eliminar cómics + + + + Comics will only be deleted from the current label/list. Are you sure? + Los cómics sólo se eliminarán de la etiqueta/lista actual. ¿Estás seguro? + + + + Library name already exists + Ya existe el nombre de la biblioteca + + + + There is another library with the name '%1'. + Hay otra biblioteca con el nombre '%1'. + + + + LibraryWindowActions + + + Create a new library + Crear una nueva biblioteca + + + + Open an existing library + Abrir una biblioteca existente + + + + + Export comics info + Exportar información de los cómics + + + + + Import comics info + Importar información de cómics + + + + Pack covers + Empaquetar portadas + + + + Pack the covers of the selected library + Empaquetar las portadas de la biblioteca seleccionada + + + + Unpack covers + Desempaquetar portadas + + + + Unpack a catalog + Desempaquetar un catálogo + + + + Update library + Actualizar biblioteca + + + + Update current library + Actualizar la biblioteca seleccionada + + + + Rename library + Renombrar biblioteca + + + + Rename current library + Renombrar la biblioteca seleccionada + + + + Remove library + Eliminar biblioteca + + + + Remove current library from your collection + Eliminar biblioteca de la colección + + + + Rescan library for XML info + Volver a escanear la biblioteca en busca de información XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Intenta encontrar información XML incrustada en los archivos de cómic. Solo necesitas hacer esto si la biblioteca fue creada con la versión 9.8.2 o versiones anteriores o si estás utilizando software de terceros para incrustar información XML en los archivos. + + + + Show library info + Mostrar información de la biblioteca + + + + Show information about the current library + Mostrar información de la biblioteca actual + + + + Open current comic + Abrir cómic actual + + + + Open current comic on YACReader + Abrir el cómic actual en YACReader + + + + Save selected covers to... + Guardar las portadas seleccionadas en... + + + + Save covers of the selected comics as JPG files + Guardar las portadas de los cómics seleccionados como archivos JPG + + + + + Set as read + Marcar como leído + + + + Set comic as read + Marcar cómic como leído + + + + + Set as unread + Marcar como no leído + + + + Set comic as unread + Marcar cómic como no leído + + + + + manga + historieta manga + + + + Set issue as manga + Marcar número como manga + + + + + comic + Cómic + + + + Set issue as normal + Marcar número como cómic + + + + western manga + manga occidental + + + + Set issue as western manga + Marcar número como manga occidental + + + + + web comic + cómic web + + + + Set issue as web comic + Marcar número como cómic web + + + + + yonkoma + tira yonkoma + + + + Set issue as yonkoma + Marcar número como yonkoma + + + + Show/Hide marks + Mostrar/Ocultar marcas + + + + Show or hide read marks + Mostrar u ocultar marcas + + + + Show/Hide recent indicator + Mostrar/Ocultar el indicador reciente + + + + Show or hide recent indicator + Mostrar o ocultar el indicador reciente + + + + + Fullscreen mode on/off + Modo a pantalla completa on/off + + + + Help, About YACReader + Ayuda, Sobre YACReader + + + + Add new folder + Añadir carpeta + + + + Add new folder to the current library + Añadir carpeta a la biblioteca actual + + + + Delete folder + Borrar carpeta + + + + Delete current folder from disk + Borrar carpeta actual del disco + + + + Select root node + Seleccionar el nodo raíz + + + + Expand all nodes + Expandir todos los nodos + + + + Collapse all nodes + Contraer todos los nodos + + + + Show options dialog + Mostrar opciones + + + + Show comics server options dialog + Mostrar el diálogo de opciones del servidor de cómics + + + + + Change between comics views + Cambiar entre vistas de cómics + + + + Open folder... + Abrir carpeta... + + + + Set as uncompleted + Marcar como incompleto + + + + Set as completed + Marcar como completo + + + + Set custom cover + Establecer portada personalizada + + + + Delete custom cover + Eliminar portada personalizada + + + + western manga (left to right) + manga occidental (izquierda a derecha) + + + + Open containing folder... + Abrir carpeta contenedora... + + + + Reset comic rating + Reseteal cómic rating + + + + Select all comics + Seleccionar todos los cómics + + + + Edit + Editar + + + + Assign current order to comics + Asignar el orden actual a los cómics + + + + Update cover + Actualizar portada + + + + Delete selected comics + Borrar los cómics seleccionados + + + + Delete metadata from selected comics + Borrar metadatos de los cómics seleccionados + + + + Download tags from Comic Vine + Descargar etiquetas de Comic Vine + + + + Focus search line + Selecionar el campo de búsqueda + + + + Focus comics view + Selecionar la vista de cómics + + + + Edit shortcuts + Editar accesos directos + + + + &Quit + &Salir + + + + Update folder + Actualizar carpeta + + + + Update current folder + Actualizar carpeta actual + + + + Scan legacy XML metadata + Escaneal metadatos XML + + + + Add new reading list + Añadir lista de lectura + + + + Add a new reading list to the current library + Añadir una nueva lista de lectura a la biblioteca actual + + + + Remove reading list + Eliminar lista de lectura + + + + Remove current reading list from the library + Eliminar la lista de lectura actual de la biblioteca + + + + Add new label + Añadir etiqueta + + + + Add a new label to this library + Añadir etiqueta a esta biblioteca + + + + Rename selected list + Renombrar la lista seleccionada + + + + Rename any selected labels or lists + Renombrar las etiquetas o listas seleccionadas + + + + Add to... + Añadir a... + + + + Favorites + Favoritos + + + + Add selected comics to favorites list + Añadir cómics seleccionados a la lista de favoritos + + + + LocalComicListModel + + + file name + Nombre de archivo + + + + NoLibrariesWidget + + + You don't have any libraries yet + Aún no tienes ninguna biblioteca + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Puedes crear una biblioteca en cualquier carpeta, YACReaderLibrary importará todos las carpetas y cómics de esa carpeta. Si has creado alguna biblioteca anteriormente, puedes abrirla sin volver a crearla.</p><p>No olvides que puedes usar YACReader como una aplicación independiente para leer los cómics en tu ordenador.</p> + + + + create your first library + crea tu primera biblioteca + + + + add an existing one + añade una existente + + + + NoSearchResultsWidget + + + No results + Sin resultados + + + + OptionsDialog + + + + General + Opciones generales + + + + + Libraries + Bibliotecas + + + + Comic Flow + Flujo cómico + + + + Grid view + Vista en cuadrícula + + + + + Appearance + Apariencia + + + + + Options + Opciones + + + + + Language + Idioma + + + + + Application language + Idioma de la aplicación + + + + + System default + Predeterminado del sistema + + + + Tray icon settings (experimental) + Opciones de bandeja de sistema (experimental) + + + + Close to tray + Cerrar a la bandeja + + + + Start into the system tray + Comenzar en la bandeja de sistema + + + + Edit Comic Vine API key + Editar la clave API de Comic Vine + + + + Comic Vine API key + Clave API de Comic Vine + + + + ComicInfo.xml legacy support + Soporte para ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importar metadatos desde ComicInfo.xml al añadir nuevos cómics + + + + Consider 'recent' items added or updated since X days ago + Considerar elementos 'recientes' añadidos o actualizados desde hace X días + + + + Third party reader + Lector externo + + + + Write {comic_file_path} where the path should go in the command + Escribe {comic_file_path} donde la ruta al cómic debería ir en el comando + + + + + Clear + Limpiar + + + + Update libraries at startup + Actualizar bibliotecas al inicio + + + + Try to detect changes automatically + Intentar detectar cambios automáticamente + + + + Update libraries periodically + Actualizar bibliotecas periódicamente + + + + Interval: + Intervalo: + + + + 30 minutes + 30 minutos + + + + 1 hour + 1 hora + + + + 2 hours + 2 horas + + + + 4 hours + 4 horas + + + + 8 hours + 8 horas + + + + 12 hours + 12 horas + + + + daily + dirariamente + + + + Update libraries at certain time + Actualizar bibliotecas en un momento determinado + + + + Time: + Hora: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + ¡ADVERTENCIA! Durante las actualizaciones de la biblioteca se desactivan las escrituras en la base de datos. No programes actualizaciones mientras puedas estar usando la aplicación activamente. Durante las actualizaciones automáticas, la aplicación bloqueará algunas de las acciones hasta que la actualización esté terminada. Para detener una actualización automática, toca en el indicador de carga junto al título de Bibliotecas. + + + + Modifications detection + Detección de modificaciones + + + + Compare the modified date of files when updating a library (not recommended) + Comparar la fecha de modificación de los archivos al actualizar una biblioteca (no recomendado) + + + + Enable background image + Activar imagen de fondo + + + + Opacity level + Nivel de opacidad + + + + Blur level + Nivel de desenfoque + + + + Use selected comic cover as background + Usar la portada del cómic seleccionado como fondo + + + + Restore defautls + Restaurar valores predeterminados + + + + Background + Fondo + + + + Display continue reading banner + Mostrar banner de "Continuar leyendo" + + + + Display current comic banner + Mostar el báner del cómic actual + + + + Continue reading + Continuar leyendo + + + + My comics path + Ruta a mis cómics + + + + Display + Visualización + + + + Show time in current page information label + Mostrar la hora en la etiqueta de información de la página actual + + + + "Go to flow" size + Tamaño de "Go to flow" + + + + Background color + Color de fondo + + + + Choose + Elegir + + + + Scroll behaviour + Comportamiento del scroll + + + + Disable scroll animations and smooth scrolling + Desactivar animaciones de desplazamiento y desplazamiento suave + + + + Do not turn page using scroll + No cambiar de página usando el scroll + + + + Use single scroll step to turn page + Usar un solo paso de desplazamiento para cambiar de página + + + + Mouse mode + Modo del ratón + + + + Only Back/Forward buttons can turn pages + Solo los botones Atrás/Adelante pueden cambiar de página + + + + Use the Left/Right buttons to turn pages. + Usar los botones Izquierda/Derecha para cambiar de página. + + + + Click left or right half of the screen to turn pages. + Hacer clic en la mitad izquierda o derecha de la pantalla para cambiar de página. + + + + Quick Navigation Mode + Modo de navegación rápida + + + + Disable mouse over activation + Desactivar activación al pasar el ratón + + + + Brightness + Brillo + + + + Contrast + Contraste + + + + Gamma + Gama + + + + Reset + Restablecer + + + + Image options + Opciones de imagen + + + + Fit options + Opciones de ajuste + + + + Enlarge images to fit width/height + Ampliar imágenes para ajustarse al ancho/alto + + + + Double Page options + Opciones de doble página + + + + Show covers as single page + Mostrar portadas como página única + + + + Scaling + Escalado + + + + Scaling method + Método de escalado + + + + Nearest (fast, low quality) + Vecino más cercano (rápido, baja calidad) + + + + Bilinear + Bilineal + + + + Lanczos (better quality) + Lanczos (mejor calidad) + + + + Page Flow + Flujo de página + + + + Image adjustment + Ajustes de imagen + + + + + Restart is needed + Es necesario reiniciar + + + + Comics directory + Directorio de cómics + + + + PropertiesDialog + + + General info + Información general + + + + Plot + Argumento + + + + Authors + Autores + + + + Publishing + Publicación + + + + Notes + Notas + + + + Cover page + Página de portada + + + + Load previous page as cover + Cargar página anterior como portada + + + + Load next page as cover + Cargar página siguiente como portada + + + + Reset cover to the default image + Restaurar la portada por defecto + + + + Load custom cover image + Cargar portada personalizada + + + + Series: + Serie: + + + + Title: + Título: + + + + + + of: + de: + + + + Issue number: + Número: + + + + Volume: + Volumen: + + + + Arc number: + Número de arco: + + + + Story arc: + Arco argumental: + + + + alt. number: + número alternativo: + + + + Alternate series: + Serie alternativa: + + + + Series Group: + Grupo de series: + + + + Genre: + Género: + + + + Size: + Tamaño: + + + + Writer(s): + Guionista(s): + + + + Penciller(s): + Dibujant(es): + + + + Inker(s): + Entintador(es): + + + + Colorist(s): + Color: + + + + Letterer(s): + Rotulista(s): + + + + Cover Artist(s): + Artista(s) portada: + + + + Editor(s): + Editor(es): + + + + Imprint: + Sello: + + + + Day: + Día: + + + + Month: + Mes: + + + + Year: + Año: + + + + Publisher: + Editorial: + + + + Format: + Formato: + + + + Color/BW: + Color/BN: + + + + Age rating: + Casificación edades: + + + + Type: + Tipo: + + + + Language (ISO): + Idioma (ISO): + + + + Synopsis: + Sinopsis: + + + + Characters: + Personajes: + + + + Teams: + Equipos: + + + + Locations: + Lugares: + + + + Main character or team: + Personaje o equipo principal: + + + + Review: + Reseña: + + + + Notes: + Notas: + + + + Tags: + Etiquetas: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> ver </a> + + + + Not found + No encontrado + + + + Comic not found. You should update your library. + Cómic no encontrado. Deberias actualizar tu biblioteca. + + + + Edit comic information + Editar la información del cócmic + + + + Edit selected comics information + Editar la información de los cómics seleccionados + + + + Invalid cover + Portada inválida + + + + The image is invalid. + La imagen no es válida. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + \nYACReaderLibraryServer es la versión sin interfaz gráfica (headless) de YACReaderLibrary.\n\nEsta aplicación admite ajustes persistentes; para configurarlos, edita este archivo %1\nPara conocer los ajustes disponibles, consulta la documentación en https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + Traza + + + + Debug + Depuración + + + + Info + Información + + + + Warning + Advertencia + + + + Error + Fallo + + + + Fatal + Cr?tico + + + + Select custom cover + Seleccionar portada personalizada + + + + Images (%1) + Imágenes (%1) + + + + 7z lib not found + 7z lib no encontrado + + + + unable to load 7z lib from ./utils + imposible cargar 7z lib de ./utils + + + + The file could not be read or is not valid JSON. + No se pudo leer el archivo o no es un JSON válido. + + + + This theme is for %1, not %2. + Este tema es para %1, no para %2. + + + + Libraries + Bibliotecas + + + + Folders + CARPETAS + + + + Reading Lists + Listas de lectura + + + + RenameLibraryDialog + + + New Library Name : + Nuevo nombre de la biblioteca : + + + + Rename + Renombrar + + + + Cancel + Cancelar + + + + Rename current library + Renombrar la biblioteca seleccionada + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Número de volúmenes encontrados : %1 + + + + + page %1 of %2 + página %1 de %2 + + + + Number of %1 found : %2 + Número de %1 encontrados : %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Por favor, proporciona alguna información adicional para éste cómic. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Usar búsqueda exacta. Desactívala si quieres encontrar volúmenes que coincidan con algunas palabras del nombre. + + + + SearchVolume + + + Please provide some additional information. + Por favor, proporciona alguna informacion adicional. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Usar búsqueda exacta. Desactívala si quieres encontrar volúmenes que coincidan con algunas palabras del nombre. + + + + SelectComic + + + Please, select the right comic info. + Por favor, selecciona la información correcta. + + + + comics + Cómics + + + + loading cover + cargando portada + + + + loading description + cargando descripción + + + + comic description unavailable + Descripción del cómic no disponible + + + + SelectVolume + + + Please, select the right series for your comic. + Por favor, seleciona la serie correcta para tu cómic. + + + + Filter: + Filtro: + + + + volumes + volúmenes + + + + Nothing found, clear the filter if any. + No se encontró nada, limpia el filtro si lo hubiera. + + + + loading cover + cargando portada + + + + loading description + cargando descripción + + + + volume description unavailable + Descripción del volumen no disponible + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Estás intentando obtener información de varios cómics a la vez, ¿son parte de la misma serie? + + + + yes + + + + + no + No + + + + ServerConfigDialog + + + set port + fijar puerto + + + + Server connectivity information + Infomación de conexión del servidor + + + + Scan it! + ¡Escaneálo! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader está disponible para iOS y Android.<br/> Descúbrela para <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a>o <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Elige una dirección IP + + + + Port + Puerto + + + + enable the server + activar el servidor + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Por favor, ordena la lista de cómics en la izquiera hasta que coincida con la información adecuada. + + + + sort comics to match comic information + ordena los cómics para coincidir con la información + + + + issues + números + + + + remove selected comics + eliminar cómics seleccionados + + + + restore all removed comics + restaurar todos los cómics eliminados + + + + ThemeEditorDialog + + + Theme Editor + Editor de temas + + + + + + + + + + + - + - + + + + i + ? + + + + Expand all + Expandir todo + + + + Collapse all + Contraer todo + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Mantén pulsado para resaltar temporalmente el valor seleccionado en la interfaz (magenta / alternado / 0↔10). Al soltar se restaura el original. + + + + Search… + Buscar… + + + + Light + Luz + + + + Dark + Oscuro + + + + ID: + IDENTIFICACIÓN: + + + + Display name: + Nombre para mostrar: + + + + Variant: + Variante: + + + + Theme info + Información del tema + + + + Parameter + Parámetro + + + + Value + Valor + + + + Save and apply + Guardar y aplicar + + + + Export to file... + Exportar a archivo... + + + + Load from file... + Cargar desde archivo... + + + + Close + Cerrar + + + + Double-click to edit color + Doble clic para editar el color + + + + + + + + + true + verdadero + + + + + + + false + falso + + + + Double-click to toggle + Doble clic para alternar + + + + Double-click to edit value + Doble clic para editar el valor + + + + + + Edit: %1 + Editar: %1 + + + + Save theme + Guardar tema + + + + + JSON files (*.json);;All files (*) + Archivos JSON (*.json);;Todos los archivos (*) + + + + Save failed + Error al guardar + + + + Could not open file for writing: +%1 + No se pudo abrir el archivo para escribir:\n%1 + + + + Load theme + Cargar tema + + + + + + Load failed + Error al cargar + + + + Could not open file: +%1 + No se pudo abrir el archivo:\n%1 + + + + Invalid JSON: +%1 + JSON no válido:\n%1 + + + + Expected a JSON object. + Se esperaba un objeto JSON. + + + + TitleHeader + + + SEARCH + buscar + + + + UpdateLibraryDialog + + + Updating.... + Actualizado... + + + + Cancel + Cancelar + + + + Update library + Actualizar biblioteca + + + + Viewer + + + + Press 'O' to open comic. + Pulsa 'O' para abrir un fichero. + + + + Not found + No encontrado + + + + Comic not found + Cómic no encontrado + + + + Error opening comic + Error abriendo cómic + + + + CRC Error + Error CRC + + + + Loading...please wait! + Cargando...espere, por favor! + + + + Page not available! + ¡Página no disponible! + + + + Cover! + ¡Portada! + + + + Last page! + ¡Última página! + + + + VolumeComicsModel + + + title + Título + + + + VolumesModel + + + year + año + + + + issues + números + + + + publisher + Editorial + + + + YACReader3DFlowConfigWidget + + + Presets: + Predefinidos: + + + + Classic look + Tipo clásico + + + + Stripe look + Tipo tira + + + + Overlapped Stripe look + Tipo tira solapada + + + + Modern look + Tipo moderno + + + + Roulette look + Tipo ruleta + + + + Show advanced settings + Opciones avanzadas + + + + Custom: + Personalizado: + + + + View angle + Ángulo de vista + + + + Position + Posición + + + + Cover gap + Hueco entre portadas + + + + Central gap + Hueco central + + + + Zoom + Ampliaci?n + + + + Y offset + Desplazamiento en Y + + + + Z offset + Desplazamiento en Z + + + + Cover Angle + Ángulo de las portadas + + + + Visibility + Visibilidad + + + + Light + Luz + + + + Max angle + Ángulo máximo + + + + Low Performance + Rendimiento bajo + + + + High Performance + Alto rendimiento + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Utilizar VSync (mejora la calidad de imagen en pantalla completa, peor rendimiento) + + + + Performance: + Rendimiento: + + + + YACReader::MainWindowViewer + + + &Open + &Abrir + + + + Open a comic + Abrir cómic + + + + New instance + Nueva instancia + + + + Open Folder + Abrir carpeta + + + + Open image folder + Abrir carpeta de imágenes + + + + Open latest comic + Abrir el cómic más reciente + + + + Open the latest comic opened in the previous reading session + Abrir el cómic más reciente abierto en la sesión de lectura anterior + + + + Clear + Limpiar + + + + Clear open recent list + Limpiar lista de abiertos recientemente + + + + Save + Guardar + + + + + Save current page + Guardar la página actual + + + + Previous Comic + Cómic anterior + + + + + + Open previous comic + Abrir cómic anterior + + + + Next Comic + Siguiente Cómic + + + + + + Open next comic + Abrir siguiente cómic + + + + &Previous + A&nterior + + + + + + Go to previous page + Ir a la página anterior + + + + &Next + Siguie&nte + + + + + + Go to next page + Ir a la página siguiente + + + + Fit Height + Ajustar altura + + + + Fit image to height + Ajustar página a lo alto + + + + Fit Width + Ajustar anchura + + + + Fit image to width + Ajustar página a lo ancho + + + + Show full size + Mostrar a tamaño original + + + + Fit to page + Ajustar a página + + + + Continuous scroll + Desplazamiento continuo + + + + Switch to continuous scroll mode + Cambiar al modo de desplazamiento continuo + + + + Reset zoom + Restablecer zoom + + + + Show zoom slider + Mostrar control deslizante de zoom + + + + Zoom+ + Ampliar+ + + + + Zoom- + Reducir + + + + Rotate image to the left + Rotar imagen a la izquierda + + + + Rotate image to the right + Rotar imagen a la derecha + + + + Double page mode + Modo a doble página + + + + Switch to double page mode + Cambiar a modo de doble página + + + + Double page manga mode + Modo de manga de página doble + + + + Reverse reading order in double page mode + Invertir el orden de lectura en modo de página doble + + + + Go To + Ir a + + + + Go to page ... + Ir a página... + + + + Options + Opciones + + + + YACReader options + Opciones de YACReader + + + + + Help + Ayuda + + + + Help, About YACReader + Ayuda, Sobre YACReader + + + + Magnifying glass + Lupa + + + + Switch Magnifying glass + Lupa On/Off + + + + Set bookmark + Añadir marcador + + + + Set a bookmark on the current page + Añadir un marcador en la página actual + + + + Show bookmarks + Mostrar marcadores + + + + Show the bookmarks of the current comic + Mostrar los marcadores del cómic actual + + + + Show keyboard shortcuts + Mostrar atajos de teclado + + + + Show Info + Mostrar información + + + + Close + Cerrar + + + + Show Dictionary + Mostrar diccionario + + + + Show go to flow + Mostrar flow ir a + + + + Edit shortcuts + Editar accesos directos + + + + &File + &Archivo + + + + + Open recent + Abrir reciente + + + + File + Archivo + + + + Edit + Editar + + + + View + Ver + + + + Go + Ir + + + + Window + Ventana + + + + + + Open Comic + Abrir cómic + + + + + + Comic files + Archivos de cómic + + + + Open folder + Abrir carpeta + + + + page_%1.jpg + página_%1.jpg + + + + Image files (*.jpg) + Archivos de imagen (*.jpg) + + + + + Comics + Cómics + + + + + General + Opciones generales + + + + + Magnifiying glass + Lupa + + + + + Page adjustement + Ajuste de página + + + + + Reading + Leyendo + + + + Toggle fullscreen mode + Alternar modo de pantalla completa + + + + Hide/show toolbar + Ocultar/mostrar barra de herramientas + + + + Size up magnifying glass + Aumentar tamaño de la lupa + + + + Size down magnifying glass + Disminuir tamaño de lupa + + + + Zoom in magnifying glass + Incrementar el aumento de la lupa + + + + Zoom out magnifying glass + Reducir el aumento de la lupa + + + + Reset magnifying glass + Resetear lupa + + + + Toggle between fit to width and fit to height + Alternar entre ajuste al ancho y ajuste al alto + + + + Autoscroll down + Desplazamiento automático hacia abajo + + + + Autoscroll up + Desplazamiento automático hacia arriba + + + + Autoscroll forward, horizontal first + Desplazamiento automático hacia adelante, primero horizontal + + + + Autoscroll backward, horizontal first + Desplazamiento automático hacia atrás, primero horizontal + + + + Autoscroll forward, vertical first + Desplazamiento automático hacia adelante, primero vertical + + + + Autoscroll backward, vertical first + Desplazamiento automático hacia atrás, primero vertical + + + + Move down + Mover abajo + + + + Move up + Mover arriba + + + + Move left + Mover a la izquierda + + + + Move right + Mover a la derecha + + + + Go to the first page + Ir a la primera página + + + + Go to the last page + Ir a la última página + + + + Offset double page to the left + Mover una página a la izquierda + + + + Offset double page to the right + Mover una página a la derecha + + + + There is a new version available + Hay una nueva versión disponible + + + + Do you want to download the new version? + ¿Desea descargar la nueva versión? + + + + Remind me in 14 days + Recordar en 14 días + + + + Not now + Ahora no + + + + YACReader::TrayIconController + + + &Restore + &Restaurar + + + + Systray + Bandeja del sistema + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary se continuará ejecutando en la bandeja del sistema. Para cerrar el programa elige <b>Cerrar</b> en el menú contextual del icono de la aplicación en la bandeja del sistema. + + + + YACReaderFieldEdit + + + + Click to overwrite + Clic para sobrescribir + + + + Restore to default + Restaurar valor por defecto + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Clic para sobrescribir + + + + Restore to default + Restaurar valor por defecto + + + + YACReaderOptionsDialog + + + Save + Guardar + + + + Cancel + Cancelar + + + + Edit shortcuts + Editar accesos directos + + + + Shortcuts + Accesos directos + + + + YACReaderSearchLineEdit + + + type to search + escribe para buscar + + + + YACReaderSlider + + + Reset + Restablecer - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + Traductor YACReader - - &Resume - + + + Translation + Traducción - - Save log - + + clear + Limpiar - - Log file (*.log) - + + Service not available + Servicio no disponible diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_fr.ts b/YACReaderLibraryServer/yacreaderlibraryserver_fr.ts index 43ac18d56..f0aa9106d 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_fr.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_fr.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Rien + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Nom de l'étiquette : - - 7z not found - + + Choose a color: + Choisissez une couleur: - - Format not supported - + + accept + accepter + + + + cancel + Annuler - LogWindow + AddLibraryDialog + + + Comics folder : + Dossier des bandes dessinées : + + + + Library name : + Nom de la librairie : + - - Log window - + + Add + Ajouter - - &Pause - + + Cancel + Annuler - - &Save - + + Add an existing library + Ajouter une librairie existante + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Avant de pouvoir vous connecter à Comic Vine, vous avez besoin de votre propre clé API. Veuillez en obtenir une gratuitement ici: <a href="http://www.comicvine.com/api/"></a> - - &Copy - + + Paste here your Comic Vine API key + Collez ici votre clé API Comic Vine - - Level: - + + Accept + Accepter - - &Auto scroll - + + Cancel + Annuler - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Jeu de couleurs + + + + System + Système + + + + Light + Lumière + + + + Dark + Sombre + + + + Custom + Coutume + + + + Remove + Retirer + + + + Remove this user-imported theme + Supprimer ce thème importé par l'utilisateur + + + + Light: + Lumière: + + + + Dark: + Sombre: + + + + Custom: + Personnalisation: + + + + Import theme... + Importer le thème... + + + + Theme + Thème + + + + Theme editor + Éditeur de thème + + + + Open Theme Editor... + Ouvrir l'éditeur de thème... + + + + Theme editor error + Erreur de l'éditeur de thème + + + + The current theme JSON could not be loaded. + Le thème actuel JSON n'a pas pu être chargé. + + + + Import theme + Importer un thème + + + + JSON files (*.json);;All files (*) + Fichiers JSON (*.json);;Tous les fichiers (*) + + + + Could not import theme from: +%1 + Impossible d'importer le thème depuis : +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + Impossible d'importer le thème depuis : +%1 + +%2 + + + + Import failed + Échec de l'importation - QObject + BookmarksDialog - - Trace - + + Lastest Page + Aller à la dernière page - - Debug - + + Close + Fermer - - Info - + + Click on any image to go to the bookmark + Cliquez sur une image pour aller au marque-page - - Warning - + + + Loading... + Chargement... + + + ClassicComicsView - - Error - + + Hide comic flow + Cacher le flux de bande dessinée + + + + ComicModel + + + yes + oui - - Fatal - + + no + non + + + + Title + Titre + + + + File Name + Nom du fichier + + + + Pages + Feuilles + + + + Size + Taille + + + + Read + Lu + + + + Current Page + Page en cours + + + + Publication Date + Date de publication + + + + Rating + Note + + + + Series + Série + + + + Volume + Tome + + + + Story Arc + Arc d'histoire + + + + ComicVineDialog + + + skip + passer + + + + back + retour + + + + next + suivant + + + + search + chercher + + + + close + fermer + + + + + comic %1 of %2 - %3 + bande dessinée %1 sur %2 - %3 + + + + + + Looking for volume... + Vous cherchez du volume... + + + + %1 comics selected + %1 bande(s) dessinnée(s) sélectionnée(s) + + + + Error connecting to ComicVine + Erreur de connexion à Comic Vine + + + + + Retrieving tags for : %1 + Retrouver les infomartions de: %1 + + + + Retrieving volume info... + Récupération des informations sur le volume... + + + + Looking for comic... + Vous cherchez une bande dessinée ... + + + + ContinuousPageWidget + + + Loading page %1 + Chargement de la page %1 + + + + CreateLibraryDialog + + + Comics folder : + Dossier des bandes dessinées : + + + + Library Name : + Nom de la librairie : + + + + Create + Créer + + + + Cancel + Annuler + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + La création d'une librairie peut prendre quelques minutes. Vous pouvez arrêter le processus et continuer plus tard. + + + + Create new library + Créer une nouvelle librairie + + + + Path not found + Chemin introuvable + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Le chemin sélectionné n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier + + + + EditShortcutsDialog + + + Restore defaults + Réinitialiser + + + + To change a shortcut, double click in the key combination and type the new keys. + Pour modifier un raccourci, double-cliquez sur la combinaison de touches et tapez les nouvelles clés. + + + + Shortcuts settings + Paramètres de raccourcis + + + + Shortcut in use + Raccourci en cours d'utilisation + + + + The shortcut "%1" is already assigned to other function + Le raccourci "%1" est déjà affecté à une autre fonction + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Ce dossier ne contient pas encore de bandes dessinées + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Ce dossier ne contient pas encore de bandes dessinées + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Cette liste de lecture ne contient aucune bande dessinée + + + + EmptySpecialListWidget + + + No favorites + Pas de favoris + + + + You are not reading anything yet, come on!! + Vous ne lisez rien encore, allez !! + + + + There are no recent comics! + Il n'y a pas de BD récente ! + + + + ExportComicsInfoDialog + + + Output file : + Fichier de sortie : + + + + Create + Créer + + + + Cancel + Annuler + + + + Export comics info + Exporter les infos des bandes dessinées + + + + Destination database name + Nom de la base de données de destination + + + + Problem found while writing + Problème durant l'écriture + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Le chemin sélectionné pour le fichier n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier + + + + ExportLibraryDialog + + + Output folder : + Dossier de sortie : + + + + Create + Créer + + + + Cancel + Annuler + + + + Create covers package + Créer un pack de couvertures + + + + Problem found while writing + Problème durant l'écriture + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Le chemin sélectionné pour le fichier n'existe pas ou contient un chemin invalide. Assurez-vous d'avoir les droits d'accès à ce dossier + + + + Destination directory + Répertoire de destination + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + Erreur CRC sur la page (%1): certaines pages ne s'afficheront pas correctement + + + + Unknown error opening the file + Erreur inconnue lors de l'ouverture du fichier + + + + 7z not found + 7z introuvable + + + + Format not supported + Format non supporté + + + + GoToDialog + + + Page : + Feuille : + + + + Go To + Aller à + + + + Cancel + Annuler + + + + + Total pages : + Nombre de pages : + + + + Go to... + Aller à... + + + + GoToFlowToolBar + + + Page : + Feuille : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + Afficher les informations + + + HelpAboutDialog - - Level - + + About + A propos - - Message - + + Help + Aide + + + + System info + Informations système + + + + ImportComicsInfoDialog + + + Import comics info + Importer les infos des bandes dessinées + + + + Info database location : + Emplacement des infos: + + + + Import + Importer + + + + Cancel + Annuler + + + + Comics info file (*.ydb) + Fichier infos BD (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Nom de la librairie : + + + + Package location : + Emplacement : + + + + Destination folder : + Dossier de destination : + + + + Unpack + Désarchiver + + + + Cancel + Annuler + + + + Extract a catalog + Extraire un catalogue + + + + Compresed library covers (*.clc) + Couvertures de bibliothèque compressées (*.clc) + + + + ImportWidget + + + stop + Arrêter + + + + Some of the comics being added... + Ajout de bande dessinée... + + + + Importing comics + Importation de bande dessinée + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary est en train de créer une nouvelle librairie.</p><p>La création d'une librairie peut prendre quelques minutes. Vous pouvez arrêter le processus et poursuivre plus tard.</p> + + + + Updating the library + Mise à jour de la librairie + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Mise à jour de la librairie. Pour plus de rapidité lors de la mise à jour, veuillez effectuer cette dernière régulièrement.</p><p>Vous pouvez arrêter le processus et poursuivre plus tard.</p> + + + + Upgrading the library + Mise à niveau de la bibliothèque + + + + <p>The current library is being upgraded, please wait.</p> + <p>La bibliothèque actuelle est en cours de mise à niveau, veuillez patienter.</p> + + + + Scanning the library + Scanner la bibliothèque + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>La bibliothèque actuelle est en cours d'analyse pour rechercher des informations sur les métadonnées XML héritées.</p><p>Ceci n'est nécessaire qu'une seule fois, et uniquement si la bibliothèque a été créée avec YACReaderLibrary 9.8.2 ou une version antérieure.</p> + + + + LibraryWindow + + + YACReader Library + Librairie de YACReader + + + + + + comic + comique + + + + + + manga + mangas + + + + + + western manga (left to right) + manga occidental (de gauche à droite) + + + + + + web comic + bande dessinée Web + + + + + + 4koma (top to botom) + 4koma (de haut en bas) + + + + + + + Set type + Définir le type + + + + Library + Librairie + + + + Folder + Dossier + + + + Comic + Bande dessinée + + + + Upgrade failed + La mise à niveau a échoué + + + + There were errors during library upgrade in: + Des erreurs se sont produites lors de la mise à niveau de la bibliothèque dans : + + + + Update needed + Mise à jour requise + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Cette librairie a été créée avec une ancienne version de YACReaderLibrary. Mise à jour necessaire. Mettre à jour? + + + + Download new version + Téléchrger la nouvelle version + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Cette librairie a été créée avec une version plus récente de YACReaderLibrary. Télécharger la nouvelle version? + + + + Library not available + Librairie non disponible + + + + Library '%1' is no longer available. Do you want to remove it? + La librarie '%1' n'est plus disponible. Voulez-vous la supprimer? + + + + Old library + Ancienne librairie + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + La librarie '%1' a été créée avec une ancienne version de YACReaderLibrary. Elle doit être re-créée. Voulez-vous créer la librairie? + + + + + Copying comics... + Copier la bande dessinée... + + + + + Moving comics... + Déplacer la bande dessinée... + + + + Add new folder + Ajouter un nouveau dossier + + + + Folder name: + Nom du dossier : + + + + No folder selected + Aucun dossier sélectionné + + + + Please, select a folder first + Veuillez d'abord sélectionner un dossier + + + + Error in path + Erreur dans le chemin + + + + There was an error accessing the folder's path + Une erreur s'est produite lors de l'accès au chemin du dossier + + + + Delete folder + Supprimer le dossier + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Le dossier sélectionné et tout son contenu seront supprimés de votre disque. Es-tu sûr? + + + + + Unable to delete + Impossible de supprimer + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Un problème est survenu lors de la tentative de suppression des dossiers sélectionnés. Veuillez vérifier les autorisations d'écriture et assurez-vous que toutes les applications utilisent ces dossiers ou l'un des fichiers contenus. + + + + Add new reading lists + Ajouter de nouvelles listes de lecture + + + + + List name: + Nom de la liste : + + + + Delete list/label + Supprimer la liste/l'étiquette + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + L'élément sélectionné sera supprimé, vos bandes dessinées ou dossiers ne seront pas supprimés de votre disque. Êtes-vous sûr? + + + + Rename list name + Renommer le nom de la liste + + + + Open folder... + Ouvrir le dossier... + + + + Update folder + Mettre à jour le dossier + + + + Rescan library for XML info + Réanalyser la bibliothèque pour les informations XML + + + + Set as uncompleted + Marquer comme incomplet + + + + Set as completed + Marquer comme complet + + + + Set as read + Marquer comme lu + + + + + Set as unread + Marquer comme non-lu + + + + Set custom cover + Définir une couverture personnalisée + + + + Delete custom cover + Supprimer la couverture personnalisée + + + + Save covers + Enregistrer les couvertures + + + + You are adding too many libraries. + Vous ajoutez trop de bibliothèques. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Vous ajoutez trop de bibliothèques. + +Vous n'avez probablement besoin que d'une bibliothèque dans votre dossier BD de niveau supérieur, vous pouvez parcourir les sous-dossiers en utilisant la section des dossiers dans la barre latérale gauche. + +YACReaderLibrary ne vous empêchera pas de créer plus de bibliothèques, mais vous devriez garder le nombre de bibliothèques bas. + + + + + YACReader not found + YACReader introuvable + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader introuvable. YACReader doit être installé dans le même dossier que YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader introuvable. Il se peut qu'il y ait un problème avec votre installation de YACReader. + + + + Error + Erreur + + + + Error opening comic with third party reader. + Erreur lors de l'ouverture de la bande dessinée avec un lecteur tiers. + + + + Library not found + Librairie introuvable + + + + The selected folder doesn't contain any library. + Le dossier sélectionné ne contient aucune librairie. + + + + Are you sure? + Êtes-vous sûr? + + + + Do you want remove + Voulez-vous supprimer + + + + library? + la librairie? + + + + Remove and delete metadata + Supprimer les métadata + + + + Library info + Informations sur la bibliothèque + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Un problème est survenu lors de la tentative de suppression des bandes dessinées sélectionnées. Veuillez vérifier les autorisations d'écriture dans les fichiers sélectionnés ou le dossier contenant. + + + + Assign comics numbers + Attribuer des numéros de bandes dessinées + + + + Assign numbers starting in: + Attribuez des numéros commençant par : + + + + Invalid image + Image invalide + + + + The selected file is not a valid image. + Le fichier sélectionné n'est pas une image valide. + + + + Error saving cover + Erreur lors de l'enregistrement de la couverture + + + + There was an error saving the cover image. + Une erreur s'est produite lors de l'enregistrement de l'image de couverture. + + + + Error creating the library + Erreur lors de la création de la librairie + + + + Error updating the library + Erreur lors de la mise à jour de la librairie + + + + Error opening the library + Erreur lors de l'ouverture de la librairie + + + + Delete comics + Supprimer les comics + + + + All the selected comics will be deleted from your disk. Are you sure? + Tous les comics sélectionnés vont être supprimés de votre disque. Êtes-vous sûr? + + + + Remove comics + Supprimer les bandes dessinées + + + + Comics will only be deleted from the current label/list. Are you sure? + Les bandes dessinées seront uniquement supprimées du label/liste actuelle. Es-tu sûr? + + + + Library name already exists + Le nom de la librairie existe déjà + + + + There is another library with the name '%1'. + Une autre librairie a le nom '%1'. + + + + LibraryWindowActions + + + Create a new library + Créer une nouvelle librairie + + + + Open an existing library + Ouvrir une librairie existante + + + + + Export comics info + Exporter les infos des bandes dessinées + + + + + Import comics info + Importer les infos des bandes dessinées + + + + Pack covers + Archiver les couvertures + + + + Pack the covers of the selected library + Archiver les couvertures de la librairie sélectionnée + + + + Unpack covers + Désarchiver les couvertures + + + + Unpack a catalog + Désarchiver un catalogue + + + + Update library + Mettre la librairie à jour + + + + Update current library + Mettre à jour la librairie actuelle + + + + Rename library + Renommer la librairie + + + + Rename current library + Renommer la librairie actuelle + + + + Remove library + Supprimer la librairie + + + + Remove current library from your collection + Enlever cette librairie de votre collection + + + + Rescan library for XML info + Réanalyser la bibliothèque pour les informations XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Essaie de trouver des informations XML intégrées dans des fichiers de bandes dessinées. Vous ne devez le faire que si la bibliothèque a été créée avec la version 9.8.2 ou des versions antérieures ou si vous utilisez un logiciel tiers pour intégrer des informations XML dans les fichiers. + + + + Show library info + Afficher les informations sur la bibliothèque + + + + Show information about the current library + Afficher des informations sur la bibliothèque actuelle + + + + Open current comic + Ouvrir cette bande dessinée + + + + Open current comic on YACReader + Ouvrir cette bande dessinée dans YACReader + + + + Save selected covers to... + Exporter la couverture vers... + + + + Save covers of the selected comics as JPG files + Enregistrer les couvertures des bandes dessinées sélectionnées en tant que fichiers JPG + + + + + Set as read + Marquer comme lu + + + + Set comic as read + Marquer cette bande dessinée comme lu + + + + + Set as unread + Marquer comme non-lu + + + + Set comic as unread + Marquer cette bande dessinée comme non-lu + + + + + manga + mangas + + + + Set issue as manga + Définir le problème comme manga + + + + + comic + comique + + + + Set issue as normal + Définir le problème comme d'habitude + + + + western manga + manga occidental + + + + Set issue as western manga + Définir le problème comme un manga occidental + + + + + web comic + bande dessinée Web + + + + Set issue as web comic + Définir le problème comme bande dessinée Web + + + + + yonkoma + Yonkoma + + + + Set issue as yonkoma + Définir le problème comme Yonkoma + + + + Show/Hide marks + Afficher/Cacher les marqueurs + + + + Show or hide read marks + Afficher ou masquer les marques de lecture + + + + Show/Hide recent indicator + Afficher/Masquer l'indicateur récent + + + + Show or hide recent indicator + Afficher ou masquer l'indicateur récent + + + + + Fullscreen mode on/off + Mode plein écran activé/désactivé + + + + Help, About YACReader + Aide, à propos de YACReader + + + + Add new folder + Ajouter un nouveau dossier + + + + Add new folder to the current library + Ajouter un nouveau dossier à la bibliothèque actuelle + + + + Delete folder + Supprimer le dossier + + + + Delete current folder from disk + Supprimer le dossier actuel du disque + + + + Select root node + Allerà la racine + + + + Expand all nodes + Afficher tous les noeuds + + + + Collapse all nodes + Réduire tous les nœuds + + + + Show options dialog + Ouvrir la boite de dialogue + + + + Show comics server options dialog + Ouvrir la boite de dialogue du serveur + + + + + Change between comics views + Changement entre les vues de bandes dessinées + + + + Open folder... + Ouvrir le dossier... + + + + Set as uncompleted + Marquer comme incomplet + + + + Set as completed + Marquer comme complet + + + + Set custom cover + Définir une couverture personnalisée + + + + Delete custom cover + Supprimer la couverture personnalisée + + + + western manga (left to right) + manga occidental (de gauche à droite) + + + + Open containing folder... + Ouvrir le dossier... + + + + Reset comic rating + Supprimer la note d'évaluation + + + + Select all comics + Sélectionner toutes les bandes dessinées + + + + Edit + Editer + + + + Assign current order to comics + Assigner l'ordre actuel aux bandes dessinées + + + + Update cover + Mise à jour des couvertures + + + + Delete selected comics + Supprimer la bande dessinée sélectionnée + + + + Delete metadata from selected comics + Supprimer les métadonnées des bandes dessinées sélectionnées + + + + Download tags from Comic Vine + Télécharger les informations de Comic Vine + + + + Focus search line + Ligne de recherche ciblée + + + + Focus comics view + Focus sur la vue des bandes dessinées + + + + Edit shortcuts + Modifier les raccourcis + + + + &Quit + &Quitter + + + + Update folder + Mettre à jour le dossier + + + + Update current folder + Mettre à jour ce dossier + + + + Scan legacy XML metadata + Analyser les métadonnées XML héritées + + + + Add new reading list + Ajouter une nouvelle liste de lecture + + + + Add a new reading list to the current library + Ajouter une nouvelle liste de lecture à la bibliothèque actuelle + + + + Remove reading list + Supprimer la liste de lecture + + + + Remove current reading list from the library + Supprimer la liste de lecture actuelle de la bibliothèque + + + + Add new label + Ajouter une nouvelle étiquette + + + + Add a new label to this library + Ajouter une nouvelle étiquette à cette bibliothèque + + + + Rename selected list + Renommer la liste sélectionnée + + + + Rename any selected labels or lists + Renommer toutes les étiquettes ou listes sélectionnées + + + + Add to... + Ajouter à... + + + + Favorites + Favoris + + + + Add selected comics to favorites list + Ajouter la bande dessinée sélectionnée à la liste des favoris + + + + LocalComicListModel + + + file name + nom de fichier + + + + NoLibrariesWidget + + + You don't have any libraries yet + Vous n'avez pas encore de librairie + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Vous pouvez creer une librairie dans n'importe quel dossierr, YACReaderLibrary importera les dossiers et les bandes dessinées contenus dans ce dossier. Si vous avez déjà crer des librairies, vous pouvez les ouvrir.</p><p>N'oubliez pas que vous pouvez utiliser YACReader en tant que stand alone pour lire vos bandes dessinées sur votre ordinateur.</p> + + + + create your first library + Créez votre première librairie + + + + add an existing one + Ajouter une librairie existante + + + + NoSearchResultsWidget + + + No results + Aucun résultat + + + + OptionsDialog + + + + General + Général + + + + + Libraries + Bibliothèques + + + + Comic Flow + Flux comique + + + + Grid view + Vue grille + + + + + Appearance + Apparence + + + + + Options + Possibilités + + + + + Language + Langue + + + + + Application language + Langue de l'application + + + + + System default + Par défaut du système + + + + Tray icon settings (experimental) + Paramètres de l'icône de la barre d'état (expérimental) + + + + Close to tray + Près du plateau + + + + Start into the system tray + Commencez dans la barre d'état système + + + + Edit Comic Vine API key + Modifier la clé API Comic Vine + + + + Comic Vine API key + Clé API Comic Vine + + + + ComicInfo.xml legacy support + Prise en charge héritée de ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importer des métadonnées depuis ComicInfo.xml lors de l'ajout de nouvelles bandes dessinées + + + + Consider 'recent' items added or updated since X days ago + Considérez les éléments « récents » ajoutés ou mis à jour depuis X jours + + + + Third party reader + Lecteur tiers + + + + Write {comic_file_path} where the path should go in the command + Écrivez {comic_file_path} où le chemin doit aller dans la commande + + + + + Clear + Clair + + + + Update libraries at startup + Mettre à jour les bibliothèques au démarrage + + + + Try to detect changes automatically + Essayez de détecter automatiquement les changements + + + + Update libraries periodically + Mettre à jour les bibliothèques périodiquement + + + + Interval: + Intervalle: + + + + 30 minutes + 30 min + + + + 1 hour + 1 heure + + + + 2 hours + 2 heures + + + + 4 hours + 4 heures + + + + 8 hours + 8 heures + + + + 12 hours + 12 heures + + + + daily + tous les jours + + + + Update libraries at certain time + Mettre à jour les bibliothèques à un certain moment + + + + Time: + Temps: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + AVERTISSEMENT! Lors des mises à jour de la bibliothèque, les écritures dans la base de données sont désactivées ! +Ne planifiez pas de mises à jour pendant que vous utilisez activement l'application. +Lors des mises à jour automatiques, l'application bloquera certaines actions jusqu'à ce que la mise à jour soit terminée. +Pour arrêter une mise à jour automatique, appuyez sur l'indicateur de chargement à côté du titre Bibliothèques. + + + + Modifications detection + Détection des modifications + + + + Compare the modified date of files when updating a library (not recommended) + Comparer la date de modification des fichiers lors de la mise à jour d'une bibliothèque (déconseillé) + + + + Enable background image + Activer l'image d'arrière-plan + + + + Opacity level + Niveau d'opacité + + + + Blur level + Niveau de flou + + + + Use selected comic cover as background + Utiliser la couverture de bande dessinée sélectionnée comme arrière-plan + + + + Restore defautls + Restaurer les valeurs par défaut + + + + Background + Arrière-plan + + + + Display continue reading banner + Afficher la bannière de lecture continue + + + + Display current comic banner + Afficher la bannière de bande dessinée actuelle + + + + Continue reading + Continuer la lecture + + + + My comics path + Chemin de mes bandes dessinées + + + + Display + Afficher + + + + Show time in current page information label + Afficher l'heure dans l'étiquette d'information de la page actuelle + + + + "Go to flow" size + Taille du flux + + + + Background color + Couleur d'arrière plan + + + + Choose + Choisir + + + + Scroll behaviour + Comportement de défilement + + + + Disable scroll animations and smooth scrolling + Désactiver les animations de défilement et le défilement fluide + + + + Do not turn page using scroll + Ne tournez pas la page en utilisant le défilement + + + + Use single scroll step to turn page + Utilisez une seule étape de défilement pour tourner la page + + + + Mouse mode + Mode souris + + + + Only Back/Forward buttons can turn pages + Seuls les boutons Précédent/Avant peuvent tourner les pages + + + + Use the Left/Right buttons to turn pages. + Utilisez les boutons Gauche/Droite pour tourner les pages. + + + + Click left or right half of the screen to turn pages. + Cliquez sur la moitié gauche ou droite de l'écran pour tourner les pages. + + + + Quick Navigation Mode + Mode navigation rapide + + + + Disable mouse over activation + Désactiver la souris sur l'activation + + + + Brightness + Luminosité + + + + Contrast + Contraste + + + + Gamma + Valeur gamma + + + + Reset + Remise à zéro + + + + Image options + Option de l'image + + + + Fit options + Options d'ajustement + + + + Enlarge images to fit width/height + Agrandir les images pour les adapter à la largeur/hauteur + + + + Double Page options + Options de double page + + + + Show covers as single page + Afficher les couvertures sur une seule page + + + + Scaling + Mise à l'échelle + + + + Scaling method + Méthode de mise à l'échelle + + + + Nearest (fast, low quality) + Le plus proche (rapide, mauvaise qualité) + + + + Bilinear + Bilinéaire + + + + Lanczos (better quality) + Lanczos (meilleure qualité) + + + + Page Flow + Flux des pages + + + + Image adjustment + Ajustement de l'image + + + + + Restart is needed + Redémarrage nécessaire + + + + Comics directory + Répertoire des bandes dessinées + + + + PropertiesDialog + + + General info + Infos générales + + + + Plot + Intrigue + + + + Authors + Auteurs + + + + Publishing + Publication + + + + Notes + Remarques + + + + Cover page + Couverture + + + + Load previous page as cover + Charger la page précédente comme couverture + + + + Load next page as cover + Charger la page suivante comme couverture + + + + Reset cover to the default image + Réinitialiser la couverture à l'image par défaut + + + + Load custom cover image + Charger une image de couverture personnalisée + + + + Series: + Série: + + + + Title: + Titre: + + + + + + of: + sur: + + + + Issue number: + Numéro: + + + + Volume: + Tome : + + + + Arc number: + Arc numéro: + + + + Story arc: + Arc narratif: + + + + alt. number: + alt. nombre: + + + + Alternate series: + Série alternative : + + + + Series Group: + Groupe de séries : + + + + Genre: + Genre : + + + + Size: + Taille: + + + + Writer(s): + Scénariste(s): + + + + Penciller(s): + Dessinateur(s): + + + + Inker(s): + Encreur(s): + + + + Colorist(s): + Coloriste(s): + + + + Letterer(s): + Lettreur(s): + + + + Cover Artist(s): + Artiste(s) de couverture: + + + + Editor(s): + Editeur(s) : + + + + Imprint: + Imprimer: + + + + Day: + Jour: + + + + Month: + Mois: + + + + Year: + Année: + + + + Publisher: + Editeur: + + + + Format: + Format : + + + + Color/BW: + Couleur/Noir et blanc: + + + + Age rating: + Limite d'âge: + + + + Type: + Taper: + + + + Language (ISO): + Langue (ISO) : + + + + Synopsis: + Synopsis : + + + + Characters: + Personnages: + + + + Teams: + Équipes : + + + + Locations: + Emplacements : + + + + Main character or team: + Personnage principal ou équipe : + + + + Review: + Revoir: + + + + Notes: + Remarques : + + + + Tags: + Balises : + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Lien Comic Vine : <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> vue </a> + + + + Not found + Introuvable + + + + Comic not found. You should update your library. + Comic introuvable. Vous devriez mettre à jour votre librairie. + + + + Edit comic information + Editer les informations du comic + + + + Edit selected comics information + Editer les informations du comic sélectionné + + + + Invalid cover + Couverture invalide + + + + The image is invalid. + L'image n'est pas valide. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer est la version sans tête (sans interface graphique) de YACReaderLibrary. + +Cette application prend en charge les paramètres persistants, pour les configurer, modifiez ce fichier %1 +Pour en savoir plus sur les paramètres disponibles, veuillez consulter la documentation sur https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + Tracer + + + + Debug + Déboguer + + + + Info + Informations + + + + Warning + Avertissement + + + + Error + Erreur + + + + Fatal + Critique + + + + Select custom cover + Sélectionnez une couverture personnalisée + + + + Images (%1) + Illustrations (%1) + + + + 7z lib not found + lib 7z introuvable + + + + unable to load 7z lib from ./utils + impossible de charger 7z depuis ./utils + + + + The file could not be read or is not valid JSON. + Le fichier n'a pas pu être lu ou n'est pas un JSON valide. + + + + This theme is for %1, not %2. + Ce thème est pour %1, pas pour %2. + + + + Libraries + Bibliothèques + + + + Folders + Dossiers + + + + Reading Lists + Listes de lecture + + + + RenameLibraryDialog + + + New Library Name : + Nouveau nom de librairie: + + + + Rename + Renommer + + + + Cancel + Annuler + + + + Rename current library + Renommer la librairie actuelle + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Nombre de volumes trouvés : %1 + + + + + page %1 of %2 + page %1 de %2 + + + + Number of %1 found : %2 + Nombre de %1 trouvés : %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Veuillez fournir des informations supplémentaires pour cette bande dessinée. + + + + Series: + Série: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Utilisez la recherche de correspondance exacte. Désactivez-la si vous souhaitez rechercher des volumes correspondant à certains mots du nom. + + + + SearchVolume + + + Please provide some additional information. + Veuillez fournir quelques informations supplémentaires. + + + + Series: + Série: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Utilisez la recherche de correspondance exacte. Désactivez-la si vous souhaitez rechercher des volumes correspondant à certains mots du nom. + + + + SelectComic + + + Please, select the right comic info. + Veuillez sélectionner les bonnes informations sur la bande dessinée. + + + + comics + bandes dessinées + + + + loading cover + couvercle de chargement + + + + loading description + description du chargement + + + + comic description unavailable + description de la bande dessinée indisponible + + + + SelectVolume + + + Please, select the right series for your comic. + Veuillez sélectionner la bonne série pour votre bande dessinée. + + + + Filter: + Filtre: + + + + volumes + tomes + + + + Nothing found, clear the filter if any. + Rien trouvé, effacez le filtre le cas échéant. + + + + loading cover + couvercle de chargement + + + + loading description + description du chargement + + + + volume description unavailable + description du volume indisponible + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Vous essayez d’obtenir des informations sur plusieurs bandes dessinées à la fois, font-elles partie de la même série ? + + + + yes + oui + + + + no + non + + + + ServerConfigDialog + + + set port + Configurer le port + + + + Server connectivity information + Informations sur la connectivité du serveur + + + + Scan it! + Scannez-le ! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader est disponible pour les appareils iOS et Android.<br/>Découvrez-le pour <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> ou <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Choisissez une adresse IP + + + + Port + Port r?seau + + + + enable the server + Autoriser le serveur + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Veuillez trier la liste des bandes dessinées sur la gauche jusqu'à ce qu'elle corresponde aux informations des bandes dessinées. + + + + sort comics to match comic information + trier les bandes dessinées pour qu'elles correspondent aux informations sur les bandes dessinées + + + + issues + problèmes + + + + remove selected comics + supprimer les bandes dessinées sélectionnées + + + + restore all removed comics + restaurer toutes les bandes dessinées supprimées + + + + ThemeEditorDialog + + + Theme Editor + Éditeur de thème + + + + + + + + + + + - + - + + + + i + je + + + + Expand all + Tout développer + + + + Collapse all + Tout réduire + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Maintenez enfoncé pour faire clignoter la valeur sélectionnée dans l'interface utilisateur (magenta / basculé / 0↔10). Les versions restaurent l'original. + + + + Search… + Rechercher… + + + + Light + Lumière + + + + Dark + Sombre + + + + ID: + IDENTIFIANT: + + + + Display name: + Nom d'affichage : + + + + Variant: + Variante: + + + + Theme info + Informations sur le thème + + + + Parameter + Paramètre + + + + Value + Valeur + + + + Save and apply + Enregistrer et postuler + + + + Export to file... + Exporter vers un fichier... + + + + Load from file... + Charger à partir du fichier... + + + + Close + Fermer + + + + Double-click to edit color + Double-cliquez pour modifier la couleur + + + + + + + + + true + vrai + + + + + + + false + FAUX + + + + Double-click to toggle + Double-cliquez pour basculer + + + + Double-click to edit value + Double-cliquez pour modifier la valeur + + + + + + Edit: %1 + Modifier : %1 + + + + Save theme + Enregistrer le thème + + + + + JSON files (*.json);;All files (*) + Fichiers JSON (*.json);;Tous les fichiers (*) + + + + Save failed + Échec de l'enregistrement + + + + Could not open file for writing: +%1 + Impossible d'ouvrir le fichier en écriture : +%1 + + + + Load theme + Charger le thème + + + + + + Load failed + Échec du chargement + + + + Could not open file: +%1 + Impossible d'ouvrir le fichier : +%1 + + + + Invalid JSON: +%1 + JSON invalide : +%1 + + + + Expected a JSON object. + Attendu un objet JSON. + + + + TitleHeader + + + SEARCH + RECHERCHE + + + + UpdateLibraryDialog + + + Updating.... + Mise à jour... + + + + Cancel + Annuler + + + + Update library + Mettre la librairie à jour + + + + Viewer + + + + Press 'O' to open comic. + Appuyez sur "O" pour ouvrir une bande dessinée. + + + + Not found + Introuvable + + + + Comic not found + Bande dessinée introuvable + + + + Error opening comic + Erreur d'ouverture de la bande dessinée + + + + CRC Error + Erreur CRC + + + + Loading...please wait! + Chargement... Patientez + + + + Page not available! + Page non disponible ! + + + + Cover! + Couverture! + + + + Last page! + Dernière page! + + + + VolumeComicsModel + + + title + titre + + + + VolumesModel + + + year + année + + + + issues + problèmes + + + + publisher + éditeur + + + + YACReader3DFlowConfigWidget + + + Presets: + Réglages: + + + + Classic look + Vue classique + + + + Stripe look + Vue alignée + + + + Overlapped Stripe look + Vue superposée + + + + Modern look + Vue moderne + + + + Roulette look + Vue roulette + + + + Show advanced settings + Voir les paramètres avancés + + + + Custom: + Personnalisation: + + + + View angle + Angle de vue + + + + Position + Positionnement + + + + Cover gap + Espace entre les couvertures + + + + Central gap + Espace couverture centrale + + + + Zoom + Agrandissement + + + + Y offset + Axe Y + + + + Z offset + Axe Z + + + + Cover Angle + Angle des couvertures + + + + Visibility + Visibilité + + + + Light + Lumière + + + + Max angle + Angle Maximum + + + + Low Performance + Faible performance + + + + High Performance + Haute performance + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Utiliser VSync (Améliore la qualité d'image en mode plein écran, ralentit la performance) + + + + Performance: + Performance : + + + + YACReader::MainWindowViewer + + + &Open + &Ouvrir + + + + Open a comic + Ouvrir une bande dessinée + + + + New instance + Nouvelle instance + + + + Open Folder + Ouvrir un dossier + + + + Open image folder + Ouvrir un dossier d'images + + + + Open latest comic + Ouvrir la dernière bande dessinée + + + + Open the latest comic opened in the previous reading session + Ouvrir la dernière bande dessinée ouverte lors de la session de lecture précédente + + + + Clear + Clair + + + + Clear open recent list + Vider la liste d'ouverture récente + + + + Save + Sauvegarder + + + + + Save current page + Sauvegarder la page actuelle + + + + Previous Comic + Bande dessinée précédente + + + + + + Open previous comic + Ouvrir la bande dessiné précédente + + + + Next Comic + Bande dessinée suivante + + + + + + Open next comic + Ouvrir la bande dessinée suivante + + + + &Previous + &Précédent + + + + + + Go to previous page + Aller à la page précédente + + + + &Next + &Suivant + + + + + + Go to next page + Aller à la page suivante + + + + Fit Height + Ajuster la hauteur + + + + Fit image to height + Ajuster l'image à la hauteur + + + + Fit Width + Ajuster la largeur + + + + Fit image to width + Ajuster l'image à la largeur + + + + Show full size + Plein écran + + + + Fit to page + Ajuster à la page + + + + Continuous scroll + Défilement continu + + + + Switch to continuous scroll mode + Passer en mode défilement continu + + + + Reset zoom + Réinitialiser le zoom + + + + Show zoom slider + Afficher le curseur de zoom + + + + Zoom+ + Agrandir + + + + Zoom- + R?duire + + + + Rotate image to the left + Rotation à gauche + + + + Rotate image to the right + Rotation à droite + + + + Double page mode + Mode double page + + + + Switch to double page mode + Passer en mode double page + + + + Double page manga mode + Mode manga en double page + + + + Reverse reading order in double page mode + Ordre de lecture inversée en mode double page + + + + Go To + Aller à + + + + Go to page ... + Aller à la page ... + + + + Options + Possibilités + + + + YACReader options + Options de YACReader + + + + + Help + Aide + + + + Help, About YACReader + Aide, à propos de YACReader + + + + Magnifying glass + Loupe + + + + Switch Magnifying glass + Utiliser la loupe + + + + Set bookmark + Placer un marque-page + + + + Set a bookmark on the current page + Placer un marque-page sur la page actuelle + + + + Show bookmarks + Voir les marque-pages + + + + Show the bookmarks of the current comic + Voir les marque-pages de cette bande dessinée + + + + Show keyboard shortcuts + Voir les raccourcis + + + + Show Info + Voir les infos + + + + Close + Fermer + + + + Show Dictionary + Dictionnaire + + + + Show go to flow + Afficher le flux + + + + Edit shortcuts + Modifier les raccourcis + + + + &File + &Fichier + + + + + Open recent + Ouvrir récent + + + + File + Fichier + + + + Edit + Editer + + + + View + Vue + + + + Go + Aller + + + + Window + Fenêtre + + + + + + Open Comic + Ouvrir la bande dessinée + + + + + + Comic files + Bande dessinée + + + + Open folder + Ouvirir le dossier + + + + page_%1.jpg + feuille_%1.jpg + + + + Image files (*.jpg) + Image(*.jpg) + + + + + Comics + Bandes dessinées + + + + + General + Général + + + + + Magnifiying glass + Loupe + + + + + Page adjustement + Ajustement de la page + + + + + Reading + Lecture + + + + Toggle fullscreen mode + Basculer en mode plein écran + + + + Hide/show toolbar + Masquer / afficher la barre d'outils + + + + Size up magnifying glass + Augmenter la taille de la loupe + + + + Size down magnifying glass + Réduire la taille de la loupe + + + + Zoom in magnifying glass + Zoomer + + + + Zoom out magnifying glass + Dézoomer + + + + Reset magnifying glass + Réinitialiser la loupe + + + + Toggle between fit to width and fit to height + Basculer entre adapter à la largeur et adapter à la hauteur + + + + Autoscroll down + Défilement automatique vers le bas + + + + Autoscroll up + Défilement automatique vers le haut + + + + Autoscroll forward, horizontal first + Défilement automatique en avant, horizontal + + + + Autoscroll backward, horizontal first + Défilement automatique en arrière horizontal + + + + Autoscroll forward, vertical first + Défilement automatique en avant, vertical + + + + Autoscroll backward, vertical first + Défilement automatique en arrière, verticak + + + + Move down + Descendre + + + + Move up + Monter + + + + Move left + Déplacer à gauche + + + + Move right + Déplacer à droite + + + + Go to the first page + Aller à la première page + + + + Go to the last page + Aller à la dernière page + + + + Offset double page to the left + Double page décalée vers la gauche + + + + Offset double page to the right + Double page décalée à droite + + + + There is a new version available + Une nouvelle version est disponible + + + + Do you want to download the new version? + Voulez-vous télécharger la nouvelle version? + + + + Remind me in 14 days + Rappelez-moi dans 14 jours + + + + Not now + Pas maintenant + + + + YACReader::TrayIconController + + + &Restore + &Restaurer + + + + Systray + Zone de notification + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuera à fonctionner dans la barre d'état système. Pour terminer le programme, choisissez <b>Quit</b> dans le menu contextuel de l'icône de la barre d'état système. + + + + YACReaderFieldEdit + + + + Click to overwrite + Cliquez pour remplacer + + + + Restore to default + Rétablir les paramètres par défaut + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Cliquez pour remplacer + + + + Restore to default + Rétablir les paramètres par défaut + + + + YACReaderOptionsDialog + + + Save + Sauvegarder + + + + Cancel + Annuler + + + + Edit shortcuts + Modifier les raccourcis + + + + Shortcuts + Raccourcis + + + + YACReaderSearchLineEdit + + + type to search + tapez pour rechercher + + + + YACReaderSlider + + + Reset + Remise à zéro - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + Traducteur YACReader - - &Resume - + + + Translation + Traduction - - Save log - + + clear + effacer - - Log file (*.log) - + + Service not available + Service non disponible diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_nl.ts b/YACReaderLibraryServer/yacreaderlibraryserver_nl.ts index 67bca4f97..1367b2426 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_nl.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_nl.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Geen + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Labelnaam: - - 7z not found - + + Choose a color: + Kies een kleur: - - Format not supported - + + accept + accepteren + + + + cancel + annuleren - LogWindow + AddLibraryDialog + + + Comics folder : + Strips map: + + + + Library name : + Bibliotheek Naam : + - - Log window - + + Add + Toevoegen - - &Pause - + + Cancel + Annuleren - - &Save - + + Add an existing library + Voeg een bestaand bibliotheek toe + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Voordat je verbinding kunt maken met Comic Vine, heb je een eigen API-sleutel nodig. Vraag er <a href="http://www.comicvine.com/api/">hier</a> één gratis aan - - &Copy - + + Paste here your Comic Vine API key + Plak hier uw Comic Vine API-sleutel - - Level: - + + Accept + Accepteren - - &Auto scroll - + + Cancel + Annuleren - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Kleurenschema + + + + System + Systeem + + + + Light + Licht + + + + Dark + Donker + + + + Custom + Aangepast + + + + Remove + Verwijderen + + + + Remove this user-imported theme + Verwijder dit door de gebruiker geïmporteerde thema + + + + Light: + Licht: + + + + Dark: + Donker: + + + + Custom: + Aangepast: + + + + Import theme... + Thema importeren... + + + + Theme + Thema + + + + Theme editor + Thema-editor + + + + Open Theme Editor... + Thema-editor openen... + + + + Theme editor error + Fout in de thema-editor + + + + The current theme JSON could not be loaded. + De huidige thema-JSON kan niet worden geladen. + + + + Import theme + Thema importeren + + + + JSON files (*.json);;All files (*) + JSON-bestanden (*.json);;Alle bestanden (*) + + + + Could not import theme from: +%1 + Kan thema niet importeren uit: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + Kan thema niet importeren uit: +%1 + +%2 + + + + Import failed + Importeren is mislukt - QObject + BookmarksDialog - - Trace - + + Lastest Page + Laatste Pagina - - Debug - + + Close + Sluiten - - Info - + + Click on any image to go to the bookmark + Klik op een afbeelding om naar de bladwijzer te gaan - - Warning - + + + Loading... + Inladen... + + + ClassicComicsView - - Error - + + Hide comic flow + Sluit de Omslagbrowser + + + + ComicModel + + + yes + Ja - - Fatal - + + no + neen + + + + Title + Titel + + + + File Name + Bestandsnaam + + + + Pages + Pagina's + + + + Size + Grootte(MB) + + + + Read + Gelezen + + + + Current Page + Huidige pagina + + + + Publication Date + Publicatiedatum + + + + Rating + Beoordeling + + + + Series + Serie + + + + Volume + Deel + + + + Story Arc + Verhaalboog + + + + ComicVineDialog + + + skip + overslaan + + + + back + rug + + + + next + volgende + + + + search + zoekopdracht + + + + close + dichtbij + + + + + comic %1 of %2 - %3 + strip %1 van %2 - %3 + + + + + + Looking for volume... + Op zoek naar volumes... + + + + %1 comics selected + %1 strips geselecteerd + + + + Error connecting to ComicVine + Fout bij verbinden met ComicVine + + + + + Retrieving tags for : %1 + Tags ophalen voor: %1 + + + + Retrieving volume info... + Volume-informatie ophalen... + + + + Looking for comic... + Op zoek naar komische... + + + + ContinuousPageWidget + + + Loading page %1 + Pagina laden %1 + + + + CreateLibraryDialog + + + Comics folder : + Strips map: + + + + Library Name : + Bibliotheek Naam : + + + + Create + Aanmaken + + + + Cancel + Annuleren + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Een bibliotheek aanmaken kan enkele minuten duren. U kunt het proces stoppen en de bibliotheek later voltooien. + + + + Create new library + Een nieuwe Bibliotheek aanmaken + + + + Path not found + Pad niet gevonden + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + De geselecteerde pad bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map + + + + EditShortcutsDialog + + + Restore defaults + Standaardwaarden herstellen + + + + To change a shortcut, double click in the key combination and type the new keys. + Om een ​​snelkoppeling te wijzigen, dubbelklikt u op de toetsencombinatie en typt u de nieuwe toetsen. + + + + Shortcuts settings + Instellingen voor snelkoppelingen + + + + Shortcut in use + Snelkoppeling in gebruik + + + + The shortcut "%1" is already assigned to other function + De sneltoets "%1" is al aan een andere functie toegewezen + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Deze map bevat nog geen strips + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Dit label bevat nog geen strips + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Deze leeslijst bevat nog geen strips + + + + EmptySpecialListWidget + + + No favorites + Geen favorieten + + + + You are not reading anything yet, come on!! + Je leest nog niets, kom op!! + + + + There are no recent comics! + Er zijn geen recente strips! + + + + ExportComicsInfoDialog + + + Output file : + Uitvoerbestand: + + + + Create + Aanmaken + + + + Cancel + Annuleren + + + + Export comics info + Strip info exporteren + + + + Destination database name + Bestemmingsdatabase naam + + + + Problem found while writing + Probleem bij het schrijven + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Het gekozen pad voor het uitvoerbestand bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map + + + + ExportLibraryDialog + + + Output folder : + Uitvoermap : + + + + Create + Aanmaken + + + + Cancel + Annuleren + + + + Create covers package + Aanmaken omslag pakket + + + + Problem found while writing + Probleem bij het schrijven + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Het gekozen pad voor het uitvoerbestand bestaat niet of is geen geldig pad. Controleer of u schrijftoegang hebt tot deze map + + + + Destination directory + Doeldirectory + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + CRC-fout op pagina (%1): sommige pagina's worden niet correct weergegeven + + + + Unknown error opening the file + Onbekende fout bij het openen van het bestand + + + + 7z not found + 7Z Archiefbestand niet gevonden + + + + Format not supported + Formaat niet ondersteund + + + + GoToDialog + + + Page : + Pagina : + + + + Go To + Ga Naar + + + + Cancel + Annuleren + + + + + Total pages : + Totaal aantal pagina's : + + + + Go to... + Ga naar... + + + + GoToFlowToolBar + + + Page : + Pagina : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + Toon informatie + + + HelpAboutDialog - - Level - + + About + Over - - Message - + + Help + Hulp + + + + System info + Systeeminformatie + + + + ImportComicsInfoDialog + + + Import comics info + Strip info Importeren + + + + Info database location : + Info database locatie : + + + + Import + Importeren + + + + Cancel + Annuleren + + + + Comics info file (*.ydb) + Strips info bestand ( * .ydb) + + + + ImportLibraryDialog + + + Library Name : + Bibliotheek Naam : + + + + Package location : + Arrangement locatie : + + + + Destination folder : + Doelmap: + + + + Unpack + Uitpakken + + + + Cancel + Annuleren + + + + Extract a catalog + Een catalogus uitpakken + + + + Compresed library covers (*.clc) + Compresed omslag- bibliotheek ( * .clc) + + + + ImportWidget + + + stop + Stoppen + + + + Some of the comics being added... + Enkele strips zijn toegevoegd ... + + + + Importing comics + Strips importeren + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <P>YACReaderLibrary maak nu een nieuwe bibliotheek. < /p> <p>Een bibliotheek aanmaken kan enkele minuten duren. U kunt het proces stoppen en de bibliotheek later voltooien. < /p> + + + + Updating the library + Actualisering van de bibliotheek + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <P>De huidige bibliotheek wordt bijgewerkt. Voor snellere updates, update uw bibliotheken regelmatig. < /p> <p>u kunt het proces stoppen om later bij te werken. < /p> + + + + Upgrading the library + Het upgraden van de bibliotheek + + + + <p>The current library is being upgraded, please wait.</p> + <p>De huidige bibliotheek wordt geüpgraded. Een ogenblik geduld.</p> + + + + Scanning the library + De bibliotheek scannen + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>De huidige bibliotheek wordt gescand op oudere XML-metadata-informatie.</p><p>Dit is slechts één keer nodig en alleen als de bibliotheek is ingepakt met YACReaderLibrary 9.8.2 of eerder.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Bibliotheek + + + + + + comic + grappig + + + + + + manga + Manga + + + + + + western manga (left to right) + westerse manga (van links naar rechts) + + + + + + web comic + web-strip + + + + + + 4koma (top to botom) + 4koma (van boven naar beneden) + + + + + + + Set type + Soort instellen + + + + Library + Bibliotheek + + + + Folder + Map + + + + Comic + Grappig + + + + Upgrade failed + Upgrade mislukt + + + + There were errors during library upgrade in: + Er zijn fouten opgetreden tijdens de bibliotheekupgrade in: + + + + Update needed + Bijwerken is nodig + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Deze bibliotheek is gemaakt met een vorige versie van YACReaderLibrary. Het moet worden bijgewerkt. Nu bijwerken? + + + + Download new version + Nieuwe versie ophalen + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Deze bibliotheek is gemaakt met een nieuwere versie van YACReaderLibrary. Download de nieuwe versie? + + + + Library not available + Bibliotheek niet beschikbaar + + + + Library '%1' is no longer available. Do you want to remove it? + Bibliotheek ' %1' is niet langer beschikbaar. Wilt u het verwijderen? + + + + Old library + Oude Bibliotheek + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Bibliotheek ' %1' is gemaakt met een oudere versie van YACReaderLibrary. Zij moet opnieuw worden aangemaakt. Wilt u de bibliotheek nu aanmaken? + + + + + Copying comics... + Strips kopiëren... + + + + + Moving comics... + Strips verplaatsen... + + + + Add new folder + Nieuwe map toevoegen + + + + Folder name: + Mapnaam: + + + + No folder selected + Geen map geselecteerd + + + + Please, select a folder first + Selecteer eerst een map + + + + Error in path + Fout in pad + + + + There was an error accessing the folder's path + Er is een fout opgetreden bij het verkrijgen van toegang tot het pad van de map + + + + Delete folder + Map verwijderen + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + De geselecteerde map en de volledige inhoud ervan worden van uw schijf verwijderd. Weet je het zeker? + + + + + Unable to delete + Kan niet verwijderen + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Er is een probleem opgetreden bij het verwijderen van de geselecteerde mappen. Controleer of er schrijfrechten zijn en zorg ervoor dat alle toepassingen deze mappen of een van de daarin opgenomen bestanden gebruiken. + + + + Add new reading lists + Voeg nieuwe leeslijsten toe + + + + + List name: + Lijstnaam: + + + + Delete list/label + Lijst/label verwijderen + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Het geselecteerde item wordt verwijderd, uw strips of mappen worden NIET van uw schijf verwijderd. Weet je het zeker? + + + + Rename list name + Hernoem de lijstnaam + + + + Open folder... + Map openen ... + + + + Update folder + Map bijwerken + + + + Rescan library for XML info + Bibliotheek opnieuw scannen op XML-info + + + + Set as uncompleted + Ingesteld als onvoltooid + + + + Set as completed + Instellen als voltooid + + + + Set as read + Instellen als gelezen + + + + + Set as unread + Instellen als ongelezen + + + + Set custom cover + Aangepaste omslag instellen + + + + Delete custom cover + Aangepaste omslag verwijderen + + + + Save covers + Bewaar hoesjes + + + + You are adding too many libraries. + U voegt te veel bibliotheken toe. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + U voegt te veel bibliotheken toe. + +Je hebt waarschijnlijk maar één bibliotheek nodig in je stripmap op het hoogste niveau. Je kunt door alle submappen bladeren met behulp van het mappengedeelte in de linkerzijbalk. + +YACReaderLibrary zal u er niet van weerhouden om meer bibliotheken te creëren, maar u moet het aantal bibliotheken laag houden. + + + + + YACReader not found + YACReader niet gevonden + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader niet gevonden. YACReader moet in dezelfde map worden geïnstalleerd als YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader niet gevonden. Er is mogelijk een probleem met uw YACReader-installatie. + + + + Error + Fout + + + + Error opening comic with third party reader. + Fout bij het openen van een strip met een lezer van een derde partij. + + + + Library not found + Bibliotheek niet gevonden + + + + The selected folder doesn't contain any library. + De geselecteerde map bevat geen bibliotheek. + + + + Are you sure? + Weet u het zeker? + + + + Do you want remove + Wilt u verwijderen + + + + library? + Bibliotheek? + + + + Remove and delete metadata + Verwijder metagegevens + + + + Library info + Bibliotheekinformatie + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Er is een probleem opgetreden bij het verwijderen van de geselecteerde strips. Controleer of er schrijfrechten zijn voor de geselecteerde bestanden of de map waarin deze zich bevinden. + + + + Assign comics numbers + Wijs stripnummers toe + + + + Assign numbers starting in: + Nummers toewijzen beginnend met: + + + + Invalid image + Ongeldige afbeelding + + + + The selected file is not a valid image. + Het geselecteerde bestand is geen geldige afbeelding. + + + + Error saving cover + Fout bij opslaan van dekking + + + + There was an error saving the cover image. + Er is een fout opgetreden bij het opslaan van de omslagafbeelding. + + + + Error creating the library + Fout bij aanmaken Bibliotheek + + + + Error updating the library + Fout bij bijwerken Bibliotheek + + + + Error opening the library + Fout bij openen Bibliotheek + + + + Delete comics + Strips verwijderen + + + + All the selected comics will be deleted from your disk. Are you sure? + Alle geselecteerde strips worden verwijderd van uw schijf. Weet u het zeker? + + + + Remove comics + Verwijder strips + + + + Comics will only be deleted from the current label/list. Are you sure? + Strips worden alleen verwijderd van het huidige label/de huidige lijst. Weet je het zeker? + + + + Library name already exists + Bibliotheek naam bestaat al + + + + There is another library with the name '%1'. + Er is al een bibliotheek met de naam ' %1 '. + + + + LibraryWindowActions + + + Create a new library + Maak een nieuwe Bibliotheek + + + + Open an existing library + Open een bestaande Bibliotheek + + + + + Export comics info + Strip info exporteren + + + + + Import comics info + Strip info Importeren + + + + Pack covers + Inpakken strip voorbladen + + + + Pack the covers of the selected library + Inpakken alle strip voorbladen van de geselecteerde Bibliotheek + + + + Unpack covers + Uitpakken voorbladen + + + + Unpack a catalog + Uitpaken van een catalogus + + + + Update library + Bibliotheek bijwerken + + + + Update current library + Huidige Bibliotheek bijwerken + + + + Rename library + Bibliotheek hernoemen + + + + Rename current library + Huidige Bibliotheek hernoemen + + + + Remove library + Bibliotheek verwijderen + + + + Remove current library from your collection + De huidige Bibliotheek verwijderen uit uw verzameling + + + + Rescan library for XML info + Bibliotheek opnieuw scannen op XML-info + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Probeert XML-informatie te vinden die is ingebed in stripbestanden. U hoeft dit alleen te doen als de bibliotheek is gemaakt met versie 9.8.2 of eerdere versies of als u software van derden gebruikt om XML-informatie in de bestanden in te sluiten. + + + + Show library info + Bibliotheekinfo tonen + + + + Show information about the current library + Toon informatie over de huidige bibliotheek + + + + Open current comic + Huidige strip openen + + + + Open current comic on YACReader + Huidige strip openen in YACReader + + + + Save selected covers to... + Geselecteerde omslagen opslaan in... + + + + Save covers of the selected comics as JPG files + Sla covers van de geselecteerde strips op als JPG-bestanden + + + + + Set as read + Instellen als gelezen + + + + Set comic as read + Strip Instellen als gelezen + + + + + Set as unread + Instellen als ongelezen + + + + Set comic as unread + Strip Instellen als ongelezen + + + + + manga + Manga + + + + Set issue as manga + Stel het probleem in als manga + + + + + comic + grappig + + + + Set issue as normal + Stel het probleem in als normaal + + + + western manga + westerse manga + + + + Set issue as western manga + Stel het probleem in als westerse manga + + + + + web comic + web-strip + + + + Set issue as web comic + Stel het probleem in als webstrip + + + + + yonkoma + yokoma + + + + Set issue as yonkoma + Stel het probleem in als yonkoma + + + + Show/Hide marks + Toon/Verberg markeringen + + + + Show or hide read marks + Toon of verberg leesmarkeringen + + + + Show/Hide recent indicator + Recente indicator tonen/verbergen + + + + Show or hide recent indicator + Toon of verberg recente indicator + + + + + Fullscreen mode on/off + Volledig scherm modus aan/of + + + + Help, About YACReader + Help, Over YACReader + + + + Add new folder + Nieuwe map toevoegen + + + + Add new folder to the current library + Voeg een nieuwe map toe aan de huidige bibliotheek + + + + Delete folder + Map verwijderen + + + + Delete current folder from disk + Verwijder de huidige map van schijf + + + + Select root node + Selecteer de hoofd categorie + + + + Expand all nodes + Alle categorieën uitklappen + + + + Collapse all nodes + Vouw alle knooppunten samen + + + + Show options dialog + Toon opties dialoog + + + + Show comics server options dialog + Toon strips-server opties dialoog + + + + + Change between comics views + Wisselen tussen stripweergaven + + + + Open folder... + Map openen ... + + + + Set as uncompleted + Ingesteld als onvoltooid + + + + Set as completed + Instellen als voltooid + + + + Set custom cover + Aangepaste omslag instellen + + + + Delete custom cover + Aangepaste omslag verwijderen + + + + western manga (left to right) + westerse manga (van links naar rechts) + + + + Open containing folder... + Open map ... + + + + Reset comic rating + Stripbeoordeling opnieuw instellen + + + + Select all comics + Selecteer alle strips + + + + Edit + Bewerken + + + + Assign current order to comics + Wijs de huidige volgorde toe aan strips + + + + Update cover + Strip omslagen bijwerken + + + + Delete selected comics + Geselecteerde strips verwijderen + + + + Delete metadata from selected comics + Verwijder metadata uit geselecteerde strips + + + + Download tags from Comic Vine + Tags downloaden van Comic Vine + + + + Focus search line + Focus zoeklijn + + + + Focus comics view + Focus stripweergave + + + + Edit shortcuts + Snelkoppelingen bewerken + + + + &Quit + &Afsluiten + + + + Update folder + Map bijwerken + + + + Update current folder + Werk de huidige map bij + + + + Scan legacy XML metadata + Scan oudere XML-metagegevens + + + + Add new reading list + Nieuwe leeslijst toevoegen + + + + Add a new reading list to the current library + Voeg een nieuwe leeslijst toe aan de huidige bibliotheek + + + + Remove reading list + Leeslijst verwijderen + + + + Remove current reading list from the library + Verwijder de huidige leeslijst uit de bibliotheek + + + + Add new label + Nieuw etiket toevoegen + + + + Add a new label to this library + Voeg een nieuw label toe aan deze bibliotheek + + + + Rename selected list + Hernoem de geselecteerde lijst + + + + Rename any selected labels or lists + Hernoem alle geselecteerde labels of lijsten + + + + Add to... + Toevoegen aan... + + + + Favorites + Favorieten + + + + Add selected comics to favorites list + Voeg geselecteerde strips toe aan de favorietenlijst + + + + LocalComicListModel + + + file name + bestandsnaam + + + + NoLibrariesWidget + + + You don't have any libraries yet + Je hebt geen nog libraries + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <P>u kunt een bibliotheek maken in een willekeurige map, YACReaderLibrary importeert alle strips en mappen uit deze map. Alle bibliotheek aangemaakt in het verleden kan je openen. < /p> <p>vergeet niet dat u YACReader kan gebruiken als stand-alone applicatie voor het lezen van de strips op de computer. < /p> + + + + create your first library + Maak uw eerste bibliotheek + + + + add an existing one + voeg een bestaande bibliotheek toe + + + + NoSearchResultsWidget + + + No results + Geen resultaten + + + + OptionsDialog + + + + General + Algemeen + + + + + Libraries + Bibliotheken + + + + Comic Flow + Komische stroom + + + + Grid view + Rasterweergave + + + + + Appearance + Verschijning + + + + + Options + Opties + + + + + Language + Taal + + + + + Application language + Applicatietaal + + + + + System default + Standaard van het systeem + + + + Tray icon settings (experimental) + Instellingen voor ladepictogram (experimenteel) + + + + Close to tray + Dicht bij lade + + + + Start into the system tray + Begin in het systeemvak + + + + Edit Comic Vine API key + Bewerk de Comic Vine API-sleutel + + + + Comic Vine API key + Comic Vine API-sleutel + + + + ComicInfo.xml legacy support + ComicInfo.xml verouderde ondersteuning + + + + Import metadata from ComicInfo.xml when adding new comics + Importeer metagegevens uit ComicInfo.xml wanneer u nieuwe strips toevoegt + + + + Consider 'recent' items added or updated since X days ago + Overweeg 'recente' items die sinds X dagen geleden zijn toegevoegd of bijgewerkt + + + + Third party reader + Lezer van derden + + + + Write {comic_file_path} where the path should go in the command + Schrijf {comic_file_path} waar het pad naartoe moet in de opdracht + + + + + Clear + Duidelijk + + + + Update libraries at startup + Update bibliotheken bij het opstarten + + + + Try to detect changes automatically + Probeer wijzigingen automatisch te detecteren + + + + Update libraries periodically + Update bibliotheken regelmatig + + + + Interval: + Tijdsinterval: + + + + 30 minutes + 30 minuten + + + + 1 hour + 1 uur + + + + 2 hours + 2 uur + + + + 4 hours + 4 uur + + + + 8 hours + 8 uur + + + + 12 hours + 12 uur + + + + daily + dagelijks + + + + Update libraries at certain time + Update bibliotheken op een bepaald tijdstip + + + + Time: + Tijd: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + WAARSCHUWING! Tijdens bibliotheekupdates is schrijven naar de database uitgeschakeld! +Plan geen updates terwijl u de app mogelijk actief gebruikt. +During automatic updates the app will block some of the actions until the update is finished. +Om een ​​automatische update te stoppen, tikt u op de laadindicator naast de titel van Bibliotheken. + + + + Modifications detection + Detectie van wijzigingen + + + + Compare the modified date of files when updating a library (not recommended) + Vergelijk de wijzigingsdatum van bestanden bij het updaten van een bibliotheek (niet aanbevolen) + + + + Enable background image + Achtergrondafbeelding inschakelen + + + + Opacity level + Dekkingsniveau + + + + Blur level + Vervagingsniveau + + + + Use selected comic cover as background + Gebruik geselecteerde stripomslag als achtergrond + + + + Restore defautls + Standaardwaarden herstellen + + + + Background + Achtergrond + + + + Display continue reading banner + Toon de banner voor verder lezen + + + + Display current comic banner + Toon huidige stripbanner + + + + Continue reading + Lees verder + + + + My comics path + Pad naar mijn strips + + + + Display + Weergave + + + + Show time in current page information label + Toon de tijd in het informatielabel van de huidige pagina + + + + "Go to flow" size + "Naar Omslagbrowser" afmetingen + + + + Background color + Achtergrondkleur + + + + Choose + Kies + + + + Scroll behaviour + Scrollgedrag + + + + Disable scroll animations and smooth scrolling + Schakel scrollanimaties en soepel scrollen uit + + + + Do not turn page using scroll + Sla de pagina niet om met scrollen + + + + Use single scroll step to turn page + Gebruik een enkele scrollstap om de pagina om te slaan + + + + Mouse mode + Muismodus + + + + Only Back/Forward buttons can turn pages + Alleen de knoppen Terug/Vooruit kunnen pagina's omslaan + + + + Use the Left/Right buttons to turn pages. + Gebruik de knoppen Links/Rechts om pagina's om te slaan. + + + + Click left or right half of the screen to turn pages. + Klik op de linker- of rechterhelft van het scherm om pagina's om te slaan. + + + + Quick Navigation Mode + Snelle navigatiemodus + + + + Disable mouse over activation + Schakel muis-over-activering uit + + + + Brightness + Helderheid + + + + Contrast + Contrastwaarde + + + + Gamma + Gammawaarde + + + + Reset + Standaardwaarden terugzetten + + + + Image options + Afbeelding opties + + + + Fit options + Pas opties + + + + Enlarge images to fit width/height + Vergroot afbeeldingen zodat ze in de breedte/hoogte passen + + + + Double Page options + Opties voor dubbele pagina's + + + + Show covers as single page + Toon omslagen als enkele pagina + + + + Scaling + Schalen + + + + Scaling method + Schaalmethode + + + + Nearest (fast, low quality) + Dichtstbijzijnde (snel, lage kwaliteit) + + + + Bilinear + Bilineair + + + + Lanczos (better quality) + Lanczos (betere kwaliteit) + + + + Page Flow + Omslagbrowser + + + + Image adjustment + Beeldaanpassing + + + + + Restart is needed + Herstart is nodig + + + + Comics directory + Strips map + + + + PropertiesDialog + + + General info + Algemene Info + + + + Plot + Verhaal + + + + Authors + Auteurs + + + + Publishing + Uitgever + + + + Notes + Opmerkingen + + + + Cover page + Omslag + + + + Load previous page as cover + Laad de vorige pagina als omslag + + + + Load next page as cover + Laad de volgende pagina als omslag + + + + Reset cover to the default image + Zet de omslag terug naar de standaardafbeelding + + + + Load custom cover image + Aangepaste omslagafbeelding laden + + + + Series: + Serie: + + + + Title: + Titel: + + + + + + of: + van: + + + + Issue number: + Ids: + + + + Volume: + Inhoud: + + + + Arc number: + Boognummer: + + + + Story arc: + Verhaallijn: + + + + alt. number: + alt. nummer: + + + + Alternate series: + Alternatieve serie: + + + + Series Group: + Seriegroep: + + + + Genre: + Genretype: + + + + Size: + Grootte(MB): + + + + Writer(s): + Schrijver(s): + + + + Penciller(s): + Tekenaar(s): + + + + Inker(s): + Inkt(en): + + + + Colorist(s): + Inkleurder(s): + + + + Letterer(s): + Letterzetter(s): + + + + Cover Artist(s): + Omslag ontwikkelaar(s): + + + + Editor(s): + Redacteur(en): + + + + Imprint: + Opdruk: + + + + Day: + Dag: + + + + Month: + Maand: + + + + Year: + Jaar: + + + + Publisher: + Uitgever: + + + + Format: + Formaat: + + + + Color/BW: + Kleur/ZW: + + + + Age rating: + Leeftijdsbeperking: + + + + Type: + Soort: + + + + Language (ISO): + Taal (ISO): + + + + Synopsis: + Samenvatting: + + + + Characters: + Personages: + + + + Teams: + Ploegen: + + + + Locations: + Locaties: + + + + Main character or team: + Hoofdpersoon of team: + + + + Review: + Beoordeling: + + + + Notes: + Opmerkingen: + + + + Tags: + Labels: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine-link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> bekijken </a> + + + + Not found + Niet gevonden + + + + Comic not found. You should update your library. + Strip niet gevonden. U moet uw bibliotheek.bijwerken. + + + + Edit comic information + Strip informatie bijwerken + + + + Edit selected comics information + Geselecteerde strip informatie bijwerken + + + + Invalid cover + Ongeldige dekking + + + + The image is invalid. + De afbeelding is ongeldig. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer is de headless (geen gui) versie van YACReaderLibrary. + +Deze applicatie ondersteunt permanente instellingen. Om ze in te stellen, bewerk dit bestand %1 +Voor meer informatie over de beschikbare instellingen kunt u de documentatie raadplegen op https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + Spoor + + + + Debug + Foutopsporing + + + + Info + Informatie + + + + Warning + Waarschuwing + + + + Error + Fout + + + + Fatal + Fataal + + + + Select custom cover + Selecteer een aangepaste omslag + + + + Images (%1) + Afbeeldingen (%1) + + + + 7z lib not found + 7z-lib niet gevonden + + + + unable to load 7z lib from ./utils + kan 7z lib niet laden vanuit ./utils + + + + The file could not be read or is not valid JSON. + Het bestand kan niet worden gelezen of is geen geldige JSON. + + + + This theme is for %1, not %2. + Dit thema is voor %1, niet voor %2. + + + + Libraries + Bibliotheken + + + + Folders + Mappen + + + + Reading Lists + Leeslijsten + + + + RenameLibraryDialog + + + New Library Name : + Nieuwe Bibliotheek Naam : + + + + Rename + Hernoem + + + + Cancel + Annuleren + + + + Rename current library + Huidige Bibliotheek hernoemen + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Aantal gevonden volumes: %1 + + + + + page %1 of %2 + pagina %1 van %2 + + + + Number of %1 found : %2 + Aantal %1 gevonden: %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Geef wat aanvullende informatie op voor deze strip. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Gebruik exacte matchzoekopdrachten. Schakel dit uit als u volumes wilt vinden die overeenkomen met enkele woorden in de naam. + + + + SearchVolume + + + Please provide some additional information. + Geef alstublieft wat aanvullende informatie op. + + + + Series: + Serie: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Gebruik exacte matchzoekopdrachten. Schakel dit uit als u volumes wilt vinden die overeenkomen met enkele woorden in de naam. + + + + SelectComic + + + Please, select the right comic info. + Selecteer de juiste stripinformatie. + + + + comics + strips + + + + loading cover + laaddeksel + + + + loading description + beschrijving laden + + + + comic description unavailable + komische beschrijving niet beschikbaar + + + + SelectVolume + + + Please, select the right series for your comic. + Selecteer de juiste serie voor jouw strip. + + + + Filter: + Selectiefilter: + + + + volumes + delen + + + + Nothing found, clear the filter if any. + Niets gevonden. Wis eventueel het filter. + + + + loading cover + laaddeksel + + + + loading description + beschrijving laden + + + + volume description unavailable + volumebeschrijving niet beschikbaar + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Je probeert informatie voor verschillende strips tegelijk te krijgen. Maken ze deel uit van dezelfde serie? + + + + yes + Ja + + + + no + neen + + + + ServerConfigDialog + + + set port + Poort instellen + + + + Server connectivity information + Informatie over serverconnectiviteit + + + + Scan it! + Scan het! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader is beschikbaar voor iOS- en Android-apparaten.<br/>Ontdek het voor <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> of <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Kies een IP-adres + + + + Port + Poort + + + + enable the server + De server instellen + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Sorteer de lijst met strips aan de linkerkant totdat deze overeenkomt met de informatie over de strips. + + + + sort comics to match comic information + sorteer strips zodat ze overeenkomen met stripinformatie + + + + issues + problemen + + + + remove selected comics + verwijder geselecteerde strips + + + + restore all removed comics + herstel alle verwijderde strips + + + + ThemeEditorDialog + + + Theme Editor + Thema-editor + + + + + + + + + + + - + - + + + + i + ? + + + + Expand all + Alles uitvouwen + + + + Collapse all + Alles samenvouwen + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Houd ingedrukt om de geselecteerde waarde in de gebruikersinterface te laten knipperen (magenta / geschakeld / 0↔10). Releases herstellen het origineel. + + + + Search… + Zoekopdracht… + + + + Light + Licht + + + + Dark + Donker + + + + ID: + Identiteitskaart: + + + + Display name: + Weergavenaam: + + + + Variant: + Variatie: + + + + Theme info + Thema-informatie + + + + Parameter + Instelwaarde + + + + Value + Waarde + + + + Save and apply + Opslaan en toepassen + + + + Export to file... + Exporteren naar bestand... + + + + Load from file... + Laden uit bestand... + + + + Close + Sluiten + + + + Double-click to edit color + Dubbelklik om de kleur te bewerken + + + + + + + + + true + WAAR + + + + + + + false + vals + + + + Double-click to toggle + Dubbelklik om te schakelen + + + + Double-click to edit value + Dubbelklik om de waarde te bewerken + + + + + + Edit: %1 + Bewerken: %1 + + + + Save theme + Thema opslaan + + + + + JSON files (*.json);;All files (*) + JSON-bestanden (*.json);;Alle bestanden (*) + + + + Save failed + Opslaan mislukt + + + + Could not open file for writing: +%1 + Kan bestand niet openen om te schrijven: +%1 + + + + Load theme + Thema laden + + + + + + Load failed + Laden mislukt + + + + Could not open file: +%1 + Kan bestand niet openen: +%1 + + + + Invalid JSON: +%1 + Ongeldige JSON: +%1 + + + + Expected a JSON object. + Er werd een JSON-object verwacht. + + + + TitleHeader + + + SEARCH + ZOEKOPDRACHT + + + + UpdateLibraryDialog + + + Updating.... + Bijwerken.... + + + + Cancel + Annuleren + + + + Update library + Bibliotheek bijwerken + + + + Viewer + + + + Press 'O' to open comic. + Druk 'O' om een strip te openen. + + + + Not found + Niet gevonden + + + + Comic not found + Strip niet gevonden + + + + Error opening comic + Fout bij openen strip + + + + CRC Error + CRC-fout + + + + Loading...please wait! + Inladen...even wachten! + + + + Page not available! + Pagina niet beschikbaar! + + + + Cover! + Omslag! + + + + Last page! + Laatste pagina! + + + + VolumeComicsModel + + + title + titel + + + + VolumesModel + + + year + jaar + + + + issues + problemen + + + + publisher + uitgever + + + + YACReader3DFlowConfigWidget + + + Presets: + Voorinstellingen: + + + + Classic look + Klassiek + + + + Stripe look + Brede band + + + + Overlapped Stripe look + Overlappende band + + + + Modern look + Modern + + + + Roulette look + Roulette + + + + Show advanced settings + Toon geavanceerde instellingen + + + + Custom: + Aangepast: + + + + View angle + Kijkhoek + + + + Position + Positie + + + + Cover gap + Ruimte tss Omslag + + + + Central gap + Centrale ruimte + + + + Zoom + Vergroting + + + + Y offset + Y-positie + + + + Z offset + Z- positie + + + + Cover Angle + Omslag hoek + + + + Visibility + Zichtbaarheid + + + + Light + Licht + + + + Max angle + Maximale hoek + + + + Low Performance + Lage Prestaties + + + + High Performance + Hoge Prestaties + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Gebruik VSync (verbetering van de beeldkwaliteit in de modus volledig scherm, slechtere prestatie) + + + + Performance: + Prestatie: + + + + YACReader::MainWindowViewer + + + &Open + &Openen + + + + Open a comic + Open een strip + + + + New instance + Nieuw exemplaar + + + + Open Folder + Map Openen + + + + Open image folder + Open afbeeldings map + + + + Open latest comic + Open de nieuwste strip + + + + Open the latest comic opened in the previous reading session + Open de nieuwste strip die in de vorige leessessie is geopend + + + + Clear + Duidelijk + + + + Clear open recent list + Wis geopende recente lijst + + + + Save + Bewaar + + + + + Save current page + Bewaren huidige pagina + + + + Previous Comic + Vorige Strip + + + + + + Open previous comic + Open de vorige strip + + + + Next Comic + Volgende Strip + + + + + + Open next comic + Open volgende strip + + + + &Previous + &Vorige + + + + + + Go to previous page + Ga naar de vorige pagina + + + + &Next + &Volgende + + + + + + Go to next page + Ga naar de volgende pagina + + + + Fit Height + Geschikte hoogte + + + + Fit image to height + Afbeelding aanpassen aan hoogte + + + + Fit Width + Vensterbreedte aanpassen + + + + Fit image to width + Afbeelding aanpassen aan breedte + + + + Show full size + Volledig Scherm + + + + Fit to page + Aanpassen aan pagina + + + + Continuous scroll + Continu scrollen + + + + Switch to continuous scroll mode + Schakel over naar de continue scrollmodus + + + + Reset zoom + Zoom opnieuw instellen + + + + Show zoom slider + Zoomschuifregelaar tonen + + + + Zoom+ + Inzoomen + + + + Zoom- + Uitzoomen + + + + Rotate image to the left + Links omdraaien + + + + Rotate image to the right + Rechts omdraaien + + + + Double page mode + Dubbele bladzijde modus + + + + Switch to double page mode + Naar dubbele bladzijde modus + + + + Double page manga mode + Manga-modus met dubbele pagina + + + + Reverse reading order in double page mode + Omgekeerde leesvolgorde in dubbele paginamodus + + + + Go To + Ga Naar + + + + Go to page ... + Ga naar bladzijde ... + + + + Options + Opties + + + + YACReader options + YACReader opties + + + + + Help + Hulp + + + + Help, About YACReader + Help, Over YACReader + + + + Magnifying glass + Vergrootglas + + + + Switch Magnifying glass + Overschakelen naar Vergrootglas + + + + Set bookmark + Bladwijzer instellen + + + + Set a bookmark on the current page + Een bladwijzer toevoegen aan de huidige pagina + + + + Show bookmarks + Bladwijzers weergeven + + + + Show the bookmarks of the current comic + Toon de bladwijzers van de huidige strip + + + + Show keyboard shortcuts + Toon de sneltoetsen + + + + Show Info + Info tonen + + + + Close + Sluiten + + + + Show Dictionary + Woordenlijst weergeven + + + + Show go to flow + Toon ga naar de Omslagbrowser + + + + Edit shortcuts + Snelkoppelingen bewerken + + + + &File + &Bestand + + + + + Open recent + Recent geopend + + + + File + Bestand + + + + Edit + Bewerken + + + + View + Weergave + + + + Go + Gaan + + + + Window + Raam + + + + + + Open Comic + Open een Strip + + + + + + Comic files + Strip bestanden + + + + Open folder + Open een Map + + + + page_%1.jpg + pagina_%1.jpg + + + + Image files (*.jpg) + Afbeelding bestanden (*.jpg) + + + + + Comics + Strips + + + + + General + Algemeen + + + + + Magnifiying glass + Vergrootglas + + + + + Page adjustement + Pagina-aanpassing + + + + + Reading + Lezing + + + + Toggle fullscreen mode + Schakel de modus Volledig scherm in + + + + Hide/show toolbar + Werkbalk verbergen/tonen + + + + Size up magnifying glass + Vergrootglas vergroten + + + + Size down magnifying glass + Vergrootglas kleiner maken + + + + Zoom in magnifying glass + Zoom in vergrootglas + + + + Zoom out magnifying glass + Uitzoomen vergrootglas + + + + Reset magnifying glass + Vergrootglas opnieuw instellen + + + + Toggle between fit to width and fit to height + Schakel tussen Aanpassen aan breedte en Aanpassen aan hoogte + + + + Autoscroll down + Automatisch naar beneden scrollen + + + + Autoscroll up + Automatisch omhoog scrollen + + + + Autoscroll forward, horizontal first + Automatisch vooruit scrollen, eerst horizontaal + + + + Autoscroll backward, horizontal first + Automatisch achteruit scrollen, eerst horizontaal + + + + Autoscroll forward, vertical first + Automatisch vooruit scrollen, eerst verticaal + + + + Autoscroll backward, vertical first + Automatisch achteruit scrollen, eerst verticaal + + + + Move down + Ga naar beneden + + + + Move up + Ga omhoog + + + + Move left + Ga naar links + + + + Move right + Ga naar rechts + + + + Go to the first page + Ga naar de eerste pagina + + + + Go to the last page + Ga naar de laatste pagina + + + + Offset double page to the left + Dubbele pagina naar links verschoven + + + + Offset double page to the right + Offset dubbele pagina naar rechts + + + + There is a new version available + Er is een nieuwe versie beschikbaar + + + + Do you want to download the new version? + Wilt u de nieuwe versie downloaden? + + + + Remind me in 14 days + Herinner mij er over 14 dagen aan + + + + Not now + Niet nu + + + + YACReader::TrayIconController + + + &Restore + &Herstellen + + + + Systray + Systeemvak + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary blijft actief in het systeemvak. Om het programma te beëindigen, kiest u <b>Quit</b> in het contextmenu van het systeemvakpictogram. + + + + YACReaderFieldEdit + + + + Click to overwrite + Klik hier om te overschrijven + + + + Restore to default + Standaardwaarden herstellen + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Klik hier om te overschrijven + + + + Restore to default + Standaardwaarden herstellen + + + + YACReaderOptionsDialog + + + Save + Bewaar + + + + Cancel + Annuleren + + + + Edit shortcuts + Snelkoppelingen bewerken + + + + Shortcuts + Snelkoppelingen + + + + YACReaderSearchLineEdit + + + type to search + typ om te zoeken + + + + YACReaderSlider + + + Reset + Standaardwaarden terugzetten - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + YACReader-vertaler - - &Resume - + + + Translation + Vertaling - - Save log - + + clear + duidelijk - - Log file (*.log) - + + Service not available + Dienst niet beschikbaar diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_pt.ts b/YACReaderLibraryServer/yacreaderlibraryserver_pt.ts index a506a2a66..c62cc90e7 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_pt.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_pt.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Nenhum + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Nome da etiqueta: - - 7z not found - + + Choose a color: + Escolha uma cor: - - Format not supported - + + accept + aceitar + + + + cancel + cancelar - LogWindow + AddLibraryDialog + + + Comics folder : + Pasta dos quadrinhos : + + + + Library name : + Nome da Biblioteca : + - - Log window - + + Add + Adicionar - - &Pause - + + Cancel + Cancelar - - &Save - + + Add an existing library + Adicionar uma biblioteca existente + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Antes de se conectar ao Comic Vine, você precisa de sua própria chave de API. Por favor, ganhe um <a href="http://www.comicvine.com/api/">aqui</a> grátis - - &Copy - + + Paste here your Comic Vine API key + Cole aqui sua chave API do Comic Vine - - Level: - + + Accept + Aceitar - - &Auto scroll - + + Cancel + Cancelar - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Esquema de cores + + + + System + Sistema + + + + Light + Luz + + + + Dark + Escuro + + + + Custom + Personalizado + + + + Remove + Remover + + + + Remove this user-imported theme + Remova este tema importado pelo usuário + + + + Light: + Luz: + + + + Dark: + Escuro: + + + + Custom: + Personalizado: + + + + Import theme... + Importar tema... + + + + Theme + Tema + + + + Theme editor + Editor de tema + + + + Open Theme Editor... + Abra o Editor de Tema... + + + + Theme editor error + Erro no editor de tema + + + + The current theme JSON could not be loaded. + O tema atual JSON não pôde ser carregado. + + + + Import theme + Importar tema + + + + JSON files (*.json);;All files (*) + Arquivos JSON (*.json);;Todos os arquivos (*) + + + + Could not import theme from: +%1 + Não foi possível importar o tema de: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + Não foi possível importar o tema de: +%1 + +%2 + + + + Import failed + Falha na importação - QObject + BookmarksDialog - - Trace - + + Lastest Page + Última Página - - Debug - + + Close + Fechar - - Info - + + Click on any image to go to the bookmark + Clique em qualquer imagem para ir para o marcador - - Warning - + + + Loading... + Carregando... + + + ClassicComicsView - - Error - + + Hide comic flow + Ocultar fluxo de quadrinhos + + + + ComicModel + + + yes + sim - - Fatal - + + no + não + + + + Title + Título + + + + File Name + Nome do arquivo + + + + Pages + Páginas + + + + Size + Tamanho + + + + Read + Ler + + + + Current Page + Página atual + + + + Publication Date + Data de publicação + + + + Rating + Avaliação + + + + Series + Série + + + + Volume + Tomo + + + + Story Arc + Arco de história + + + + ComicVineDialog + + + skip + pular + + + + back + voltar + + + + next + próximo + + + + search + procurar + + + + close + fechar + + + + + comic %1 of %2 - %3 + história em quadrinhos %1 de %2 - %3 + + + + + + Looking for volume... + Procurando volume... + + + + %1 comics selected + %1 quadrinhos selecionados + + + + Error connecting to ComicVine + Erro ao conectar-se ao ComicVine + + + + + Retrieving tags for : %1 + Recuperando tags para: %1 + + + + Retrieving volume info... + Recuperando informações de volume... + + + + Looking for comic... + Procurando quadrinhos... + + + + ContinuousPageWidget + + + Loading page %1 + Carregando página %1 + + + + CreateLibraryDialog + + + Comics folder : + Pasta dos quadrinhos : + + + + Library Name : + Nome da Biblioteca : + + + + Create + Criar + + + + Cancel + Cancelar + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Criar uma biblioteca pode levar vários minutos. Você pode interromper o processo e atualizar a biblioteca posteriormente para concluir a tarefa. + + + + Create new library + Criar uma nova biblioteca + + + + Path not found + Caminho não encontrado + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + O caminho selecionado não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta + + + + EditShortcutsDialog + + + Restore defaults + Restaurar padrões + + + + To change a shortcut, double click in the key combination and type the new keys. + Para alterar um atalho, clique duas vezes na combinação de teclas e digite as novas teclas. + + + + Shortcuts settings + Configurações de atalhos + + + + Shortcut in use + Atalho em uso + + + + The shortcut "%1" is already assigned to other function + O atalho "%1" já está atribuído a outra função + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Esta pasta ainda não contém quadrinhos + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Este rótulo ainda não contém quadrinhos + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Esta lista de leitura ainda não contém quadrinhos + + + + EmptySpecialListWidget + + + No favorites + Sem favoritos + + + + You are not reading anything yet, come on!! + Você ainda não está lendo nada, vamos lá!! + + + + There are no recent comics! + Não há quadrinhos recentes! + + + + ExportComicsInfoDialog + + + Output file : + Arquivo de saída: + + + + Create + Criar + + + + Cancel + Cancelar + + + + Export comics info + Exportar informações de quadrinhos + + + + Destination database name + Nome do banco de dados de destino + + + + Problem found while writing + Problema encontrado ao escrever + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + O caminho selecionado para o arquivo de saída não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta + + + + ExportLibraryDialog + + + Output folder : + Pasta de saída : + + + + Create + Criar + + + + Cancel + Cancelar + + + + Create covers package + Criar pacote de capas + + + + Problem found while writing + Problema encontrado ao escrever + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + O caminho selecionado para o arquivo de saída não existe ou não é um caminho válido. Certifique-se de ter acesso de gravação a esta pasta + + + + Destination directory + Diretório de destino + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + Erro CRC na página (%1): algumas páginas não serão exibidas corretamente + + + + Unknown error opening the file + Erro desconhecido ao abrir o arquivo + + + + 7z not found + 7z não encontrado + + + + Format not supported + Formato não suportado + + + + GoToDialog + + + Page : + Página : + + + + Go To + Ir Para + + + + Cancel + Cancelar + + + + + Total pages : + Total de páginas : + + + + Go to... + Ir para... + + + + GoToFlowToolBar + + + Page : + Página : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + Mostrar informações + + + HelpAboutDialog - - Level - + + About + Sobre - - Message - + + Help + Ajuda + + + + System info + Informações do sistema + + + + ImportComicsInfoDialog + + + Import comics info + Importar informações de quadrinhos + + + + Info database location : + Localização do banco de dados de informações: + + + + Import + Importar + + + + Cancel + Cancelar + + + + Comics info file (*.ydb) + Arquivo de informações de quadrinhos (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Nome da Biblioteca : + + + + Package location : + Local do pacote : + + + + Destination folder : + Pasta de destino : + + + + Unpack + Desempacotar + + + + Cancel + Cancelar + + + + Extract a catalog + Extrair um catálogo + + + + Compresed library covers (*.clc) + Capas da biblioteca compactada (*.clc) + + + + ImportWidget + + + stop + parar + + + + Some of the comics being added... + Alguns dos quadrinhos sendo adicionados... + + + + Importing comics + Importando quadrinhos + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary está criando uma nova biblioteca.</p><p>A criação de uma biblioteca pode levar vários minutos. Você pode interromper o processo e atualizar a biblioteca posteriormente para concluir a tarefa.</p> + + + + Updating the library + Atualizando a biblioteca + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>A biblioteca atual está sendo atualizada. Para atualizações mais rápidas, atualize suas bibliotecas com frequência.</p><p>Você pode interromper o processo e continuar atualizando esta biblioteca mais tarde.</p> + + + + Upgrading the library + Atualizando a biblioteca + + + + <p>The current library is being upgraded, please wait.</p> + <p>A biblioteca atual está sendo atualizada. Aguarde.</p> + + + + Scanning the library + Digitalizando a biblioteca + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>A biblioteca atual está sendo verificada em busca de informações de metadados XML legados.</p><p>Isso só será necessário uma vez e somente se a biblioteca tiver sido criada com YACReaderLibrary 9.8.2 ou anterior.</p> + + + + LibraryWindow + + + YACReader Library + Biblioteca YACReader + + + + + + comic + cômico + + + + + + manga + mangá + + + + + + western manga (left to right) + mangá ocidental (da esquerda para a direita) + + + + + + web comic + quadrinhos da web + + + + + + 4koma (top to botom) + 4koma (de cima para baixo) + + + + + + + Set type + Definir tipo + + + + Library + Biblioteca + + + + Folder + Pasta + + + + Comic + Quadrinhos + + + + Upgrade failed + Falha na atualização + + + + There were errors during library upgrade in: + Ocorreram erros durante a atualização da biblioteca em: + + + + Update needed + Atualização necessária + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Esta biblioteca foi criada com uma versão anterior do YACReaderLibrary. Ele precisa ser atualizado. Atualizar agora? + + + + Download new version + Baixe a nova versão + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Esta biblioteca foi criada com uma versão mais recente do YACReaderLibrary. Baixe a nova versão agora? + + + + Library not available + Biblioteca não disponível + + + + Library '%1' is no longer available. Do you want to remove it? + A biblioteca '%1' não está mais disponível. Você quer removê-lo? + + + + Old library + Biblioteca antiga + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + A biblioteca '%1' foi criada com uma versão mais antiga do YACReaderLibrary. Deve ser criado novamente. Deseja criar a biblioteca agora? + + + + + Copying comics... + Copiando quadrinhos... + + + + + Moving comics... + Quadrinhos em movimento... + + + + Add new folder + Adicionar nova pasta + + + + Folder name: + Nome da pasta: + + + + No folder selected + Nenhuma pasta selecionada + + + + Please, select a folder first + Por favor, selecione uma pasta primeiro + + + + Error in path + Erro no caminho + + + + There was an error accessing the folder's path + Ocorreu um erro ao acessar o caminho da pasta + + + + Delete folder + Excluir pasta + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + A pasta selecionada e todo o seu conteúdo serão excluídos do disco. Tem certeza? + + + + + Unable to delete + Não foi possível excluir + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Ocorreu um problema ao tentar excluir as pastas selecionadas. Por favor, verifique as permissões de gravação e certifique-se de que algum aplicativo esteja usando essas pastas ou qualquer um dos arquivos contidos. + + + + Add new reading lists + Adicione novas listas de leitura + + + + + List name: + Nome da lista: + + + + Delete list/label + Excluir lista/rótulo + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + O item selecionado será excluído, seus quadrinhos ou pastas NÃO serão excluídos do disco. Tem certeza? + + + + Rename list name + Renomear nome da lista + + + + Open folder... + Abrir pasta... + + + + Update folder + Atualizar pasta + + + + Rescan library for XML info + Digitalizar novamente a biblioteca em busca de informações XML + + + + Set as uncompleted + Definir como incompleto + + + + Set as completed + Definir como concluído + + + + Set as read + Definir como lido + + + + + Set as unread + Definir como não lido + + + + Set custom cover + Definir capa personalizada + + + + Delete custom cover + Excluir capa personalizada + + + + Save covers + Salvar capas + + + + You are adding too many libraries. + Você está adicionando muitas bibliotecas. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Você está adicionando muitas bibliotecas. + +Você provavelmente só precisa de uma biblioteca em sua pasta de quadrinhos de nível superior. Você pode navegar em qualquer subpasta usando a seção de pastas na barra lateral esquerda. + +YACReaderLibrary não impedirá você de criar mais bibliotecas, mas você deve manter o número de bibliotecas baixo. + + + + + YACReader not found + YACReader não encontrado + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader não encontrado. YACReader deve ser instalado na mesma pasta que YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader não encontrado. Pode haver um problema com a instalação do YACReader. + + + + Error + Erro + + + + Error opening comic with third party reader. + Erro ao abrir o quadrinho com leitor de terceiros. + + + + Library not found + Biblioteca não encontrada + + + + The selected folder doesn't contain any library. + A pasta selecionada não contém nenhuma biblioteca. + + + + Are you sure? + Você tem certeza? + + + + Do you want remove + Você deseja remover + + + + library? + biblioteca? + + + + Remove and delete metadata + Remover e excluir metadados + + + + Library info + Informações da biblioteca + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Ocorreu um problema ao tentar excluir os quadrinhos selecionados. Por favor, verifique as permissões de gravação nos arquivos selecionados ou na pasta que os contém. + + + + Assign comics numbers + Atribuir números de quadrinhos + + + + Assign numbers starting in: + Atribua números começando em: + + + + Invalid image + Imagem inválida + + + + The selected file is not a valid image. + O arquivo selecionado não é uma imagem válida. + + + + Error saving cover + Erro ao salvar a capa + + + + There was an error saving the cover image. + Ocorreu um erro ao salvar a imagem da capa. + + + + Error creating the library + Erro ao criar a biblioteca + + + + Error updating the library + Erro ao atualizar a biblioteca + + + + Error opening the library + Erro ao abrir a biblioteca + + + + Delete comics + Excluir quadrinhos + + + + All the selected comics will be deleted from your disk. Are you sure? + Todos os quadrinhos selecionados serão excluídos do seu disco. Tem certeza? + + + + Remove comics + Remover quadrinhos + + + + Comics will only be deleted from the current label/list. Are you sure? + Os quadrinhos serão excluídos apenas do rótulo/lista atual. Tem certeza? + + + + Library name already exists + O nome da biblioteca já existe + + + + There is another library with the name '%1'. + Existe outra biblioteca com o nome '%1'. + + + + LibraryWindowActions + + + Create a new library + Criar uma nova biblioteca + + + + Open an existing library + Abrir uma biblioteca existente + + + + + Export comics info + Exportar informações de quadrinhos + + + + + Import comics info + Importar informações de quadrinhos + + + + Pack covers + Capas de pacote + + + + Pack the covers of the selected library + Pacote de capas da biblioteca selecionada + + + + Unpack covers + Desembale as capas + + + + Unpack a catalog + Desempacotar um catálogo + + + + Update library + Atualizar biblioteca + + + + Update current library + Atualizar biblioteca atual + + + + Rename library + Renomear biblioteca + + + + Rename current library + Renomear biblioteca atual + + + + Remove library + Remover biblioteca + + + + Remove current library from your collection + Remover biblioteca atual da sua coleção + + + + Rescan library for XML info + Digitalizar novamente a biblioteca em busca de informações XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Tenta encontrar informações XML incorporadas em arquivos de quadrinhos. Você só precisa fazer isso se a biblioteca foi criada com versões 9.8.2 ou anteriores ou se você estiver usando software de terceiros para incorporar informações XML nos arquivos. + + + + Show library info + Mostrar informações da biblioteca + + + + Show information about the current library + Mostrar informações sobre a biblioteca atual + + + + Open current comic + Abrir quadrinho atual + + + + Open current comic on YACReader + Abrir quadrinho atual no YACReader + + + + Save selected covers to... + Salvar capas selecionadas em... + + + + Save covers of the selected comics as JPG files + Salve as capas dos quadrinhos selecionados como arquivos JPG + + + + + Set as read + Definir como lido + + + + Set comic as read + Definir quadrinhos como lidos + + + + + Set as unread + Definir como não lido + + + + Set comic as unread + Definir quadrinhos como não lidos + + + + + manga + mangá + + + + Set issue as manga + Definir problema como mangá + + + + + comic + cômico + + + + Set issue as normal + Defina o problema como normal + + + + western manga + mangá ocidental + + + + Set issue as western manga + Definir problema como mangá ocidental + + + + + web comic + quadrinhos da web + + + + Set issue as web comic + Definir o problema como web comic + + + + + yonkoma + tira yonkoma + + + + Set issue as yonkoma + Definir problema como yonkoma + + + + Show/Hide marks + Mostrar/ocultar marcas + + + + Show or hide read marks + Mostrar ou ocultar marcas de leitura + + + + Show/Hide recent indicator + Mostrar/ocultar indicador recente + + + + Show or hide recent indicator + Mostrar ou ocultar indicador recente + + + + + Fullscreen mode on/off + Modo tela cheia ativado/desativado + + + + Help, About YACReader + Ajuda, Sobre o YACReader + + + + Add new folder + Adicionar nova pasta + + + + Add new folder to the current library + Adicionar nova pasta à biblioteca atual + + + + Delete folder + Excluir pasta + + + + Delete current folder from disk + Exclua a pasta atual do disco + + + + Select root node + Selecionar raiz + + + + Expand all nodes + Expandir todos + + + + Collapse all nodes + Recolher todos os nós + + + + Show options dialog + Mostrar opções + + + + Show comics server options dialog + Mostrar caixa de diálogo de opções do servidor de quadrinhos + + + + + Change between comics views + Alterar entre visualizações de quadrinhos + + + + Open folder... + Abrir pasta... + + + + Set as uncompleted + Definir como incompleto + + + + Set as completed + Definir como concluído + + + + Set custom cover + Definir capa personalizada + + + + Delete custom cover + Excluir capa personalizada + + + + western manga (left to right) + mangá ocidental (da esquerda para a direita) + + + + Open containing folder... + Abrir a pasta contendo... + + + + Reset comic rating + Redefinir classificação de quadrinhos + + + + Select all comics + Selecione todos os quadrinhos + + + + Edit + Editar + + + + Assign current order to comics + Atribuir ordem atual aos quadrinhos + + + + Update cover + Atualizar capa + + + + Delete selected comics + Excluir quadrinhos selecionados + + + + Delete metadata from selected comics + Excluir metadados dos quadrinhos selecionados + + + + Download tags from Comic Vine + Baixe tags do Comic Vine + + + + Focus search line + Linha de pesquisa de foco + + + + Focus comics view + Visualização de quadrinhos em foco + + + + Edit shortcuts + Editar atalhos + + + + &Quit + &Qfato + + + + Update folder + Atualizar pasta + + + + Update current folder + Atualizar pasta atual + + + + Scan legacy XML metadata + Digitalize metadados XML legados + + + + Add new reading list + Adicionar nova lista de leitura + + + + Add a new reading list to the current library + Adicione uma nova lista de leitura à biblioteca atual + + + + Remove reading list + Remover lista de leitura + + + + Remove current reading list from the library + Remover lista de leitura atual da biblioteca + + + + Add new label + Adicionar novo rótulo + + + + Add a new label to this library + Adicione um novo rótulo a esta biblioteca + + + + Rename selected list + Renomear lista selecionada + + + + Rename any selected labels or lists + Renomeie quaisquer rótulos ou listas selecionados + + + + Add to... + Adicionar à... + + + + Favorites + Favoritos + + + + Add selected comics to favorites list + Adicione quadrinhos selecionados à lista de favoritos + + + + LocalComicListModel + + + file name + nome do arquivo + + + + NoLibrariesWidget + + + You don't have any libraries yet + Você ainda não tem nenhuma biblioteca + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Você pode criar uma biblioteca em qualquer pasta, YACReaderLibrary importará todos os quadrinhos e pastas desta pasta. Se você já criou alguma biblioteca, poderá abri-la.</p><p>Não se esqueça de que você pode usar o YACReader como um aplicativo independente para ler quadrinhos em seu computador.</p> + + + + create your first library + crie sua primeira biblioteca + + + + add an existing one + adicione um existente + + + + NoSearchResultsWidget + + + No results + Nenhum resultado + + + + OptionsDialog + + + + General + Em geral + + + + + Libraries + Bibliotecas + + + + Comic Flow + Fluxo de quadrinhos + + + + Grid view + Visualização em grade + + + + + Appearance + Aparência + + + + + Options + Opções + + + + + Language + Idioma + + + + + Application language + Idioma do aplicativo + + + + + System default + Padrão do sistema + + + + Tray icon settings (experimental) + Configurações do ícone da bandeja (experimental) + + + + Close to tray + Perto da bandeja + + + + Start into the system tray + Comece na bandeja do sistema + + + + Edit Comic Vine API key + Editar chave da API Comic Vine + + + + Comic Vine API key + Chave de API do Comic Vine + + + + ComicInfo.xml legacy support + Suporte legado ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Importe metadados de ComicInfo.xml ao adicionar novos quadrinhos + + + + Consider 'recent' items added or updated since X days ago + Considere itens 'recentes' adicionados ou atualizados há X dias + + + + Third party reader + Leitor de terceiros + + + + Write {comic_file_path} where the path should go in the command + Escreva {comic_file_path} onde o caminho deve ir no comando + + + + + Clear + Claro + + + + Update libraries at startup + Atualizar bibliotecas na inicialização + + + + Try to detect changes automatically + Tente detectar alterações automaticamente + + + + Update libraries periodically + Atualize bibliotecas periodicamente + + + + Interval: + Intervalo: + + + + 30 minutes + 30 minutos + + + + 1 hour + 1 hora + + + + 2 hours + 2 horas + + + + 4 hours + 4 horas + + + + 8 hours + 8 horas + + + + 12 hours + 12 horas + + + + daily + diário + + + + Update libraries at certain time + Atualizar bibliotecas em determinado momento + + + + Time: + Tempo: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + AVISO! Durante as atualizações da biblioteca, as gravações no banco de dados são desativadas! +Não agende atualizações enquanto estiver usando o aplicativo ativamente. +Durante as atualizações automáticas, o aplicativo bloqueará algumas ações até que a atualização seja concluída. +Para interromper uma atualização automática, toque no indicador de carregamento próximo ao título Bibliotecas. + + + + Modifications detection + Detecção de modificações + + + + Compare the modified date of files when updating a library (not recommended) + Compare a data de modificação dos arquivos ao atualizar uma biblioteca (não recomendado) + + + + Enable background image + Ativar imagem de fundo + + + + Opacity level + Nível de opacidade + + + + Blur level + Nível de desfoque + + + + Use selected comic cover as background + Use a capa de quadrinhos selecionada como plano de fundo + + + + Restore defautls + Restaurar padrões + + + + Background + Fundo + + + + Display continue reading banner + Exibir banner para continuar lendo + + + + Display current comic banner + Exibir banner de quadrinhos atual + + + + Continue reading + Continuar lendo + + + + My comics path + Meu caminho de quadrinhos + + + + Display + Mostrar + + + + Show time in current page information label + Mostrar hora no rótulo de informações da página atual + + + + "Go to flow" size + Tamanho do "Ir para cheia" + + + + Background color + Cor de fundo + + + + Choose + Escolher + + + + Scroll behaviour + Comportamento de rolagem + + + + Disable scroll animations and smooth scrolling + Desative animações de rolagem e rolagem suave + + + + Do not turn page using scroll + Não vire a página usando scroll + + + + Use single scroll step to turn page + Use uma única etapa de rolagem para virar a página + + + + Mouse mode + Modo mouse + + + + Only Back/Forward buttons can turn pages + Apenas os botões Voltar/Avançar podem virar páginas + + + + Use the Left/Right buttons to turn pages. + Use os botões Esquerda/Direita para virar as páginas. + + + + Click left or right half of the screen to turn pages. + Clique na metade esquerda ou direita da tela para virar as páginas. + + + + Quick Navigation Mode + Modo de navegação rápida + + + + Disable mouse over activation + Desativar ativação do mouse sobre + + + + Brightness + Brilho + + + + Contrast + Contraste + + + + Gamma + Gama + + + + Reset + Reiniciar + + + + Image options + Opções de imagem + + + + Fit options + Opções de ajuste + + + + Enlarge images to fit width/height + Amplie as imagens para caber na largura/altura + + + + Double Page options + Opções de página dupla + + + + Show covers as single page + Mostrar capas como página única + + + + Scaling + Dimensionamento + + + + Scaling method + Método de dimensionamento + + + + Nearest (fast, low quality) + Mais próximo (rápido, baixa qualidade) + + + + Bilinear + Interpola??o bilinear + + + + Lanczos (better quality) + Lanczos (melhor qualidade) + + + + Page Flow + Fluxo de página + + + + Image adjustment + Ajuste de imagem + + + + + Restart is needed + Reiniciar é necessário + + + + Comics directory + Diretório de quadrinhos + + + + PropertiesDialog + + + General info + Informações gerais + + + + Plot + Trama + + + + Authors + Autores + + + + Publishing + Publicação + + + + Notes + Notas + + + + Cover page + Página de rosto + + + + Load previous page as cover + Carregar página anterior como capa + + + + Load next page as cover + Carregar a próxima página como capa + + + + Reset cover to the default image + Redefinir a capa para a imagem padrão + + + + Load custom cover image + Carregar imagem de capa personalizada + + + + Series: + Série: + + + + Title: + Título: + + + + + + of: + de: + + + + Issue number: + Número de emissão: + + + + Volume: + Tomo: + + + + Arc number: + Número do arco: + + + + Story arc: + Arco da história: + + + + alt. number: + alt. número: + + + + Alternate series: + Série alternativa: + + + + Series Group: + Grupo de séries: + + + + Genre: + Gênero: + + + + Size: + Tamanho: + + + + Writer(s): + Escritor(es): + + + + Penciller(s): + Desenhador(es): + + + + Inker(s): + Tinteiro(s): + + + + Colorist(s): + Colorista(s): + + + + Letterer(s): + Letrista(s): + + + + Cover Artist(s): + Artista(s) da capa: + + + + Editor(s): + Editor(es): + + + + Imprint: + Imprimir: + + + + Day: + Dia: + + + + Month: + Mês: + + + + Year: + Ano: + + + + Publisher: + Editor: + + + + Format: + Formatar: + + + + Color/BW: + Cor/PB: + + + + Age rating: + Classificação etária: + + + + Type: + Tipo: + + + + Language (ISO): + Idioma (ISO): + + + + Synopsis: + Sinopse: + + + + Characters: + Personagens: + + + + Teams: + Equipes: + + + + Locations: + Locais: + + + + Main character or team: + Personagem principal ou equipe: + + + + Review: + Análise: + + + + Notes: + Notas: + + + + Tags: + Etiquetas: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Link do Comic Vine: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> visualizar </a> + + + + Not found + Não encontrado + + + + Comic not found. You should update your library. + Quadrinho não encontrado. Você deve atualizar sua biblioteca. + + + + Edit comic information + Editar informações dos quadrinhos + + + + Edit selected comics information + Edite as informações dos quadrinhos selecionados + + + + Invalid cover + Capa inválida + + + + The image is invalid. + A imagem é inválida. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer é a versão sem cabeça (sem interface gráfica) do YACReaderLibrary. + +Este aplicativo suporta configurações persistentes, para configurá-las edite este arquivo %1 +Para saber mais sobre as configurações disponíveis, verifique a documentação em https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + Rastreamento + + + + Debug + Depurar + + + + Info + Informações + + + + Warning + Aviso + + + + Error + Erro + + + + Fatal + Cr?tico + + + + Select custom cover + Selecione a capa personalizada + + + + Images (%1) + Imagens (%1) + + + + 7z lib not found + Biblioteca 7z não encontrada + + + + unable to load 7z lib from ./utils + não é possível carregar 7z lib de ./utils + + + + The file could not be read or is not valid JSON. + O arquivo não pôde ser lido ou não é JSON válido. + + + + This theme is for %1, not %2. + Este tema é para %1, não %2. + + + + Libraries + Bibliotecas + + + + Folders + Pastas + + + + Reading Lists + Listas de leitura + + + + RenameLibraryDialog + + + New Library Name : + Novo nome da biblioteca : + + + + Rename + Renomear + + + + Cancel + Cancelar + + + + Rename current library + Renomear biblioteca atual + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Número de volumes encontrados: %1 + + + + + page %1 of %2 + página %1 de %2 + + + + Number of %1 found : %2 + Número de %1 encontrado: %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Forneça algumas informações adicionais para esta história em quadrinhos. + + + + Series: + Série: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Use a pesquisa de correspondência exata. Desative se quiser encontrar volumes que correspondam a algumas das palavras do nome. + + + + SearchVolume + + + Please provide some additional information. + Forneça algumas informações adicionais. + + + + Series: + Série: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Use a pesquisa de correspondência exata. Desative se quiser encontrar volumes que correspondam a algumas das palavras do nome. + + + + SelectComic + + + Please, select the right comic info. + Por favor, selecione as informações corretas dos quadrinhos. + + + + comics + quadrinhos + + + + loading cover + tampa de carregamento + + + + loading description + descrição de carregamento + + + + comic description unavailable + descrição do quadrinho indisponível + + + + SelectVolume + + + Please, select the right series for your comic. + Por favor, selecione a série certa para o seu quadrinho. + + + + Filter: + Filtro: + + + + volumes + tomos + + + + Nothing found, clear the filter if any. + Nada encontrado, limpe o filtro, se houver. + + + + loading cover + tampa de carregamento + + + + loading description + descrição de carregamento + + + + volume description unavailable + descrição do volume indisponível + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Você está tentando obter informações sobre vários quadrinhos ao mesmo tempo. Eles fazem parte da mesma série? + + + + yes + sim + + + + no + não + + + + ServerConfigDialog + + + set port + definir porta + + + + Server connectivity information + Informações de conectividade do servidor + + + + Scan it! + Digitalize! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + O YACReader está disponível para dispositivos iOS e Android.<br/>Descubra-o para <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> ou <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Escolha um endereço IP + + + + Port + Porta + + + + enable the server + habilitar o servidor + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Por favor, classifique a lista de quadrinhos à esquerda até que corresponda às informações dos quadrinhos. + + + + sort comics to match comic information + classifique os quadrinhos para corresponder às informações dos quadrinhos + + + + issues + problemas + + + + remove selected comics + remover quadrinhos selecionados + + + + restore all removed comics + restaurar todos os quadrinhos removidos + + + + ThemeEditorDialog + + + Theme Editor + Editor de Tema + + + + + + + + + + + - + - + + + + i + eu + + + + Expand all + Expandir tudo + + + + Collapse all + Recolher tudo + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Segure para piscar o valor selecionado na UI (magenta/alternado/0↔10). Os lançamentos restauram o original. + + + + Search… + Procurar… + + + + Light + Luz + + + + Dark + Escuro + + + + ID: + EU IA: + + + + Display name: + Nome de exibição: + + + + Variant: + Variante: + + + + Theme info + Informações do tema + + + + Parameter + Parâmetro + + + + Value + Valor + + + + Save and apply + Salvar e aplicar + + + + Export to file... + Exportar para arquivo... + + + + Load from file... + Carregar do arquivo... + + + + Close + Fechar + + + + Double-click to edit color + Clique duas vezes para editar a cor + + + + + + + + + true + verdadeiro + + + + + + + false + falso + + + + Double-click to toggle + Clique duas vezes para alternar + + + + Double-click to edit value + Clique duas vezes para editar o valor + + + + + + Edit: %1 + Editar: %1 + + + + Save theme + Salvar tema + + + + + JSON files (*.json);;All files (*) + Arquivos JSON (*.json);;Todos os arquivos (*) + + + + Save failed + Falha ao salvar + + + + Could not open file for writing: +%1 + Não foi possível abrir o arquivo para gravação: +%1 + + + + Load theme + Carregar tema + + + + + + Load failed + Falha no carregamento + + + + Could not open file: +%1 + Não foi possível abrir o arquivo: +%1 + + + + Invalid JSON: +%1 + JSON inválido: +%1 + + + + Expected a JSON object. + Esperava um objeto JSON. + + + + TitleHeader + + + SEARCH + PROCURAR + + + + UpdateLibraryDialog + + + Updating.... + Atualizando.... + + + + Cancel + Cancelar + + + + Update library + Atualizar biblioteca + + + + Viewer + + + + Press 'O' to open comic. + Pressione 'O' para abrir um quadrinho. + + + + Not found + Não encontrado + + + + Comic not found + Quadrinho não encontrado + + + + Error opening comic + Erro ao abrir quadrinho + + + + CRC Error + Erro CRC + + + + Loading...please wait! + Carregando... por favor, aguarde! + + + + Page not available! + Página não disponível! + + + + Cover! + Cobrir! + + + + Last page! + Última página! + + + + VolumeComicsModel + + + title + título + + + + VolumesModel + + + year + ano + + + + issues + problemas + + + + publisher + editor + + + + YACReader3DFlowConfigWidget + + + Presets: + Predefinições: + + + + Classic look + Aparência clássica + + + + Stripe look + Olhar lista + + + + Overlapped Stripe look + Olhar lista sobreposta + + + + Modern look + Aparência moderna + + + + Roulette look + Aparência de roleta + + + + Show advanced settings + Mostrar configurações avançadas + + + + Custom: + Personalizado: + + + + View angle + Ângulo de visão + + + + Position + Posição + + + + Cover gap + Cubra a lacuna + + + + Central gap + Lacuna central + + + + Zoom + Amplia??o + + + + Y offset + Deslocamento Y + + + + Z offset + Deslocamento Z + + + + Cover Angle + Ângulo de cobertura + + + + Visibility + Visibilidade + + + + Light + Luz + + + + Max angle + Ângulo máximo + + + + Low Performance + Baixo desempenho + + + + High Performance + Alto desempenho + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Use VSync (melhora a qualidade da imagem em modo tela cheia, pior desempenho) + + + + Performance: + Desempenho: + + + + YACReader::MainWindowViewer + + + &Open + &Abrir + + + + Open a comic + Abrir um quadrinho + + + + New instance + Nova instância + + + + Open Folder + Abrir Pasta + + + + Open image folder + Abra a pasta de imagens + + + + Open latest comic + Abra o último quadrinho + + + + Open the latest comic opened in the previous reading session + Abra o último quadrinho aberto na sessão de leitura anterior + + + + Clear + Claro + + + + Clear open recent list + Limpar lista recente aberta + + + + Save + Salvar + + + + + Save current page + Salvar página atual + + + + Previous Comic + Quadrinho Anterior + + + + + + Open previous comic + Abrir quadrinho anterior + + + + Next Comic + Próximo Quadrinho + + + + + + Open next comic + Abrir próximo quadrinho + + + + &Previous + A&nterior + + + + + + Go to previous page + Ir para a página anterior + + + + &Next + &Próxima + + + + + + Go to next page + Ir para a próxima página + + + + Fit Height + Ajustar Altura + + + + Fit image to height + Ajustar imagem à altura + + + + Fit Width + Ajustar à Largura + + + + Fit image to width + Ajustar imagem à largura + + + + Show full size + Mostrar tamanho grande + + + + Fit to page + Ajustar à página + + + + Continuous scroll + Rolagem contínua + + + + Switch to continuous scroll mode + Mudar para o modo de rolagem contínua + + + + Reset zoom + Redefinir zoom + + + + Show zoom slider + Mostrar controle deslizante de zoom + + + + Zoom+ + Ampliar + + + + Zoom- + Reduzir + + + + Rotate image to the left + Girar imagem à esquerda + + + + Rotate image to the right + Girar imagem à direita + + + + Double page mode + Modo dupla página + + + + Switch to double page mode + Alternar para o modo dupla página + + + + Double page manga mode + Modo mangá de página dupla + + + + Reverse reading order in double page mode + Ordem de leitura inversa no modo de página dupla + + + + Go To + Ir Para + + + + Go to page ... + Ir para a página... + + + + Options + Opções + + + + YACReader options + Opções do YACReader + + + + + Help + Ajuda + + + + Help, About YACReader + Ajuda, Sobre o YACReader + + + + Magnifying glass + Lupa + + + + Switch Magnifying glass + Alternar Lupa + + + + Set bookmark + Definir marcador + + + + Set a bookmark on the current page + Definir um marcador na página atual + + + + Show bookmarks + Mostrar marcadores + + + + Show the bookmarks of the current comic + Mostrar os marcadores do quadrinho atual + + + + Show keyboard shortcuts + Mostrar teclas de atalhos + + + + Show Info + Mostrar Informações + + + + Close + Fechar + + + + Show Dictionary + Mostrar dicionário + + + + Show go to flow + Mostrar ir para o fluxo + + + + Edit shortcuts + Editar atalhos + + + + &File + &Arquivo + + + + + Open recent + Abrir recente + + + + File + Arquivo + + + + Edit + Editar + + + + View + Visualizar + + + + Go + Ir + + + + Window + Janela + + + + + + Open Comic + Abrir Quadrinho + + + + + + Comic files + Arquivos de quadrinhos + + + + Open folder + Abrir pasta + + + + page_%1.jpg + página_%1.jpg + + + + Image files (*.jpg) + Arquivos de imagem (*.jpg) + + + + + Comics + Quadrinhos + + + + + General + Em geral + + + + + Magnifiying glass + Lupa + + + + + Page adjustement + Ajuste de página + + + + + Reading + Leitura + + + + Toggle fullscreen mode + Alternar modo de tela cheia + + + + Hide/show toolbar + Ocultar/mostrar barra de ferramentas + + + + Size up magnifying glass + Dimensione a lupa + + + + Size down magnifying glass + Diminuir o tamanho da lupa + + + + Zoom in magnifying glass + Zoom na lupa + + + + Zoom out magnifying glass + Diminuir o zoom da lupa + + + + Reset magnifying glass + Redefinir lupa + + + + Toggle between fit to width and fit to height + Alternar entre ajustar à largura e ajustar à altura + + + + Autoscroll down + Rolagem automática para baixo + + + + Autoscroll up + Rolagem automática para cima + + + + Autoscroll forward, horizontal first + Rolagem automática para frente, horizontal primeiro + + + + Autoscroll backward, horizontal first + Rolagem automática para trás, horizontal primeiro + + + + Autoscroll forward, vertical first + Rolagem automática para frente, vertical primeiro + + + + Autoscroll backward, vertical first + Rolagem automática para trás, vertical primeiro + + + + Move down + Mover para baixo + + + + Move up + Subir + + + + Move left + Mover para a esquerda + + + + Move right + Mover para a direita + + + + Go to the first page + Vá para a primeira página + + + + Go to the last page + Ir para a última página + + + + Offset double page to the left + Deslocar página dupla para a esquerda + + + + Offset double page to the right + Deslocar página dupla para a direita + + + + There is a new version available + Há uma nova versão disponível + + + + Do you want to download the new version? + Você deseja baixar a nova versão? + + + + Remind me in 14 days + Lembre-me em 14 dias + + + + Not now + Agora não + + + + YACReader::TrayIconController + + + &Restore + &Rloja + + + + Systray + Bandeja do sistema + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary continuará em execução na bandeja do sistema. Para encerrar o programa, escolha <b>Quit</b> no menu de contexto do ícone da bandeja do sistema. + + + + YACReaderFieldEdit + + + + Click to overwrite + Clique para substituir + + + + Restore to default + Restaurar para o padrão + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Clique para substituir + + + + Restore to default + Restaurar para o padrão + + + + YACReaderOptionsDialog + + + Save + Salvar + + + + Cancel + Cancelar + + + + Edit shortcuts + Editar atalhos + + + + Shortcuts + Atalhos + + + + YACReaderSearchLineEdit + + + type to search + digite para pesquisar + + + + YACReaderSlider + + + Reset + Reiniciar - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + Tradutor YACReader - - &Resume - + + + Translation + Tradução - - Save log - + + clear + claro - - Log file (*.log) - + + Service not available + Serviço não disponível diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_ru.ts b/YACReaderLibraryServer/yacreaderlibraryserver_ru.ts index fc4f9988b..05e5aea42 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_ru.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_ru.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Никто + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Название ярлыка: - - 7z not found - + + Choose a color: + Выбрать цвет: - - Format not supported - + + accept + добавить + + + + cancel + отменить - LogWindow + AddLibraryDialog + + + Comics folder : + Папка комиксов : + + + + Library name : + Имя библиотеки : + - - Log window - + + Add + Добавить - - &Pause - + + Cancel + Отмена - - &Save - + + Add an existing library + Добавить в существующую библиотеку + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Для подключения к Comic Vine вам потребуется ваш личный API ключ. Приобретите его бесплатно вот <a href="http://www.comicvine.com/api/">здесь</a> - - &Copy - + + Paste here your Comic Vine API key + Вставьте сюда ваш Comic Vine API ключ - - Level: - + + Accept + Принять - - &Auto scroll - + + Cancel + Отмена - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Цветовая гамма + + + + System + Система + + + + Light + Осветить + + + + Dark + Темный + + + + Custom + Обычай + + + + Remove + Удалять + + + + Remove this user-imported theme + Удалить эту импортированную пользователем тему + + + + Light: + Свет: + + + + Dark: + Темный: + + + + Custom: + Пользовательский: + + + + Import theme... + Импортировать тему... + + + + Theme + Тема + + + + Theme editor + Редактор тем + + + + Open Theme Editor... + Открыть редактор тем... + + + + Theme editor error + Ошибка редактора темы + + + + The current theme JSON could not be loaded. + Не удалось загрузить JSON текущей темы. + + + + Import theme + Импортировать тему + + + + JSON files (*.json);;All files (*) + Файлы JSON (*.json);;Все файлы (*) + + + + Could not import theme from: +%1 + Не удалось импортировать тему из: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + Не удалось импортировать тему из: +%1 + +%2 + + + + Import failed + Импорт не удался - QObject + BookmarksDialog - - Trace - + + Lastest Page + Последняя страница - - Debug - + + Close + Закрыть - - Info - + + Click on any image to go to the bookmark + Нажмите на любое изображение чтобы перейти к закладке - - Warning - + + + Loading... + Загрузка... + + + ClassicComicsView - - Error - + + Hide comic flow + Показать/скрыть поток комиксов + + + + ComicModel + + + yes + да - - Fatal - + + no + нет + + + + Title + Заголовок + + + + File Name + Имя файла + + + + Pages + Всего страниц + + + + Size + Размер + + + + Read + Прочитано + + + + Current Page + Текущая страница + + + + Publication Date + Дата публикации + + + + Rating + Рейтинг + + + + Series + Ряд + + + + Volume + Объем + + + + Story Arc + Сюжетная арка + + + + ComicVineDialog + + + skip + пропустить + + + + back + назад + + + + next + дальше + + + + search + искать + + + + close + закрыть + + + + + comic %1 of %2 - %3 + комикс %1 of %2 - %3 + + + + + + Looking for volume... + Поиск информации... + + + + %1 comics selected + %1 было выбрано + + + + Error connecting to ComicVine + Ошибка поключения к ComicVine + + + + + Retrieving tags for : %1 + Получение тегов для : %1 + + + + Retrieving volume info... + Получение информации... + + + + Looking for comic... + Поиск комикса... + + + + ContinuousPageWidget + + + Loading page %1 + Загрузка страницы %1 + + + + CreateLibraryDialog + + + Comics folder : + Папка комиксов : + + + + Library Name : + Имя библиотеки: + + + + Create + Создать + + + + Cancel + Отмена + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Создание библиотеки может занять несколько минут. Вы можете остановить процесс и обновить библиотеку позже для завершения задачи. + + + + Create new library + Создать новую библиотеку + + + + Path not found + Путь не найден + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Выбранный путь отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке + + + + EditShortcutsDialog + + + Restore defaults + Восстановить значения по умолчанию + + + + To change a shortcut, double click in the key combination and type the new keys. + Чтобы изменить горячую клавишу дважды щелкните по выбранной комбинации клавиш и введите новые сочетания клавиш. + + + + Shortcuts settings + Горячие клавиши + + + + Shortcut in use + Горячая клавиша уже занята + + + + The shortcut "%1" is already assigned to other function + Сочетание клавиш "%1" уже назначено для другой функции + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + В этой папке еще нет комиксов + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Этот ярлык пока ничего не содержит + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Этот список чтения пока ничего не содержит + + + + EmptySpecialListWidget + + + No favorites + Нет избранного + + + + You are not reading anything yet, come on!! + Вы пока ничего не читаете. Может самое время почитать? + + + + There are no recent comics! + Свежих комиксов нет! + + + + ExportComicsInfoDialog + + + Output file : + Выходной файл (*.ydb) : + + + + Create + Создать + + + + Cancel + Отмена + + + + Export comics info + Экспортировать информацию комикса + + + + Destination database name + Имя этой базы данных + + + + Problem found while writing + Обнаружена Ошибка записи + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Выбранный путь для импортируемого файла отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке + + + + ExportLibraryDialog + + + Output folder : + Папка вывода : + + + + Create + Создать + + + + Cancel + Отмена + + + + Create covers package + Создать комплект обложек + + + + Problem found while writing + Обнаружена Ошибка записи + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Выбранный путь для импортируемого файла отсутствует, либо неверен. Убедитесь , что у вас есть доступ к этой папке + + + + Destination directory + Назначенная директория + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + Ошибка контрольной суммы CRC на странице (%1): некоторые страницы будут отображаться неправильно + + + + Unknown error opening the file + Неизвестная ошибка при открытии файла + + + + 7z not found + 7z не найден + + + + Format not supported + Формат не поддерживается + + + + GoToDialog + + + Page : + Страница : + + + + Go To + Перейти к странице... + + + + Cancel + Отмена + + + + + Total pages : + Общее количество страниц : + + + + Go to... + Перейти к странице... + + + + GoToFlowToolBar + + + Page : + Страница : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + Показать информацию + + + HelpAboutDialog - - Level - + + About + О программе - - Message - + + Help + Справка + + + + System info + Информация о системе + + + + ImportComicsInfoDialog + + + Import comics info + Импортировать информацию комикса + + + + Info database location : + Путь к файлу (*.ydb) : + + + + Import + Импортировать + + + + Cancel + Отмена + + + + Comics info file (*.ydb) + Инфо файл комикса (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Имя библиотеки: + + + + Package location : + Местоположение комплекта : + + + + Destination folder : + Папка назначения : + + + + Unpack + Распаковать + + + + Cancel + Отмена + + + + Extract a catalog + Извлечь каталог + + + + Compresed library covers (*.clc) + Сжатая библиотека обложек (*.clc) + + + + ImportWidget + + + stop + Остановить + + + + Some of the comics being added... + Поиск новых комиксов... + + + + Importing comics + Импорт комиксов + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary сейчас создает библиотеку.</p><p> Создание библиотеки может занять несколько минут. Вы можете остановить процесс и обновить библиотеку позже для завершения задачи.</p> + + + + Updating the library + Обновление библиотеки + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Текущая библиотека обновляется. Для более быстрого обновления в дальнейшем старайтесь почаще обновлять вашу библиотеку после добавления новых комиксов.</p><p>Вы можете остановить этот процесс и продолжить обновление этой библиотеки позже.</p> + + + + Upgrading the library + Обновление библиотеки + + + + <p>The current library is being upgraded, please wait.</p> + <p>Текущая библиотека обновляется, подождите.</p> + + + + Scanning the library + Сканирование библиотеки + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Текущая библиотека сканируется на предмет устаревших метаданных XML.</p><p>Это необходимо только один раз и только в том случае, если библиотека была создана с помощью YACReaderLibrary 9.8.2 или более ранней версии.</p> + + + + LibraryWindow + + + YACReader Library + Библиотека YACReader + + + + + + comic + комикс + + + + + + manga + манга + + + + + + western manga (left to right) + западная манга (слева направо) + + + + + + web comic + веб-комикс + + + + + + 4koma (top to botom) + 4кома (сверху вниз) + + + + + + + Set type + Тип установки + + + + Library + Библиотека + + + + Folder + Папка + + + + Comic + Комикс + + + + Upgrade failed + Обновление не удалось + + + + There were errors during library upgrade in: + При обновлении библиотеки возникли ошибки: + + + + Update needed + Необходимо обновление + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Эта библиотека была создана с предыдущей версией YACReaderLibrary. Она должна быть обновлена. Обновить сейчас? + + + + Download new version + Загрузить новую версию + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Эта библиотека была создана новой версией YACReaderLibrary. Скачать новую версию сейчас? + + + + Library not available + Библиотека не доступна + + + + Library '%1' is no longer available. Do you want to remove it? + Библиотека '%1' больше не доступна. Вы хотите удалить ее? + + + + Old library + Библиотека из старой версии YACreader + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Библиотека '%1' была создана старой версией YACReaderLibrary. Она должна быть вновь создана. Вы хотите создать библиотеку сейчас? + + + + + Copying comics... + Скопировать комиксы... + + + + + Moving comics... + Переместить комиксы... + + + + Add new folder + Добавить новую папку + + + + Folder name: + Имя папки: + + + + No folder selected + Ни одна папка не была выбрана + + + + Please, select a folder first + Пожалуйста, сначала выберите папку + + + + Error in path + Ошибка в пути + + + + There was an error accessing the folder's path + Ошибка доступа к пути папки + + + + Delete folder + Удалить папку + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Выбранная папка и все ее содержимое будет удалено с вашего жёсткого диска. Вы уверены? + + + + + Unable to delete + Не удалось удалить + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Возникла проблема при удалении выбранных папок. Пожалуйста, проверьте права на запись и убедитесь что другие приложения не используют эти папки или файлы. + + + + Add new reading lists + Добавить новый список чтения + + + + + List name: + Имя списка: + + + + Delete list/label + Удалить список/ярлык + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Выбранные элементы будут удалены, ваши комиксы или папки НЕ БУДУТ удалены с вашего жёсткого диска. Вы уверены? + + + + Rename list name + Изменить имя списка + + + + Open folder... + Открыть папку... + + + + Update folder + Обновить папку + + + + Rescan library for XML info + Повторное сканирование библиотеки для получения информации XML + + + + Set as uncompleted + Отметить как не завершено + + + + Set as completed + Отметить как завершено + + + + Set as read + Отметить как прочитано + + + + + Set as unread + Отметить как не прочитано + + + + Set custom cover + Установить собственную обложку + + + + Delete custom cover + Удалить пользовательскую обложку + + + + Save covers + Сохранить обложки + + + + You are adding too many libraries. + Вы добавляете слишком много библиотек. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Вы добавляете слишком много библиотек. + +Вероятно, вам нужна только одна библиотека в папке комиксов верхнего уровня, вы можете просматривать любые подпапки, используя раздел папок на левой боковой панели. + +YACReaderLibrary не помешает вам создать больше библиотек, но вы должны иметь не большое количество библиотек. + + + + + YACReader not found + YACReader не найден + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader не найден. YACReader должен быть установлен в ту же папку, что и YACReaderLibrary. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader не найден. Возможно, возникла проблема с установкой YACReader. + + + + Error + Ошибка + + + + Error opening comic with third party reader. + Ошибка при открытии комикса с помощью сторонней программы чтения. + + + + Library not found + Библиотека не найдена + + + + The selected folder doesn't contain any library. + Выбранная папка не содержит ни одной библиотеки. + + + + Are you sure? + Вы уверены? + + + + Do you want remove + Вы хотите удалить библиотеку + + + + library? + ? + + + + Remove and delete metadata + Удаление метаданных + + + + Library info + Информация о библиотеке + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Возникла проблема при удалении выбранных комиксов. Пожалуйста, проверьте права на запись для выбранных файлов или содержащую их папку. + + + + Assign comics numbers + Порядковый номер + + + + Assign numbers starting in: + Назначить порядковый номер начиная с: + + + + Invalid image + Неверное изображение + + + + The selected file is not a valid image. + Выбранный файл не является допустимым изображением. + + + + Error saving cover + Не удалось сохранить обложку. + + + + There was an error saving the cover image. + Не удалось сохранить изображение обложки. + + + + Error creating the library + Ошибка создания библиотеки + + + + Error updating the library + Ошибка обновления библиотеки + + + + Error opening the library + Ошибка открытия библиотеки + + + + Delete comics + Удалить комиксы + + + + All the selected comics will be deleted from your disk. Are you sure? + Все выбранные комиксы будут удалены с вашего жёсткого диска. Вы уверены? + + + + Remove comics + Убрать комиксы + + + + Comics will only be deleted from the current label/list. Are you sure? + Комиксы будут удалены только из выбранного списка/ярлыка. Вы уверены? + + + + Library name already exists + Имя папки уже используется + + + + There is another library with the name '%1'. + Уже существует другая папка с именем '%1'. + + + + LibraryWindowActions + + + Create a new library + Создать новую библиотеку + + + + Open an existing library + Открыть существующую библиотеку + + + + + Export comics info + Экспортировать информацию комикса + + + + + Import comics info + Импортировать информацию комикса + + + + Pack covers + Запаковать обложки + + + + Pack the covers of the selected library + Запаковать обложки выбранной библиотеки + + + + Unpack covers + Распаковать обложки + + + + Unpack a catalog + Распаковать каталог + + + + Update library + Обновить библиотеку + + + + Update current library + Обновить эту библиотеку + + + + Rename library + Переименовать библиотеку + + + + Rename current library + Переименовать эту библиотеку + + + + Remove library + Удалить библиотеку + + + + Remove current library from your collection + Удалить эту библиотеку из своей коллекции + + + + Rescan library for XML info + Повторное сканирование библиотеки для получения информации XML + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Пытается найти информацию XML, встроенную в файлы комиксов. Это необходимо делать только в том случае, если библиотека была создана с помощью версии 9.8.2 или более ранней, или если вы используете стороннее программное обеспечение для встраивания информации XML в файлы. + + + + Show library info + Показать информацию о библиотеке + + + + Show information about the current library + Показать информацию о текущей библиотеке + + + + Open current comic + Открыть выбранный комикс + + + + Open current comic on YACReader + Открыть комикс в YACReader + + + + Save selected covers to... + Сохранить выбранные обложки в... + + + + Save covers of the selected comics as JPG files + Сохранить обложки выбранных комиксов как JPG файлы + + + + + Set as read + Отметить как прочитано + + + + Set comic as read + Отметить комикс как прочитано + + + + + Set as unread + Отметить как не прочитано + + + + Set comic as unread + Отметить комикс как не прочитано + + + + + manga + манга + + + + Set issue as manga + Установить выпуск как мангу + + + + + comic + комикс + + + + Set issue as normal + Установите проблему как обычно + + + + western manga + вестерн манга + + + + Set issue as western manga + Установить выпуск как западную мангу + + + + + web comic + веб-комикс + + + + Set issue as web comic + Установить выпуск как веб-комикс + + + + + yonkoma + йонкома + + + + Set issue as yonkoma + Установить проблему как йонкома + + + + Show/Hide marks + Показать/Спрятать пометки + + + + Show or hide read marks + Показать или спрятать отметку прочтено + + + + Show/Hide recent indicator + Показать/скрыть индикатор последних событий + + + + Show or hide recent indicator + Показать или скрыть недавний индикатор + + + + + Fullscreen mode on/off + Полноэкранный режим включить/выключить + + + + Help, About YACReader + Справка + + + + Add new folder + Добавить новую папку + + + + Add new folder to the current library + Добавить новую папку в текущую библиотеку + + + + Delete folder + Удалить папку + + + + Delete current folder from disk + Удалить выбранную папку с жёсткого диска + + + + Select root node + Домашняя папка + + + + Expand all nodes + Раскрыть все папки + + + + Collapse all nodes + Свернуть все папки + + + + Show options dialog + Настройки + + + + Show comics server options dialog + Настройки сервера YACReader + + + + + Change between comics views + Изменение внешнего вида потока комиксов + + + + Open folder... + Открыть папку... + + + + Set as uncompleted + Отметить как не завершено + + + + Set as completed + Отметить как завершено + + + + Set custom cover + Установить собственную обложку + + + + Delete custom cover + Удалить пользовательскую обложку + + + + western manga (left to right) + западная манга (слева направо) + + + + Open containing folder... + Открыть выбранную папку... + + + + Reset comic rating + Сбросить рейтинг комикса + + + + Select all comics + Выбрать все комиксы + + + + Edit + Редактировать + + + + Assign current order to comics + Назначить порядковый номер + + + + Update cover + Обновить обложки + + + + Delete selected comics + Удалить выбранное + + + + Delete metadata from selected comics + Удалить метаданные из выбранных комиксов + + + + Download tags from Comic Vine + Скачать теги из Comic Vine + + + + Focus search line + Строка поиска фокуса + + + + Focus comics view + Просмотр комиксов в фокусе + + + + Edit shortcuts + Редактировать горячие клавиши + + + + &Quit + &Qкостюм + + + + Update folder + Обновить папку + + + + Update current folder + Обновить выбранную папку + + + + Scan legacy XML metadata + Сканировать устаревшие метаданные XML + + + + Add new reading list + Создать новый список чтения + + + + Add a new reading list to the current library + Создать новый список чтения + + + + Remove reading list + Удалить список чтения + + + + Remove current reading list from the library + Удалить выбранный ярлык/список чтения + + + + Add new label + Создать новый ярлык + + + + Add a new label to this library + Создать новый ярлык + + + + Rename selected list + Переименовать выбранный список + + + + Rename any selected labels or lists + Переименовать выбранный ярлык/список чтения + + + + Add to... + Добавить в... + + + + Favorites + Избранное + + + + Add selected comics to favorites list + Добавить выбранные комиксы в список избранного + + + + LocalComicListModel + + + file name + имя файла + + + + NoLibrariesWidget + + + You don't have any libraries yet + У вас нет ни одной библиотеки + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Вы можете создать библиотеку в любой папке, YACReaderLibrary будет импортировать все комиксы и папки из этой папки. Если вы уже ранее создавали библиотеки, их можно будет открыть.< / p > <p>Не забывайте, что Вы можете использовать YACReader в качестве отдельного приложения для чтения комиксов на вашем компьютере.</п> + + + + create your first library + создайте свою первую библиотеку + + + + add an existing one + добавить уже существующую + + + + NoSearchResultsWidget + + + No results + Нет результатов + + + + OptionsDialog + + + + General + Общие + + + + + Libraries + Библиотеки + + + + Comic Flow + Поток комиксов + + + + Grid view + Фоновое изображение + + + + + Appearance + Появление + + + + + Options + Настройки + + + + + Language + Язык + + + + + Application language + Язык приложения + + + + + System default + Системный по умолчанию + + + + Tray icon settings (experimental) + Настройки значков в трее (экспериментально) + + + + Close to tray + Рядом с лотком + + + + Start into the system tray + Запустите в системном трее + + + + Edit Comic Vine API key + Редактировать Comic Vine API ключ + + + + Comic Vine API key + Comic Vine API ключ + + + + ComicInfo.xml legacy support + Поддержка устаревших версий ComicInfo.xml + + + + Import metadata from ComicInfo.xml when adding new comics + Импортируйте метаданные из ComicInfo.xml при добавлении новых комиксов. + + + + Consider 'recent' items added or updated since X days ago + Учитывайте «недавние» элементы, добавленные или обновленные X дней назад. + + + + Third party reader + Сторонний читатель + + + + Write {comic_file_path} where the path should go in the command + Напишите {comic_file_path}, где должен идти путь в команде. + + + + + Clear + Очистить + + + + Update libraries at startup + Обновлять библиотеки при запуске + + + + Try to detect changes automatically + Попробуйте обнаружить изменения автоматически + + + + Update libraries periodically + Периодически обновляйте библиотеки + + + + Interval: + Интервал: + + + + 30 minutes + 30 минут + + + + 1 hour + 1 час + + + + 2 hours + 2 часа + + + + 4 hours + 4 часа + + + + 8 hours + 8 часов + + + + 12 hours + 12 часов + + + + daily + ежедневно + + + + Update libraries at certain time + Обновлять библиотеки в определенное время + + + + Time: + Время: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + ПРЕДУПРЕЖДЕНИЕ! Во время обновления библиотеки запись в базу данных отключена! +Не планируйте обновления, пока вы активно используете приложение. +Во время автоматического обновления приложение будет блокировать некоторые действия до завершения обновления. +Чтобы остановить автоматическое обновление, нажмите на индикатор загрузки рядом с названием «Библиотеки». + + + + Modifications detection + Обнаружение модификаций + + + + Compare the modified date of files when updating a library (not recommended) + Сравните дату изменения файлов при обновлении библиотеки (не рекомендуется) + + + + Enable background image + Включить фоновое изображение + + + + Opacity level + Уровень непрозрачности + + + + Blur level + Уровень размытия + + + + Use selected comic cover as background + Обложка комикса фоновое изображение + + + + Restore defautls + Вернуть к первоначальным значениям + + + + Background + Фоновое изображение + + + + Display continue reading banner + Отображение баннера продолжения чтения + + + + Display current comic banner + Отображать текущий комикс-баннер + + + + Continue reading + Продолжить чтение + + + + My comics path + Папка комиксов + + + + Display + Отображать + + + + Show time in current page information label + Показывать время в информационной метке текущей страницы + + + + "Go to flow" size + Размер потока страниц + + + + Background color + Фоновый цвет + + + + Choose + Выбрать + + + + Scroll behaviour + Поведение прокрутки + + + + Disable scroll animations and smooth scrolling + Отключить анимацию прокрутки и плавную прокрутку + + + + Do not turn page using scroll + Не переворачивайте страницу с помощью прокрутки + + + + Use single scroll step to turn page + Используйте один шаг прокрутки, чтобы перевернуть страницу + + + + Mouse mode + Режим мыши + + + + Only Back/Forward buttons can turn pages + Только кнопки «Назад/Вперед» могут перелистывать страницы. + + + + Use the Left/Right buttons to turn pages. + Используйте кнопки «Влево/Вправо», чтобы перелистывать страницы. + + + + Click left or right half of the screen to turn pages. + Нажмите левую или правую половину экрана, чтобы перелистывать страницы. + + + + Quick Navigation Mode + Ползунок для быстрой навигации по страницам + + + + Disable mouse over activation + Отключить активацию потока при наведении мыши + + + + Brightness + Яркость + + + + Contrast + Контраст + + + + Gamma + Гамма + + + + Reset + Вернуть к первоначальным значениям + + + + Image options + Настройки изображения + + + + Fit options + Варианты подгонки + + + + Enlarge images to fit width/height + Увеличьте изображения по ширине/высоте + + + + Double Page options + Параметры двойной страницы + + + + Show covers as single page + Показывать обложки на одной странице + + + + Scaling + Масштабирование + + + + Scaling method + Метод масштабирования + + + + Nearest (fast, low quality) + Ближайший (быстро, низкое качество) + + + + Bilinear + Билинейный + + + + Lanczos (better quality) + Ланцос (лучшее качество) + + + + Page Flow + Поток Страниц + + + + Image adjustment + Настройка изображения + + + + + Restart is needed + Требуется перезагрузка + + + + Comics directory + Папка комиксов + + + + PropertiesDialog + + + General info + Общая информация + + + + Plot + Сюжет + + + + Authors + Авторы + + + + Publishing + Издатели + + + + Notes + Примечания + + + + Cover page + Страница обложки + + + + Load previous page as cover + Загрузить предыдущую страницу в качестве обложки + + + + Load next page as cover + Загрузить следующую страницу в качестве обложки + + + + Reset cover to the default image + Сбросить обложку к изображению по умолчанию + + + + Load custom cover image + Загрузить собственное изображение обложки + + + + Series: + Серия: + + + + Title: + Заголовок: + + + + + + of: + из: + + + + Issue number: + Номер выпуска + + + + Volume: + Объём : + + + + Arc number: + Номер дуги: + + + + Story arc: + Сюжетная арка: + + + + alt. number: + альт. число: + + + + Alternate series: + Альтернативный сериал: + + + + Series Group: + Группа серий: + + + + Genre: + Жанр: + + + + Size: + Размер: + + + + Writer(s): + Писатель(и): + + + + Penciller(s): + Художник(и): + + + + Inker(s): + Контуровщик(и): + + + + Colorist(s): + Колорист(ы): + + + + Letterer(s): + Гравёр-шрифтовик(и): + + + + Cover Artist(s): + Художник(и) Обложки: + + + + Editor(s): + Редактор(ы): + + + + Imprint: + Выходные данные: + + + + Day: + День: + + + + Month: + Месяц: + + + + Year: + Год: + + + + Publisher: + Издатель: + + + + Format: + Формат: + + + + Color/BW: + Цвет/BW: + + + + Age rating: + Возрастной рейтинг: + + + + Type: + Тип: + + + + Language (ISO): + Язык (ISO): + + + + Synopsis: + Описание: + + + + Characters: + Персонажи: + + + + Teams: + Команды: + + + + Locations: + Местоположение: + + + + Main character or team: + Главный герой или команда: + + + + Review: + Обзор: + + + + Notes: + Заметки: + + + + Tags: + Теги: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + <a style='color: ##666666; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> Открыть страницу этого комикса на сайте Comic Vine </a> + + + + Not found + Не найдено + + + + Comic not found. You should update your library. + Комикс не найден. Обновите вашу библиотеку. + + + + Edit comic information + Редактировать информацию комикса + + + + Edit selected comics information + Редактировать информацию выбранного комикса + + + + Invalid cover + Неверное покрытие + + + + The image is invalid. + Изображение недействительно. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer — это безголовая (без графического интерфейса) версия YACReaderLibrary. + +Это приложение поддерживает постоянные настройки. Чтобы настроить их, отредактируйте этот файл %1. +Чтобы узнать о доступных настройках, ознакомьтесь с документацией по адресу https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md. + + + + QObject + + + Trace + След + + + + Debug + Отлаживать + + + + Info + Информация + + + + Warning + Предупреждение + + + + Error + Ошибка + + + + Fatal + Фатальный + + + + Select custom cover + Выбрать индивидуальную обложку + + + + Images (%1) + Изображения (%1) + + + + 7z lib not found + Библиотека распаковщика 7z не найдена + + + + unable to load 7z lib from ./utils + не удается загрузить 7z lib из ./ utils + + + + The file could not be read or is not valid JSON. + Файл не может быть прочитан или имеет недопустимый формат JSON. + + + + This theme is for %1, not %2. + Эта тема предназначена для %1, а не для %2. + + + + Libraries + Библиотеки + + + + Folders + Папки + + + + Reading Lists + Списки чтения + + + + RenameLibraryDialog + + + New Library Name : + Новое имя библиотеки: + + + + Rename + Переименовать + + + + Cancel + Отмена + + + + Rename current library + Переименовать эту библиотеку + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Количество найденных томов : %1 + + + + + page %1 of %2 + страница %1 из %2 + + + + Number of %1 found : %2 + Количество из %1 найдено : %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Пожалуйста, введите инфомарцию для поиска. + + + + Series: + Серия: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Используйте поиск по точному совпадению. Отключите, если хотите найти тома, соответствующие некоторым словам в названии. + + + + SearchVolume + + + Please provide some additional information. + Пожалуйста, введите инфомарцию для поиска. + + + + Series: + Серия: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Используйте поиск по точному совпадению. Отключите, если хотите найти тома, соответствующие некоторым словам в названии. + + + + SelectComic + + + Please, select the right comic info. + Пожалуйста, выберите правильную информацию об комиксе. + + + + comics + комиксы + + + + loading cover + загрузка обложки + + + + loading description + загрузка описания + + + + comic description unavailable + Описание комикса недоступно + + + + SelectVolume + + + Please, select the right series for your comic. + Пожалуйста, выберите правильную серию для вашего комикса. + + + + Filter: + Фильтр: + + + + volumes + тома + + + + Nothing found, clear the filter if any. + Ничего не найдено, очистите фильтр, если есть. + + + + loading cover + загрузка обложки + + + + loading description + загрузка описания + + + + volume description unavailable + описание тома недоступно + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Вы пытаетесь получить информацию для нескольких комиксов одновременно, являются ли они все частью одной серии? + + + + yes + да + + + + no + нет + + + + ServerConfigDialog + + + set port + указать порт + + + + Server connectivity information + Информация о подключении + + + + Scan it! + Сканируйте! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader доступен для устройств iOS и Android.<br/>Найдите его для <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> или <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + Выбрать IP адрес + + + + Port + Порт + + + + enable the server + активировать сервер + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Пожалуйста, отсортируйте список комиксов слева, пока он не будет соответствовать информации комикса. + + + + sort comics to match comic information + сортировать комиксы, чтобы соответствовать информации комиксов + + + + issues + выпуск + + + + remove selected comics + удалить выбранные комиксы + + + + restore all removed comics + восстановить все удаленные комиксы + + + + ThemeEditorDialog + + + Theme Editor + Редактор тем + + + + + + + + + + + - + - + + + + i + я + + + + Expand all + Развернуть все + + + + Collapse all + Свернуть все + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Удерживайте, чтобы выбранное значение мигало в пользовательском интерфейсе (пурпурный / переключено / 0↔10). Релизы восстанавливают оригинал. + + + + Search… + Поиск… + + + + Light + Осветить + + + + Dark + Темный + + + + ID: + ИДЕНТИФИКАТОР: + + + + Display name: + Отображаемое имя: + + + + Variant: + Вариант: + + + + Theme info + Информация о теме + + + + Parameter + Параметр + + + + Value + Ценить + + + + Save and apply + Сохраните и примените + + + + Export to file... + Экспортировать в файл... + + + + Load from file... + Загрузить из файла... + + + + Close + Закрыть + + + + Double-click to edit color + Дважды щелкните, чтобы изменить цвет + + + + + + + + + true + истинный + + + + + + + false + ЛОЖЬ + + + + Double-click to toggle + Дважды щелкните, чтобы переключиться + + + + Double-click to edit value + Дважды щелкните, чтобы изменить значение + + + + + + Edit: %1 + Изменить: %1 + + + + Save theme + Сохранить тему + + + + + JSON files (*.json);;All files (*) + Файлы JSON (*.json);;Все файлы (*) + + + + Save failed + Сохранить не удалось + + + + Could not open file for writing: +%1 + Не удалось открыть файл для записи: +%1 + + + + Load theme + Загрузить тему + + + + + + Load failed + Загрузка не удалась + + + + Could not open file: +%1 + Не удалось открыть файл: +%1 + + + + Invalid JSON: +%1 + Неверный JSON: +%1 + + + + Expected a JSON object. + Ожидается объект JSON. + + + + TitleHeader + + + SEARCH + ПОИСК + + + + UpdateLibraryDialog + + + Updating.... + Обновление... + + + + Cancel + Отмена + + + + Update library + Обновить библиотеку + + + + Viewer + + + + Press 'O' to open comic. + Нажмите "O" чтобы открыть комикс. + + + + Not found + Не найдено + + + + Comic not found + Комикс не найден + + + + Error opening comic + Ошибка открытия комикса + + + + CRC Error + Ошибка CRC + + + + Loading...please wait! + Загрузка... Пожалуйста подождите! + + + + Page not available! + Страница недоступна! + + + + Cover! + Начало! + + + + Last page! + Конец! + + + + VolumeComicsModel + + + title + название + + + + VolumesModel + + + year + год + + + + issues + выпуск + + + + publisher + издатель + + + + YACReader3DFlowConfigWidget + + + Presets: + Предустановки: + + + + Classic look + Классический вид + + + + Stripe look + Вид полосами + + + + Overlapped Stripe look + Вид перекрывающимися полосами + + + + Modern look + Современный вид + + + + Roulette look + Вид рулеткой + + + + Show advanced settings + Показать дополнительные настройки + + + + Custom: + Пользовательский: + + + + View angle + Угол зрения + + + + Position + Позиция + + + + Cover gap + Осветить разрыв + + + + Central gap + Сфокусировать разрыв + + + + Zoom + Масштабировать + + + + Y offset + Смещение по Y + + + + Z offset + Смещение по Z + + + + Cover Angle + Охватить угол + + + + Visibility + Прозрачность + + + + Light + Осветить + + + + Max angle + Максимальный угол + + + + Low Performance + Минимальная производительность + + + + High Performance + Максимальная производительность + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + Использовать VSync (повысить формат изображения в полноэкранном режиме , хуже производительность) + + + + Performance: + Производительность: + + + + YACReader::MainWindowViewer + + + &Open + &Открыть + + + + Open a comic + Открыть комикс + + + + New instance + Новый экземпляр + + + + Open Folder + Открыть папку + + + + Open image folder + Открыть папку с изображениями + + + + Open latest comic + Открыть последний комикс + + + + Open the latest comic opened in the previous reading session + Открыть комикс открытый в предыдущем сеансе чтения + + + + Clear + Очистить + + + + Clear open recent list + Очистить список недавно открытых файлов + + + + Save + Сохранить + + + + + Save current page + Сохранить текущию страницу + + + + Previous Comic + Предыдущий комикс + + + + + + Open previous comic + Открыть предыдуший комикс + + + + Next Comic + Следующий комикс + + + + + + Open next comic + Открыть следующий комикс + + + + &Previous + &Предыдущий + + + + + + Go to previous page + Перейти к предыдущей странице + + + + &Next + &Следующий + + + + + + Go to next page + Перейти к следующей странице + + + + Fit Height + Подогнать по высоте + + + + Fit image to height + Подогнать по высоте + + + + Fit Width + Подогнать по ширине + + + + Fit image to width + Подогнать по ширине + + + + Show full size + Показать в полном размере + + + + Fit to page + Подогнать под размер страницы + + + + Continuous scroll + Непрерывная прокрутка + + + + Switch to continuous scroll mode + Переключиться в режим непрерывной прокрутки + + + + Reset zoom + Сбросить масштаб + + + + Show zoom slider + Показать ползунок масштабирования + + + + Zoom+ + Увеличить масштаб + + + + Zoom- + Уменьшить масштаб + + + + Rotate image to the left + Повернуть изображение против часовой стрелки + + + + Rotate image to the right + Повернуть изображение по часовой стрелке + + + + Double page mode + Двухстраничный режим + + + + Switch to double page mode + Двухстраничный режим + + + + Double page manga mode + Двухстраничный режим манги + + + + Reverse reading order in double page mode + Двухстраничный режим манги + + + + Go To + Перейти к странице... + + + + Go to page ... + Перейти к странице... + + + + Options + Настройки + + + + YACReader options + Настройки + + + + + Help + Справка + + + + Help, About YACReader + Справка + + + + Magnifying glass + Увеличительное стекло + + + + Switch Magnifying glass + Увеличительное стекло + + + + Set bookmark + Установить закладку + + + + Set a bookmark on the current page + Установить закладку на текущей странице + + + + Show bookmarks + Показать закладки + + + + Show the bookmarks of the current comic + Показать закладки в текущем комиксе + + + + Show keyboard shortcuts + Показать горячие клавиши + + + + Show Info + Показать/скрыть номер страницы и текущее время + + + + Close + Закрыть + + + + Show Dictionary + Переводчик YACreader + + + + Show go to flow + Показать поток страниц + + + + Edit shortcuts + Редактировать горячие клавиши + + + + &File + &Отображать панель инструментов + + + + + Open recent + Открыть недавние + + + + File + Файл + + + + Edit + Редактировать + + + + View + Посмотреть + + + + Go + Перейти + + + + Window + Окно + + + + + + Open Comic + Открыть комикс + + + + + + Comic files + Файлы комикса + + + + Open folder + Открыть папку + + + + page_%1.jpg + страница_%1.jpg + + + + Image files (*.jpg) + Файлы изображений (*.jpg) + + + + + Comics + Комикс + + + + + General + Общие + + + + + Magnifiying glass + Увеличительное стекло + + + + + Page adjustement + Настройка страницы + + + + + Reading + Чтение + + + + Toggle fullscreen mode + Полноэкранный режим включить/выключить + + + + Hide/show toolbar + Показать/скрыть панель инструментов + + + + Size up magnifying glass + Увеличение размера окошка увеличительного стекла + + + + Size down magnifying glass + Уменьшение размера окошка увеличительного стекла + + + + Zoom in magnifying glass + Увеличить + + + + Zoom out magnifying glass + Уменьшить + + + + Reset magnifying glass + Сбросить увеличительное стекло + + + + Toggle between fit to width and fit to height + Переключение режима подгонки страницы по ширине/высоте + + + + Autoscroll down + Автопрокрутка вниз + + + + Autoscroll up + Автопрокрутка вверх + + + + Autoscroll forward, horizontal first + Автопрокрутка вперед, горизонтальная + + + + Autoscroll backward, horizontal first + Автопрокрутка назад, горизонтальная + + + + Autoscroll forward, vertical first + Автопрокрутка вперед, вертикальная + + + + Autoscroll backward, vertical first + Автопрокрутка назад, вертикальная + + + + Move down + Переместить вниз + + + + Move up + Переместить вверх + + + + Move left + Переместить влево + + + + Move right + Переместить вправо + + + + Go to the first page + Перейти к первой странице + + + + Go to the last page + Перейти к последней странице + + + + Offset double page to the left + Смещение разворота влево + + + + Offset double page to the right + Смещение разворота вправо + + + + There is a new version available + Доступна новая версия + + + + Do you want to download the new version? + Хотите загрузить новую версию ? + + + + Remind me in 14 days + Напомнить через 14 дней + + + + Not now + Не сейчас + + + + YACReader::TrayIconController + + + &Restore + &Rмагазин + + + + Systray + Систрей + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary продолжит работать в системном трее. Чтобы завершить работу программы, выберите <b>Quit</b> в контекстном меню значка на панели задач. + + + + YACReaderFieldEdit + + + + Click to overwrite + Изменить + + + + Restore to default + Восстановить значения по умолчанию + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Изменить + + + + Restore to default + Восстановить значения по умолчанию + + + + YACReaderOptionsDialog + + + Save + Сохранить + + + + Cancel + Отмена + + + + Edit shortcuts + Редактировать горячие клавиши + + + + Shortcuts + Горячие клавиши + + + + YACReaderSearchLineEdit + + + type to search + Начать поиск + + + + YACReaderSlider + + + Reset + Вернуть к первоначальным значениям - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + Переводчик YACReader - - &Resume - + + + Translation + Перевод - - Save log - + + clear + очистить - - Log file (*.log) - + + Service not available + Сервис недоступен diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_tr.ts b/YACReaderLibraryServer/yacreaderlibraryserver_tr.ts index f83835c4f..9e8582c4c 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_tr.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_tr.ts @@ -2,150 +2,3713 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + Hiçbiri + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + Etiket adı: - - 7z not found - + + Choose a color: + Renk seçiniz: - - Format not supported - + + accept + kabul et + + + + cancel + vazgeç - LogWindow + AddLibraryDialog + + + Comics folder : + Çizgi roman klasörü : + + + + Library name : + Kütüphane adı : + - - Log window - + + Add + Ekle - - &Pause - + + Cancel + Vazgeç - - &Save - + + Add an existing library + Kütüphaneye ekle + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + Comic Vine'a bağlanmadan önce kendi API anahtarınıza ihtiyacınız var. Lütfen <a href="http://www.comicvine.com/api/">buradan</a> ücretsiz bir tane edinin - - &Copy - + + Paste here your Comic Vine API key + Comic Vine API anahtarınızı buraya yapıştırın - - Level: - + + Accept + Kabul et - - &Auto scroll - + + Cancel + Vazgeç - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + Renk şeması + + + + System + Sistem + + + + Light + Işık + + + + Dark + Karanlık + + + + Custom + Gelenek + + + + Remove + Kaldırmak + + + + Remove this user-imported theme + Kullanıcı tarafından içe aktarılan bu temayı kaldır + + + + Light: + Işık: + + + + Dark: + Karanlık: + + + + Custom: + Kişisel: + + + + Import theme... + Temayı içe aktar... + + + + Theme + Tema + + + + Theme editor + Tema düzenleyici + + + + Open Theme Editor... + Tema Düzenleyiciyi Aç... + + + + Theme editor error + Tema düzenleyici hatası + + + + The current theme JSON could not be loaded. + Geçerli tema JSON yüklenemedi. + + + + Import theme + Temayı içe aktar + + + + JSON files (*.json);;All files (*) + JSON dosyaları (*.json);;Tüm dosyalar (*) + + + + Could not import theme from: +%1 + Tema şu kaynaktan içe aktarılamadı: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + Tema şu kaynaktan içe aktarılamadı: +%1 + +%2 + + + + Import failed + İçe aktarma başarısız oldu - QObject + BookmarksDialog - - Trace - + + Lastest Page + Son Sayfa - - Debug - + + Close + Kapat - - Info - + + Click on any image to go to the bookmark + Yer imine git - - Warning - + + + Loading... + Yükleniyor... + + + ClassicComicsView - - Error - + + Hide comic flow + Çizgi roman akışını gizle + + + + ComicModel + + + yes + evet - - Fatal - + + no + hayır + + + + Title + Başlık + + + + File Name + Dosya Adı + + + + Pages + Sayfalar + + + + Size + Boyut + + + + Read + Oku + + + + Current Page + Geçreli Sayfa + + + + Publication Date + Yayın Tarihi + + + + Rating + Reyting + + + + Series + Seri + + + + Volume + Hacim + + + + Story Arc + Hikaye Arkı + + + + ComicVineDialog + + + skip + geç + + + + back + geri + + + + next + sonraki + + + + search + ara + + + + close + kapat + + + + + comic %1 of %2 - %3 + çizgi roman %1 / %2 - %3 + + + + + + Looking for volume... + Sayılar aranıyor... + + + + %1 comics selected + %1 çizgi roman seçildi + + + + Error connecting to ComicVine + ComicVine sitesine bağlanılırken hata + + + + + Retrieving tags for : %1 + %1 için etiketler alınıyor + + + + Retrieving volume info... + Sayı bilgileri alınıyor... + + + + Looking for comic... + Çizgi romanlar aranıyor... + + + + ContinuousPageWidget + + + Loading page %1 + %1 sayfası yükleniyor + + + + CreateLibraryDialog + + + Comics folder : + Çizgi roman klasörü : + + + + Library Name : + Kütüphane Adı : + + + + Create + Oluştur + + + + Cancel + Vazgeç + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + Yeni kütüphanenin oluşturulması birkaç dakika sürecek. + + + + Create new library + Yeni kütüphane oluştur + + + + Path not found + Dizin bulunamadı + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol + + + + EditShortcutsDialog + + + Restore defaults + Varsayılarları geri yükle + + + + To change a shortcut, double click in the key combination and type the new keys. + Bir kısayolu değiştirmek için tuş kombinasyonuna çift tıklayın ve yeni tuşları girin. + + + + Shortcuts settings + Kısayol oyarları + + + + Shortcut in use + Kısayol kullanımda + + + + The shortcut "%1" is already assigned to other function + "%1" kısayolu bir başka işleve zaten atanmış + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + Bu klasör henüz çizgi roman içermiyor + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + Bu etiket henüz çizgi roman içermiyor + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + Bu okuma listesi henüz çizgi roman içermiyor + + + + EmptySpecialListWidget + + + No favorites + Favoriler boş + + + + You are not reading anything yet, come on!! + Henüz bir şey okumuyorsun, hadi ama! + + + + There are no recent comics! + Yeni çizgi roman yok! + + + + ExportComicsInfoDialog + + + Output file : + Çıkış dosyası : + + + + Create + Oluştur + + + + Cancel + Vazgeç + + + + Export comics info + Çizgi roman bilgilerini göster + + + + Destination database name + Hedef adı + + + + Problem found while writing + Yazma sırasında bir problem oldu + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol + + + + ExportLibraryDialog + + + Output folder : + Çıktı klasörü : + + + + Create + Oluştur + + + + Cancel + Vazgeç + + + + Create covers package + Kapak paketi oluştur + + + + Problem found while writing + Yazma sırasında bir problem oldu + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + Seçilen dizine yazma iznimiz yok yazma izni olduğundan emin ol + + + + Destination directory + Hedef dizin + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + (%1). sayfada CRC hatası : bazı sayfalar düzgün görüntülenmeyecek + + + + Unknown error opening the file + Dosya açılırken bilinmeyen hata + + + + 7z not found + 7z bulunamadı + + + + Format not supported + Biçim desteklenmiyor + + + + GoToDialog + + + Page : + Sayfa : + + + + Go To + Git + + + + Cancel + Vazgeç + + + + + Total pages : + Toplam sayfa: + + + + Go to... + Git... + + + + GoToFlowToolBar + + + Page : + Sayfa : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + Bilgi göster + + + HelpAboutDialog - - Level - + + About + Hakkında - - Message - + + Help + Yardım + + + + System info + Sistem bilgisi + + + + ImportComicsInfoDialog + + + Import comics info + Çizgi roman bilgilerini çıkart + + + + Info database location : + Bilgi veritabanı konumu : + + + + Import + Çıkart + + + + Cancel + Vazgeç + + + + Comics info file (*.ydb) + Çizgi roman bilgi dosyası (*.ydb) + + + + ImportLibraryDialog + + + Library Name : + Kütüphane Adı : + + + + Package location : + Paket konumu : + + + + Destination folder : + Hedef klasör : + + + + Unpack + Paketten çıkar + + + + Cancel + Vazgeç + + + + Extract a catalog + Katalog ayıkla + + + + Compresed library covers (*.clc) + Sıkıştırılmış kütüphane kapakları (*.clc) + + + + ImportWidget + + + stop + dur + + + + Some of the comics being added... + Bazı çizgi romanlar önceden eklenmiş... + + + + Importing comics + önemli çizgi romanlar + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderKütüphane şu anda yeni bir kütüphane oluşturuyor</p><p>Kütüphanenin oluşturulması birkaç dakika alacak.</p> + + + + Updating the library + Kütüphaneyi güncelle + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>Kütüphane güncelleniyor</p><p>Güncellemeyi daha sonra iptal edebilirsin.</p> + + + + Upgrading the library + Kütüphane güncelleniyor + + + + <p>The current library is being upgraded, please wait.</p> + <p>Mevcut kütüphane güncelleniyor, lütfen bekleyin.</p> + + + + Scanning the library + Kütüphaneyi taramak + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>Geçerli kitaplık, eski XML meta veri bilgileri için taranıyor.</p><p>Bu yalnızca bir kez gereklidir ve yalnızca kitaplığın YACReaderLibrary 9.8.2 veya daha eski bir sürümle oluşturulmuş olması durumunda gereklidir.</p> + + + + LibraryWindow + + + YACReader Library + YACReader Kütüphane + + + + + + comic + komik + + + + + + manga + manga t?r? + + + + + + western manga (left to right) + Batı mangası (soldan sağa) + + + + + + web comic + web çizgi romanı + + + + + + 4koma (top to botom) + 4koma (yukarıdan aşağıya) + + + + + + + Set type + Türü ayarla + + + + Library + Kütüphane + + + + Folder + Klasör + + + + Comic + Çizgi roman + + + + Upgrade failed + Yükseltme başarısız oldu + + + + There were errors during library upgrade in: + Kütüphane yükseltmesi sırasında hatalar oluştu: + + + + Update needed + Güncelleme gerekli + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + Bu kütüphane YACReaderKütüphabenin bir önceki versiyonun oluşturulmuş, güncellemeye ihtiyacın var. Şimdi güncellemek ister misin ? + + + + Download new version + Yeni versiyonu indir + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + Bu kütüphane YACRKütüphanenin üst bir versiyonunda oluşturulmu. Yeni versiyonu indirmek ister misiniz ? + + + + + Library not available + Kütüphane ulaşılabilir değil + + + + Library '%1' is no longer available. Do you want to remove it? + Kütüphane '%1'ulaşılabilir değil. Kaldırmak ister misin? + + + + Old library + Eski kütüphane + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + Kütüphane '%1 YACRKütüphanenin eski bir sürümünde oluşturulmuş, Kütüphaneyi yeniden oluşturmak ister misin? + + + + + Copying comics... + Çizgi romanlar kopyalanıyor... + + + + + Moving comics... + Çizgi romanlar taşınıyor... + + + + Add new folder + Yeni klasör ekle + + + + Folder name: + Klasör adı: + + + + No folder selected + Hiçbir klasör seçilmedi + + + + Please, select a folder first + Lütfen, önce bir klasör seçiniz + + + + Error in path + Yolda hata + + + + There was an error accessing the folder's path + Klasörün yoluna erişilirken hata oluştu + + + + Delete folder + Klasörü sil + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + Seçilen klasör ve tüm içeriği diskinizden silinecek. Emin misin? + + + + + Unable to delete + Silinemedi + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + Seçili klasörleri silmeye çalışırken bir sorun oluştu. Lütfen yazma izinlerini kontrol edin ve herhangi bir uygulamanın bu klasörleri veya içerdiği dosyalardan herhangi birini kullandığından emin olun. + + + + Add new reading lists + Yeni okuma listeleri ekle + + + + + List name: + Liste adı: + + + + Delete list/label + Listeyi/Etiketi sil + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + Seçilen öğe silinecek, çizgi romanlarınız veya klasörleriniz diskinizden SİLİNMEYECEKTİR. Emin misin? + + + + Rename list name + Listeyi yeniden adlandır + + + + Open folder... + Dosyayı aç... + + + + Update folder + Klasörü güncelle + + + + Rescan library for XML info + XML bilgisi için kitaplığı yeniden tarayın + + + + Set as uncompleted + Tamamlanmamış olarak ayarla + + + + Set as completed + Tamamlanmış olarak ayarla + + + + Set as read + Okundu olarak işaretle + + + + + Set as unread + Hepsini okunmadı işaretle + + + + Set custom cover + Özel kapak ayarla + + + + Delete custom cover + Özel kapağı sil + + + + Save covers + Kapakları kaydet + + + + You are adding too many libraries. + Çok fazla kütüphane ekliyorsunuz. + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + Çok fazla kütüphane ekliyorsunuz. + +Muhtemelen üst düzey çizgi roman klasörünüzde yalnızca bir kütüphaneye ihtiyacınız vardır, sol kenar çubuğundaki klasörler bölümünü kullanarak herhangi bir alt klasöre göz atabilirsiniz. + +YACReaderLibrary daha fazla kütüphane oluşturmanıza engel olmaz ancak kütüphane sayısını düşük tutmalısınız. + + + + + YACReader not found + YACReader bulunamadı + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + YACReader bulunamadı. YACReader, YACReaderLibrary ile aynı klasöre kurulmalıdır. + + + + YACReader not found. There might be a problem with your YACReader installation. + YACReader bulunamadı. YACReader kurulumunuzda bir sorun olabilir. + + + + Error + Hata + + + + Error opening comic with third party reader. + Çizgi roman üçüncü taraf okuyucuyla açılırken hata oluştu. + + + + Library not found + Kütüphane bulunamadı + + + + The selected folder doesn't contain any library. + Seçilen dosya kütüphanede yok. + + + + Are you sure? + Emin misin? + + + + Do you want remove + Kaldırmak ister misin + + + + library? + kütüphane? + + + + Remove and delete metadata + Metadata'yı kaldır ve sil + + + + Library info + Kütüphane bilgisi + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + Seçilen çizgi romanlar silinmeye çalışılırken bir sorun oluştu. Lütfen seçilen dosyalarda veya klasörleri içeren yazma izinlerini kontrol edin. + + + + Assign comics numbers + Çizgi roman numaraları ata + + + + Assign numbers starting in: + Şunlardan başlayarak numaralar ata: + + + + Invalid image + Geçersiz resim + + + + The selected file is not a valid image. + Seçilen dosya geçerli bir resim değil. + + + + Error saving cover + Kapak kaydedilirken hata oluştu + + + + There was an error saving the cover image. + Kapak resmi kaydedilirken bir hata oluştu. + + + + Error creating the library + Kütüphane oluşturma sorunu + + + + Error updating the library + Kütüphane güncelleme sorunu + + + + Error opening the library + Haa kütüphanesini aç + + + + Delete comics + Çizgi romanları sil + + + + All the selected comics will be deleted from your disk. Are you sure? + Seçilen tüm çizgi romanlar diskten silinecek emin misin ? + + + + Remove comics + Çizgi romanları kaldır + + + + Comics will only be deleted from the current label/list. Are you sure? + Çizgi romanlar yalnızca mevcut etiketten/listeden silinecektir. Emin misin? + + + + Library name already exists + Kütüphane ismi zaten alınmış + + + + There is another library with the name '%1'. + Bu başka bir kütüphanenin adı '%1'. + + + + LibraryWindowActions + + + Create a new library + Yeni kütüphane oluştur + + + + Open an existing library + Çıkış kütüphanesini aç + + + + + Export comics info + Çizgi roman bilgilerini göster + + + + + Import comics info + Çizgi roman bilgilerini çıkart + + + + Pack covers + Paket kapakları + + + + Pack the covers of the selected library + Kütüphanede ki kapakları paketle + + + + Unpack covers + Kapakları aç + + + + Unpack a catalog + Kataloğu çkart + + + + Update library + Kütüphaneyi güncelle + + + + Update current library + Kütüphaneyi güncelle + + + + Rename library + Kütüphaneyi yeniden adlandır + + + + Rename current library + Kütüphaneyi adlandır + + + + Remove library + Kütüphaneyi sil + + + + Remove current library from your collection + Kütüphaneyi koleksiyonundan kaldır + + + + Rescan library for XML info + XML bilgisi için kitaplığı yeniden tarayın + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + Komik dosyalara gömülü XML bilgilerini bulmaya çalışır. Bunu yalnızca kitaplık 9.8.2 veya önceki sürümlerle oluşturulmuşsa veya XML bilgilerini dosyalara eklemek için üçüncü taraf yazılım kullanıyorsanız yapmanız gerekir. + + + + Show library info + Kitaplık bilgilerini göster + + + + Show information about the current library + Geçerli kitaplık hakkındaki bilgileri göster + + + + Open current comic + Seçili çizgi romanı aç + + + + Open current comic on YACReader + YACReader'ı geçerli çizgi roman okuyucsu seç + + + + Save selected covers to... + Seçilen kapakları şuraya kaydet... + + + + Save covers of the selected comics as JPG files + Seçilen çizgi romanların kapaklarını JPG dosyaları olarak kaydet + + + + + Set as read + Okundu olarak işaretle + + + + Set comic as read + Çizgi romanı okundu olarak işaretle + + + + + Set as unread + Hepsini okunmadı işaretle + + + + Set comic as unread + Çizgi Romanı okunmadı olarak seç + + + + + manga + manga t?r? + + + + Set issue as manga + Sayıyı manga olarak ayarla + + + + + comic + komik + + + + Set issue as normal + Sayıyı normal olarak ayarla + + + + western manga + batı mangası + + + + Set issue as western manga + Konuyu western mangası olarak ayarla + + + + + web comic + web çizgi romanı + + + + Set issue as web comic + Sorunu web çizgi romanı olarak ayarla + + + + + yonkoma + d?rt panelli + + + + Set issue as yonkoma + Sorunu yonkoma olarak ayarla + + + + Show/Hide marks + Altçizgileri aç/kapa + + + + Show or hide read marks + Okundu işaretlerini göster yada gizle + + + + Show/Hide recent indicator + Son göstergeyi Göster/Gizle + + + + Show or hide recent indicator + Son göstergeyi göster veya gizle + + + + + Fullscreen mode on/off + Tam ekran modu açık/kapalı + + + + Help, About YACReader + YACReader hakkında yardım ve bilgi + + + + Add new folder + Yeni klasör ekle + + + + Add new folder to the current library + Geçerli kitaplığa yeni klasör ekle + + + + Delete folder + Klasörü sil + + + + Delete current folder from disk + Geçerli klasörü diskten sil + + + + Select root node + Kökü seçin + + + + Expand all nodes + Tüm düğümleri büyüt + + + + Collapse all nodes + Tüm düğümleri kapat + + + + Show options dialog + Ayarları göster + + + + Show comics server options dialog + Çizgi romanların server ayarlarını göster + + + + + Change between comics views + Çizgi roman görünümleri arasında değiştir + + + + Open folder... + Dosyayı aç... + + + + Set as uncompleted + Tamamlanmamış olarak ayarla + + + + Set as completed + Tamamlanmış olarak ayarla + + + + Set custom cover + Özel kapak ayarla + + + + Delete custom cover + Özel kapağı sil + + + + western manga (left to right) + Batı mangası (soldan sağa) + + + + Open containing folder... + Klasör açılıyor... + + + + Reset comic rating + Çizgi roman reytingini sıfırla + + + + Select all comics + Tüm çizgi romanları seç + + + + Edit + Düzen + + + + Assign current order to comics + Geçerli sırayı çizgi romanlara ata + + + + Update cover + Kapağı güncelle + + + + Delete selected comics + Seçili çizgi romanları sil + + + + Delete metadata from selected comics + Seçilen çizgi romanlardan meta verileri sil + + + + Download tags from Comic Vine + Etiketleri Comic Vine sitesinden indir + + + + Focus search line + Arama satırına odaklan + + + + Focus comics view + Çizgi roman görünümüne odaklanın + + + + Edit shortcuts + Kısayolları düzenle + + + + &Quit + &Çıkış + + + + Update folder + Klasörü güncelle + + + + Update current folder + Geçerli klasörü güncelle + + + + Scan legacy XML metadata + Eski XML meta verilerini tarayın + + + + Add new reading list + Yeni okuma listesi ekle + + + + Add a new reading list to the current library + Geçerli kitaplığa yeni bir okuma listesi ekle + + + + Remove reading list + Okuma listesini kaldır + + + + Remove current reading list from the library + Geçerli okuma listesini kütüphaneden kaldır + + + + Add new label + Yeni etiket ekle + + + + Add a new label to this library + Bu kitaplığa yeni bir etiket ekle + + + + Rename selected list + Seçilen listeyi yeniden adlandır + + + + Rename any selected labels or lists + Seçilen etiketleri ya da listeleri yeniden adlandır + + + + Add to... + Şuraya ekle... + + + + Favorites + Favoriler + + + + Add selected comics to favorites list + Seçilen çizgi romanları favoriler listesine ekle + + + + LocalComicListModel + + + file name + dosya adı + + + + NoLibrariesWidget + + + You don't have any libraries yet + Henüz bir kütüphaneye sahip değilsin + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>Yeni bir kütüphane oluşturabilmeniçin kütüphane</p><p>No olvides que puedes usar YACReader como una aplicación independiente para leer los cómics en tu ordenador.</p> + + + + create your first library + İlk kütüphaneni oluştur + + + + add an existing one + Var olan bir tane ekle + + + + NoSearchResultsWidget + + + No results + Sonuç yok + + + + OptionsDialog + + + + General + Genel + + + + + Libraries + Kütüphaneler + + + + Comic Flow + Çizgi Roman Akışı + + + + Grid view + Izgara görünümü + + + + + Appearance + Dış görünüş + + + + + Options + Ayarlar + + + + + Language + Dil + + + + + Application language + Uygulama dili + + + + + System default + Sistem varsayılanı + + + + Tray icon settings (experimental) + Tepsi simgesi ayarları (deneysel) + + + + Close to tray + Tepsiyi kapat + + + + Start into the system tray + Sistem tepsisinde başlat + + + + Edit Comic Vine API key + Comic Vine API anahtarını düzenle + + + + Comic Vine API key + Comic Vine API anahtarı + + + + ComicInfo.xml legacy support + ComicInfo.xml eski desteği + + + + Import metadata from ComicInfo.xml when adding new comics + Yeni çizgi roman eklerken meta verileri ComicInfo.xml'den içe aktarın + + + + Consider 'recent' items added or updated since X days ago + X gün öncesinden bu yana eklenen veya güncellenen 'en son' öğeleri göz önünde bulundurun + + + + Third party reader + Üçüncü taraf okuyucu + + + + Write {comic_file_path} where the path should go in the command + Komutta yolun gitmesi gereken yere {comic_file_path} yazın + + + + + Clear + Temizle + + + + Update libraries at startup + Başlangıçta kitaplıkları güncelleyin + + + + Try to detect changes automatically + Değişiklikleri otomatik olarak algılamayı deneyin + + + + Update libraries periodically + Kitaplıkları düzenli aralıklarla güncelleyin + + + + Interval: + Aralık: + + + + 30 minutes + 30 dakika + + + + 1 hour + 1 saat + + + + 2 hours + 2 saat + + + + 4 hours + 4 saat + + + + 8 hours + 8 saat + + + + 12 hours + 12 saat + + + + daily + günlük + + + + Update libraries at certain time + Kitaplıkları belirli bir zamanda güncelle + + + + Time: + Zaman: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + UYARI! Kütüphane güncellemeleri sırasında veritabanına yazma işlemi devre dışı bırakılır! +Uygulamayı aktif olarak kullanırken güncelleme planlamayın. +Otomatik güncellemeler sırasında uygulama, güncelleme bitene kadar bazı eylemleri engelleyecektir. +Otomatik güncellemeyi durdurmak için Kitaplıklar başlığının yanındaki yükleme göstergesine dokunun. + + + + Modifications detection + Değişiklik tespiti + + + + Compare the modified date of files when updating a library (not recommended) + Kitaplığı güncellerken dosyaların değiştirilme tarihini karşılaştırın (önerilmez) + + + + Enable background image + Arka plan resmini etkinleştir + + + + Opacity level + Matlık düzeyi + + + + Blur level + Bulanıklık düzeyi + + + + Use selected comic cover as background + Seçilen çizgi roman kapanığı arka plan olarak kullan + + + + Restore defautls + Varsayılanları geri yükle + + + + Background + Arka plan + + + + Display continue reading banner + Okuma devam et bannerını göster + + + + Display current comic banner + Mevcut çizgi roman banner'ını görüntüle + + + + Continue reading + Okumaya devam et + + + + My comics path + Çizgi Romanlarım + + + + Display + Görüntülemek + + + + Show time in current page information label + Geçerli sayfa bilgisi etiketinde zamanı göster + + + + "Go to flow" size + Akış görünümüne git + + + + Background color + Arka plan rengi + + + + Choose + Seç + + + + Scroll behaviour + Kaydırma davranışı + + + + Disable scroll animations and smooth scrolling + Kaydırma animasyonlarını ve düzgün kaydırmayı devre dışı bırakın + + + + Do not turn page using scroll + Kaydırmayı kullanarak sayfayı çevirmeyin + + + + Use single scroll step to turn page + Sayfayı çevirmek için tek kaydırma adımını kullanın + + + + Mouse mode + Fare modu + + + + Only Back/Forward buttons can turn pages + Yalnızca Geri/İleri düğmeleri sayfaları çevirebilir + + + + Use the Left/Right buttons to turn pages. + Sayfaları çevirmek için Sol/Sağ tuşlarını kullanın. + + + + Click left or right half of the screen to turn pages. + Sayfaları çevirmek için ekranın sol veya sağ yarısına tıklayın. + + + + Quick Navigation Mode + Hızlı Gezinti Kipi + + + + Disable mouse over activation + Etkinleştirme üzerinde fareyi devre dışı bırak + + + + Brightness + Parlaklık + + + + Contrast + Kontrast + + + + Gamma + Gama + + + + Reset + Yeniden başlat + + + + Image options + Sayfa ayarları + + + + Fit options + Sığdırma seçenekleri + + + + Enlarge images to fit width/height + Genişliğe/yüksekliği sığmaları için resimleri genişlet + + + + Double Page options + Çift Sayfa seçenekleri + + + + Show covers as single page + Kapakları tek sayfa olarak göster + + + + Scaling + Ölçeklendirme + + + + Scaling method + Ölçeklendirme yöntemi + + + + Nearest (fast, low quality) + En yakın (hızlı, düşük kalite) + + + + Bilinear + Çift doğrusal + + + + Lanczos (better quality) + Lanczos (daha kaliteli) + + + + Page Flow + Sayfa akışı + + + + Image adjustment + Resim ayarları + + + + + Restart is needed + Yeniden başlatılmalı + + + + Comics directory + Çizgi roman konumu + + + + PropertiesDialog + + + General info + Genel bilgi + + + + Plot + Argumento + + + + Authors + Yazarlar + + + + Publishing + Yayın + + + + Notes + Notlar + + + + Cover page + Kapak sayfası + + + + Load previous page as cover + Önceki sayfayı kapak olarak yükle + + + + Load next page as cover + Sonraki sayfayı kapak olarak yükle + + + + Reset cover to the default image + Kapağı varsayılan görüntüye sıfırla + + + + Load custom cover image + Özel kapak resmini yükle + + + + Series: + Seriler: + + + + Title: + Başlık: + + + + + + of: + ile ilgili: + + + + Issue number: + Yayın numarası: + + + + Volume: + Cilt: + + + + Arc number: + Ark numarası: + + + + Story arc: + Hiakye: + + + + alt. number: + alternatif sayı: + + + + Alternate series: + Alternatif seri: + + + + Series Group: + Seri Grubu: + + + + Genre: + Tür: + + + + Size: + Boyut: + + + + Writer(s): + Yazarlar: + + + + Penciller(s): + Çizenler: + + + + Inker(s): + Mürekkep(ler): + + + + Colorist(s): + Renklendiren: + + + + Letterer(s): + Mesaj(lar): + + + + Cover Artist(s): + Kapak artisti: + + + + Editor(s): + Editör(ler): + + + + Imprint: + Künye: + + + + Day: + Gün: + + + + Month: + Ay: + + + + Year: + Yıl: + + + + Publisher: + Yayıncı: + + + + Format: + Formato: + + + + Color/BW: + Renk/BW: + + + + Age rating: + Yaş sınırı: + + + + Type: + Tip: + + + + Language (ISO): + Dil (ISO): + + + + Synopsis: + Özet: + + + + Characters: + Karakterler: + + + + Teams: + Takımlar: + + + + Locations: + Konumlar: + + + + Main character or team: + Ana karakter veya takım: + + + + Review: + Gözden geçirmek: + + + + Notes: + Notlar: + + + + Tags: + Etiketler: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine bağlantısı: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> görüntüle </a> + + + + Not found + Bulunamadı + + + + Comic not found. You should update your library. + Çizgi roman bulunamadı. Kütüphaneyi güncellemelisin. + + + + Edit comic information + Çizgi roman bilgisini düzenle + + + + Edit selected comics information + Seçilen çizgi roman bilgilerini düzenle + + + + Invalid cover + Geçersiz kapak + + + + The image is invalid. + Resim geçersiz. + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer, YACReaderLibrary'nin başsız (gui yok) sürümüdür. + +Bu uygulama kalıcı ayarları destekler, bunları ayarlamak için bu dosyayı düzenleyin %1 +Mevcut ayarlar hakkında bilgi edinmek için lütfen https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md adresindeki belgelere bakın. + + + + QObject + + + Trace + İz + + + + Debug + Hata ayıkla + + + + Info + Bilgi + + + + Warning + Uyarı + + + + Error + Hata + + + + Fatal + Ölümcül + + + + Select custom cover + Özel kapak seçin + + + + Images (%1) + Resimler (%1) + + + + 7z lib not found + 7z lib bulunamadı + + + + unable to load 7z lib from ./utils + ./utils içinden 7z lib yüklenemedi + + + + The file could not be read or is not valid JSON. + Dosya okunamadı veya geçerli bir JSON değil. + + + + This theme is for %1, not %2. + Bu tema %2 için değil, %1 içindir. + + + + Libraries + Kütüphaneler + + + + Folders + Klasör + + + + Reading Lists + Okuma Listeleri + + + + RenameLibraryDialog + + + New Library Name : + Yeni Kütüphane Adı : + + + + Rename + Yeniden adlandır + + + + Cancel + Vazgeç + + + + Rename current library + Kütüphaneyi adlandır + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + Bulunan bölüm sayısı: %1 + + + + + page %1 of %2 + sayfa %1 / %2 + + + + Number of %1 found : %2 + Sayı %1, bulunan : %2 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + Lütfen bazı ek bilgiler sağlayın. + + + + Series: + Seriler: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Tam eşleme aramasını kullanın. Addaki bazı sözcüklerle eşleşen ciltleri bulmak istiyorsanız devre dışı bırakın. + + + + SearchVolume + + + Please provide some additional information. + Lütfen bazı ek bilgiler sağlayın. + + + + Series: + Seriler: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + Tam eşleme aramasını kullanın. Addaki bazı sözcüklerle eşleşen ciltleri bulmak istiyorsanız devre dışı bırakın. + + + + SelectComic + + + Please, select the right comic info. + Lütfen, doğru çizgi roman bilgisini seçin. + + + + comics + çizgi roman + + + + loading cover + kapak yükleniyor + + + + loading description + açıklama yükleniyor + + + + comic description unavailable + çizgi roman açıklaması mevcut değil + + + + SelectVolume + + + Please, select the right series for your comic. + Çizgi romanınız için doğru seriyi seçin. + + + + Filter: + Filtre: + + + + volumes + sayı + + + + Nothing found, clear the filter if any. + Hiçbir şey bulunamadı, varsa filtreyi temizleyin. + + + + loading cover + kapak yükleniyor + + + + loading description + açıklama yükleniyor + + + + volume description unavailable + cilt açıklaması kullanılamıyor + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + Aynı anda çeşitli çizgi romanlar için bilgi almaya çalışıyorsunuz, bunlar aynı serinin parçası mı? + + + + yes + evet + + + + no + hayır + + + + ServerConfigDialog + + + set port + Port Ayarla + + + + Server connectivity information + Sunucu bağlantı bilgileri + + + + Scan it! + Tara! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader, iOS ve Android cihazlarda kullanılabilir.<br/>Bunu <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> veya <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a> için keşfedin. + + + + Choose an IP address + IP adresi seçin + + + + Port + Liman + + + + enable the server + erişilebilir server + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + Lütfen, çizgi romanların bilgileriyle eşleşene kadar soldaki çizgi roman listesini sıralayın. + + + + sort comics to match comic information + çizgi roman bilgilerini eşleştirmek için çizgi romanları sıralayın + + + + issues + sayı + + + + remove selected comics + seçilen çizgi romanları kaldır + + + + restore all removed comics + tüm seçilen çizgi romanları geri yükle + + + + ThemeEditorDialog + + + Theme Editor + Tema Düzenleyici + + + + + + + + + + + - + - + + + + i + Ben + + + + Expand all + Tümünü genişlet + + + + Collapse all + Tümünü daralt + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + Kullanıcı arayüzünde seçilen değeri (macenta / geçişli / 0↔10) yanıp sönmek için basılı tutun. Sürümler orijinali geri yükler. + + + + Search… + Aramak… + + + + Light + Işık + + + + Dark + Karanlık + + + + ID: + İD: + + + + Display name: + Ekran adı: + + + + Variant: + Varyant: + + + + Theme info + Tema bilgisi + + + + Parameter + Parametre + + + + Value + Değer + + + + Save and apply + Kaydet ve uygula + + + + Export to file... + Dosyaya aktar... + + + + Load from file... + Dosyadan yükle... + + + + Close + Kapat + + + + Double-click to edit color + Rengi düzenlemek için çift tıklayın + + + + + + + + + true + doğru + + + + + + + false + YANLIŞ + + + + Double-click to toggle + Geçiş yapmak için çift tıklayın + + + + Double-click to edit value + Değeri düzenlemek için çift tıklayın + + + + + + Edit: %1 + Düzenleme: %1 + + + + Save theme + Temayı kaydet + + + + + JSON files (*.json);;All files (*) + JSON dosyaları (*.json);;Tüm dosyalar (*) + + + + Save failed + Kaydetme başarısız oldu + + + + Could not open file for writing: +%1 + Dosya yazmak için açılamadı: +%1 + + + + Load theme + Temayı yükle + + + + + + Load failed + Yükleme başarısız oldu + + + + Could not open file: +%1 + Dosya açılamadı: +%1 + + + + Invalid JSON: +%1 + Geçersiz JSON: +%1 + + + + Expected a JSON object. + Bir JSON nesnesi bekleniyordu. + + + + TitleHeader + + + SEARCH + ARA + + + + UpdateLibraryDialog + + + Updating.... + Güncelleniyor... + + + + Cancel + Vazgeç + + + + Update library + Kütüphaneyi güncelle + + + + Viewer + + + + Press 'O' to open comic. + 'O'ya basarak aç. + + + + Not found + Bulunamadı + + + + Comic not found + Çizgi roman bulunamadı + + + + Error opening comic + Çizgi roman açılırken hata + + + + CRC Error + CRC Hatası + + + + Loading...please wait! + Yükleniyor... lütfen bekleyin! + + + + Page not available! + Sayfa bulunamadı! + + + + Cover! + Kapak! + + + + Last page! + Son sayfa! + + + + VolumeComicsModel + + + title + başlık + + + + VolumesModel + + + year + yıl + + + + issues + sayı + + + + publisher + yayıncı + + + + YACReader3DFlowConfigWidget + + + Presets: + Hazırlayan: + + + + Classic look + Klasik görünüm + + + + Stripe look + Şerit görünüm + + + + Overlapped Stripe look + Çakışan şerit görünüm + + + + Modern look + Modern görünüm + + + + Roulette look + Rulet görünüm + + + + Show advanced settings + Daha fazla ayar göster + + + + Custom: + Kişisel: + + + + View angle + Bakış açısı + + + + Position + Pozisyon + + + + Cover gap + Kapak boşluğu + + + + Central gap + Boş merkaz + + + + Zoom + Yakınlaş + + + + Y offset + Y dengesi + + + + Z offset + Z dengesi + + + + Cover Angle + Kapak Açısı + + + + Visibility + Görünülebilirlik + + + + Light + Işık + + + + Max angle + Maksimum açı + + + + Low Performance + Düşük Performans + + + + High Performance + Yüksek performans + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + VSync kullan + + + + Performance: + Performans: + + + + YACReader::MainWindowViewer + + + &Open + &Aç + + + + Open a comic + Çizgi romanı aç + + + + New instance + Yeni örnek + + + + Open Folder + Dosyayı Aç + + + + Open image folder + Resim dosyasınıaç + + + + Open latest comic + En son çizgi romanı aç + + + + Open the latest comic opened in the previous reading session + Önceki okuma oturumunda açılan en son çizgi romanı aç + + + + Clear + Temizle + + + + Clear open recent list + Son açılanlar listesini temizle + + + + Save + Kaydet + + + + + Save current page + Geçerli sayfayı kaydet + + + + Previous Comic + Önce ki çizgi roman + + + + + + Open previous comic + Önceki çizgi romanı aç + + + + Next Comic + Sırada ki çizgi roman + + + + + + Open next comic + Sıradaki çizgi romanı aç + + + + &Previous + &Geri + + + + + + Go to previous page + Önceki sayfaya dön + + + + &Next + &İleri + + + + + + Go to next page + Sonra ki sayfaya geç + + + + Fit Height + Yüksekliğe Sığdır + + + + Fit image to height + Uygun yüksekliğe getir + + + + Fit Width + Uygun Genişlik + + + + Fit image to width + Görüntüyü sığdır + + + + Show full size + Tam erken + + + + Fit to page + Sayfaya sığdır + + + + Continuous scroll + Sürekli kaydırma + + + + Switch to continuous scroll mode + Sürekli kaydırma moduna geç + + + + Reset zoom + Yakınlaştırmayı sıfırla + + + + Show zoom slider + Yakınlaştırma çubuğunu göster + + + + Zoom+ + Yakınlaştır + + + + Zoom- + Uzaklaştır + + + + Rotate image to the left + Sayfayı sola yatır + + + + Rotate image to the right + Sayfayı sağa yator + + + + Double page mode + Çift sayfa modu + + + + Switch to double page mode + Çift sayfa moduna geç + + + + Double page manga mode + Çift sayfa manga kipi + + + + Reverse reading order in double page mode + Çift sayfa kipinde ters okuma sırası + + + + Go To + Git + + + + Go to page ... + Sayfata git... + + + + Options + Ayarlar + + + + YACReader options + YACReader ayarları + + + + + Help + Yardım + + + + Help, About YACReader + YACReader hakkında yardım ve bilgi + + + + Magnifying glass + Büyüteç + + + + Switch Magnifying glass + Büyüteç + + + + Set bookmark + Yer imi yap + + + + Set a bookmark on the current page + Sayfayı yer imi olarak ayarla + + + + Show bookmarks + Yer imlerini göster + + + + Show the bookmarks of the current comic + Bu çizgi romanın yer imlerini göster + + + + Show keyboard shortcuts + Klavye kısayollarını göster + + + + Show Info + Bilgiyi göster + + + + Close + Kapat + + + + Show Dictionary + Sözlüğü göster + + + + Show go to flow + Akışı göster + + + + Edit shortcuts + Kısayolları düzenle + + + + &File + &Dosya + + + + + Open recent + Son dosyaları aç + + + + File + Dosya + + + + Edit + Düzen + + + + View + Görünüm + + + + Go + Git + + + + Window + Pencere + + + + + + Open Comic + Çizgi Romanı Aç + + + + + + Comic files + Çizgi Roman Dosyaları + + + + Open folder + Dosyayı aç + + + + page_%1.jpg + sayfa_%1.jpg + + + + Image files (*.jpg) + Resim dosyaları (*.jpg) + + + + + Comics + Çizgi Roman + + + + + General + Genel + + + + + Magnifiying glass + Büyüteç + + + + + Page adjustement + Sayfa ayarı + + + + + Reading + Okuma + + + + Toggle fullscreen mode + Tam ekran kipini aç/kapat + + + + Hide/show toolbar + Araç çubuğunu göster/gizle + + + + Size up magnifying glass + Büyüteci büyüt + + + + Size down magnifying glass + Büyüteci küçült + + + + Zoom in magnifying glass + Büyüteci yakınlaştır + + + + Zoom out magnifying glass + Büyüteci uzaklaştır + + + + Reset magnifying glass + Büyüteci sıfırla + + + + Toggle between fit to width and fit to height + Genişliğe sığdır ile yüksekliğe sığdır arasında geçiş yap + + + + Autoscroll down + Otomatik aşağı kaydır + + + + Autoscroll up + Otomatik yukarı kaydır + + + + Autoscroll forward, horizontal first + Otomatik ileri kaydır, önce yatay + + + + Autoscroll backward, horizontal first + Otomatik geri kaydır, önce yatay + + + + Autoscroll forward, vertical first + Otomatik ileri kaydır, önce dikey + + + + Autoscroll backward, vertical first + Otomatik geri kaydır, önce dikey + + + + Move down + Aşağı git + + + + Move up + Yukarı git + + + + Move left + Sola git + + + + Move right + Sağa git + + + + Go to the first page + İlk sayfaya git + + + + Go to the last page + En son sayfaya git + + + + Offset double page to the left + Çift sayfayı sola kaydır + + + + Offset double page to the right + Çift sayfayı sağa kaydır + + + + There is a new version available + Yeni versiyon mevcut + + + + Do you want to download the new version? + Yeni versiyonu indirmek ister misin ? + + + + Remind me in 14 days + 14 gün içinde hatırlat + + + + Not now + Şimdi değil + + + + YACReader::TrayIconController + + + &Restore + &Geri Yükle + + + + Systray + Sistem tepsisi + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary sistem tepsisinde çalışmaya devam edecektir. Programı sonlandırmak için sistem tepsisi simgesinin bağlam menüsünden <b>Çık</b>'ı seçin. + + + + YACReaderFieldEdit + + + + Click to overwrite + Üzerine yazmak için tıkla + + + + Restore to default + Varsayılana ayarla + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + Üzerine yazmak için tıkla + + + + Restore to default + Varsayılana ayarla + + + + YACReaderOptionsDialog + + + Save + Kaydet + + + + Cancel + Vazgeç + + + + Edit shortcuts + Kısayolları düzenle + + + + Shortcuts + Kısayollar + + + + YACReaderSearchLineEdit + + + type to search + aramak için yazınız + + + + YACReaderSlider + + + Reset + Yeniden başlat - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + YACReader çevirmeni - - &Resume - + + + Translation + Çeviri - - Save log - + + clear + temizle - - Log file (*.log) - + + Service not available + Servis kullanılamıyor diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_zh_CN.ts b/YACReaderLibraryServer/yacreaderlibraryserver_zh_CN.ts index 45baf7bd7..9c36ddbde 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_zh_CN.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_zh_CN.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + 标签名称: - - 7z not found - + + Choose a color: + 选择标签颜色: - - Format not supported - + + accept + 接受 + + + + cancel + 取消 - LogWindow + AddLibraryDialog + + + Comics folder : + 漫画文件夹: + + + + Library name : + 库名: + - - Log window - + + Add + 添加 - - &Pause - + + Cancel + 取消 - - &Save - + + Add an existing library + 添加一个现有库 + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + 你需要拥有自己的API密钥才能够连接Comic Vine. 你可以通过这个链接获得一个免费的<a href="http://www.comicvine.com/api/">API</a>密钥 - - &Copy - + + Paste here your Comic Vine API key + 在此粘贴你的Comic Vine API - - Level: - + + Accept + 接受 - - &Auto scroll - + + Cancel + 取消 - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + 配色方案 + + + + System + 系统 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 风俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 删除此用户导入的主题 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定义: + + + + Import theme... + 导入主题... + + + + Theme + 主题 + + + + Theme editor + 主题编辑器 + + + + Open Theme Editor... + 打开主题编辑器... + + + + Theme editor error + 主题编辑器错误 + + + + The current theme JSON could not be loaded. + 无法加载当前主题 JSON。 + + + + Import theme + 导入主题 + + + + JSON files (*.json);;All files (*) + JSON 文件 (*.json);;所有文件 (*) + + + + Could not import theme from: +%1 + 无法从以下位置导入主题: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + 无法从以下位置导入主题: +%1 + +%2 + + + + Import failed + 导入失败 - QObject + BookmarksDialog - - Trace - + + Lastest Page + 尾页 - - Debug - + + Close + 关闭 - - Info - + + Click on any image to go to the bookmark + 点击任意图片以跳转至相应书签位置 - - Warning - + + + Loading... + 载入中... + + + ClassicComicsView - - Error - + + Hide comic flow + 隐藏漫画流 + + + + ComicModel + + + yes + - - Fatal - + + no + + + + + Title + 标题 + + + + File Name + 文件名 + + + + Pages + 页数 + + + + Size + 大小 + + + + Read + 阅读 + + + + Current Page + 当前页 + + + + Publication Date + 出版日期 + + + + Rating + 评分 + + + + Series + 系列 + + + + Volume + + + + + Story Arc + 故事线 + + + + ComicVineDialog + + + skip + 忽略 + + + + back + 返回 + + + + next + 下一步 + + + + search + 搜索 + + + + close + 关闭 + + + + + comic %1 of %2 - %3 + 第 %1 本 共 %2 本 - %3 + + + + + + Looking for volume... + 搜索卷... + + + + %1 comics selected + 已选择 %1 本漫画 + + + + Error connecting to ComicVine + ComicVine 连接时出错 + + + + + Retrieving tags for : %1 + 正在检索标签: %1 + + + + Retrieving volume info... + 正在接收卷信息... + + + + Looking for comic... + 搜索漫画中... + + + + ContinuousPageWidget + + + Loading page %1 + 正在加载页面 %1 + + + + CreateLibraryDialog + + + Comics folder : + 漫画文件夹: + + + + Library Name : + 库名: + + + + Create + 创建 + + + + Cancel + 取消 + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + 创建一个新的库可能需要几分钟时间,您可以先停止该进程,稍后可以通过更新库选项来更新数据。 + + + + Create new library + 创建新的漫画库 + + + + Path not found + 未找到路径 + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + 所选路径不存在或不是有效路径. 确保您具有此文件夹的写入权限 + + + + EditShortcutsDialog + + + Restore defaults + 恢复默认 + + + + To change a shortcut, double click in the key combination and type the new keys. + 更改快捷键: 双击按键组合并输入新的映射. + + + + Shortcuts settings + 快捷键设置 + + + + Shortcut in use + 快捷键被占用 + + + + The shortcut "%1" is already assigned to other function + 快捷键 "%1" 已被映射至其他功能 + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + 该文件夹还没有漫画 + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + 此标签尚未包含漫画 + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + 此阅读列表尚未包含任何漫画 + + + + EmptySpecialListWidget + + + No favorites + 没有收藏 + + + + You are not reading anything yet, come on!! + 你还没有阅读任何东西,加油!! + + + + There are no recent comics! + 没有最近的漫画! + + + + ExportComicsInfoDialog + + + Output file : + 输出文件: + + + + Create + 创建 + + + + Cancel + 取消 + + + + Export comics info + 导出漫画信息 + + + + Destination database name + 目标数据库名称 + + + + Problem found while writing + 写入时出现问题 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 选定的输出文件路径不存在或路径无效. 确保您具有此文件夹的写入权限 + + + + ExportLibraryDialog + + + Output folder : + 输出文件夹: + + + + Create + 创建 + + + + Cancel + 取消 + + + + Create covers package + 创建封面包 + + + + Problem found while writing + 写入时出现问题 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 选定的输出文件路径不存在或路径无效. 确保您具有此文件夹的写入权限 + + + + Destination directory + 目标目录 + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + 第 %1 页 CRC 校验失败: 部分页面将无法正确显示 + + + + Unknown error opening the file + 打开文件时出现未知错误 + + + + 7z not found + 未找到 7z + + + + Format not supported + 不支持的文件格式 + + + + GoToDialog + + + Page : + 页码 : + + + + Go To + 跳转 + + + + Cancel + 取消 + + + + + Total pages : + 总页数: + + + + Go to... + 跳转至 ... + + + + GoToFlowToolBar + + + Page : + 页码 : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + 显示信息 + + + HelpAboutDialog - - Level - + + About + 关于 - - Message - + + Help + 帮助 + + + + System info + 系统信息 + + + + ImportComicsInfoDialog + + + Import comics info + 导入漫画信息 + + + + Info database location : + 数据库地址: + + + + Import + 导入 + + + + Cancel + 取消 + + + + Comics info file (*.ydb) + 漫画信息文件(*.ydb) + + + + ImportLibraryDialog + + + Library Name : + 库名: + + + + Package location : + 打包地址: + + + + Destination folder : + 目标文件夹: + + + + Unpack + 解压 + + + + Cancel + 取消 + + + + Extract a catalog + 提取目录 + + + + Compresed library covers (*.clc) + 已压缩的库封面 (*.clc) + + + + ImportWidget + + + stop + 停止 + + + + Some of the comics being added... + 正在添加漫画... + + + + Importing comics + 正在导入漫画 + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary现在正在创建一个新库。</p><p>这可能需要几分钟时间,您可以先停止该进程,稍后可以通过更新库选项来更新数据。</p> + + + + Updating the library + 正在更新库 + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>正在更新当前库。要获得更快的更新,请经常更新您的库。</p><p>您可以停止该进程,稍后继续更新操作。</p> + + + + Upgrading the library + 正在更新库 + + + + <p>The current library is being upgraded, please wait.</p> + <p>正在更新当前漫画库, 请稍候.</p> + + + + Scanning the library + 正在扫描库 + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>正在扫描当前库的旧版 XML metadata 信息。</p><p>这只需要执行一次,且只有当创建库的 YACReaderLibrary 版本低于 9.8.2 时。</p> + + + + LibraryWindow + + + YACReader Library + YACReader 库 + + + + + + comic + 漫画 + + + + + + manga + 日本漫画 + + + + + + western manga (left to right) + 欧美漫画(从左到右) + + + + + + web comic + 网络漫画 + + + + + + 4koma (top to botom) + 四格漫画(从上到下) + + + + + + + Set type + 设置类型 + + + + Library + + + + + Folder + 文件夹 + + + + Comic + 漫画 + + + + Upgrade failed + 更新失败 + + + + There were errors during library upgrade in: + 漫画库更新时出现错误: + + + + Update needed + 需要更新 + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + 此库是使用旧版本的YACReaderLibrary创建的. 它需要更新. 现在更新? + + + + Download new version + 下载新版本 + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + 此库是使用较新版本的YACReaderLibrary创建的。 立即下载新版本? + + + + Library not available + 库不可用 + + + + Library '%1' is no longer available. Do you want to remove it? + 库 '%1' 不再可用。 你想删除它吗? + + + + Old library + 旧的库 + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + 库 '%1' 是通过旧版本的YACReaderLibrary创建的。 必须再次创建。 你想现在创建吗? + + + + + Copying comics... + 复制漫画中... + + + + + Moving comics... + 移动漫画中... + + + + Add new folder + 添加新的文件夹 + + + + Folder name: + 文件夹名称: + + + + No folder selected + 没有选中的文件夹 + + + + Please, select a folder first + 请先选择一个文件夹 + + + + Error in path + 路径错误 + + + + There was an error accessing the folder's path + 访问文件夹的路径时出错 + + + + Delete folder + 删除文件夹 + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + 所选文件夹及其所有内容将从磁盘中删除。 你确定吗? + + + + + Unable to delete + 无法删除 + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + 尝试删除所选文件夹时出现问题。 请检查写入权限,并确保没有其他应用程序在使用这些文件夹或文件。 + + + + Add new reading lists + 添加新的阅读列表 + + + + + List name: + 列表名称: + + + + Delete list/label + 删除 列表/标签 + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + 所选项目将被删除,您的漫画或文件夹将不会从您的磁盘中删除。 你确定吗? + + + + Rename list name + 重命名列表 + + + + Open folder... + 打开文件夹... + + + + Update folder + 更新文件夹 + + + + Rescan library for XML info + 重新扫描库的 XML 信息 + + + + Set as uncompleted + 设为未完成 + + + + Set as completed + 设为已完成 + + + + Set as read + 设为已读 + + + + + Set as unread + 设为未读 + + + + Set custom cover + 设置自定义封面 + + + + Delete custom cover + 删除自定义封面 + + + + Save covers + 保存封面 + + + + You are adding too many libraries. + 您添加的库太多了。 + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + 您添加的库太多了。 + +一般情况只需要一个顶级的库,您可以使用左侧边栏中的文件夹功能来进行分类管理。 + +YACReaderLibrary不会阻止您创建更多的库,但是您应该保持较低的库数量来提升性能。 + + + + + YACReader not found + YACReader 未找到 + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + 未找到YACReader. YACReader应安装在与YACReaderLibrary相同的文件夹中. + + + + YACReader not found. There might be a problem with your YACReader installation. + 未找到YACReader. YACReader的安装可能有问题. + + + + Error + 错误 + + + + Error opening comic with third party reader. + 使用第三方阅读器打开漫画时出错。 + + + + Library not found + 未找到库 + + + + The selected folder doesn't contain any library. + 所选文件夹不包含任何库。 + + + + Are you sure? + 你确定吗? + + + + Do you want remove + 你想要删除 + + + + library? + 库? + + + + Remove and delete metadata + 移除并删除元数据 + + + + Library info + 图书馆信息 + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + 尝试删除所选漫画时出现问题。 请检查所选文件或包含文件夹中的写入权限。 + + + + Assign comics numbers + 分配漫画编号 + + + + Assign numbers starting in: + 从以下位置开始分配编号: + + + + Invalid image + 图片无效 + + + + The selected file is not a valid image. + 所选文件不是有效图像。 + + + + Error saving cover + 保存封面时出错 + + + + There was an error saving the cover image. + 保存封面图像时出错。 + + + + Error creating the library + 创建库时出错 + + + + Error updating the library + 更新库时出错 + + + + Error opening the library + 打开库时出错 + + + + Delete comics + 删除漫画 + + + + All the selected comics will be deleted from your disk. Are you sure? + 所有选定的漫画都将从您的磁盘中删除。你确定吗? + + + + Remove comics + 移除漫画 + + + + Comics will only be deleted from the current label/list. Are you sure? + 漫画只会从当前标签/列表中删除。 你确定吗? + + + + Library name already exists + 库名已存在 + + + + There is another library with the name '%1'. + 已存在另一个名为'%1'的库。 + + + + LibraryWindowActions + + + Create a new library + 创建一个新的库 + + + + Open an existing library + 打开现有的库 + + + + + Export comics info + 导出漫画信息 + + + + + Import comics info + 导入漫画信息 + + + + Pack covers + 打包封面 + + + + Pack the covers of the selected library + 打包所选库的封面 + + + + Unpack covers + 解压封面 + + + + Unpack a catalog + 解压目录 + + + + Update library + 更新库 + + + + Update current library + 更新当前库 + + + + Rename library + 重命名库 + + + + Rename current library + 重命名当前库 + + + + Remove library + 移除库 + + + + Remove current library from your collection + 从您的集合中移除当前库 + + + + Rescan library for XML info + 重新扫描库的 XML 信息 + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + 尝试查找漫画文件内嵌的 XML 信息。只有当创建库的 YACReaderLibrary 版本低于 9.8.2 或者使用第三方软件嵌入 XML 信息时,才需要执行该操作。 + + + + Show library info + 显示图书馆信息 + + + + Show information about the current library + 显示当前库的信息 + + + + Open current comic + 打开当前漫画 + + + + Open current comic on YACReader + 用YACReader打开漫画 + + + + Save selected covers to... + 选中的封面保存到... + + + + Save covers of the selected comics as JPG files + 保存所选的封面为jpg + + + + + Set as read + 设为已读 + + + + Set comic as read + 漫画设为已读 + + + + + Set as unread + 设为未读 + + + + Set comic as unread + 漫画设为未读 + + + + + manga + 日本漫画 + + + + Set issue as manga + 将问题设置为漫画 + + + + + comic + 漫画 + + + + Set issue as normal + 设置漫画为 + + + + western manga + 欧美漫画 + + + + Set issue as western manga + 设置为欧美漫画 + + + + + web comic + 网络漫画 + + + + Set issue as web comic + 设置为网络漫画 + + + + + yonkoma + 四格漫画 + + + + Set issue as yonkoma + 设置为四格漫画 + + + + Show/Hide marks + 显示/隐藏标记 + + + + Show or hide read marks + 显示或隐藏阅读标记 + + + + Show/Hide recent indicator + 显示/隐藏最近的指示标志 + + + + Show or hide recent indicator + 显示或隐藏最近的指示标志 + + + + + Fullscreen mode on/off + 全屏模式 开/关 + + + + Help, About YACReader + 帮助, 关于 YACReader + + + + Add new folder + 添加新的文件夹 + + + + Add new folder to the current library + 在当前库下添加新的文件夹 + + + + Delete folder + 删除文件夹 + + + + Delete current folder from disk + 从磁盘上删除当前文件夹 + + + + Select root node + 选择根节点 + + + + Expand all nodes + 展开所有节点 + + + + Collapse all nodes + 折叠所有节点 + + + + Show options dialog + 显示选项对话框 + + + + Show comics server options dialog + 显示漫画服务器选项对话框 + + + + + Change between comics views + 漫画视图之间的变化 + + + + Open folder... + 打开文件夹... + + + + Set as uncompleted + 设为未完成 + + + + Set as completed + 设为已完成 + + + + Set custom cover + 设置自定义封面 + + + + Delete custom cover + 删除自定义封面 + + + + western manga (left to right) + 欧美漫画(从左到右) + + + + Open containing folder... + 打开包含文件夹... + + + + Reset comic rating + 重置漫画评分 + + + + Select all comics + 全选漫画 + + + + Edit + 编辑 + + + + Assign current order to comics + 将当前序号分配给漫画 + + + + Update cover + 更新封面 + + + + Delete selected comics + 删除所选的漫画 + + + + Delete metadata from selected comics + 从选定的漫画中删除元数据 + + + + Download tags from Comic Vine + 从 Comic Vine 下载标签 + + + + Focus search line + 聚焦于搜索行 + + + + Focus comics view + 聚焦于漫画视图 + + + + Edit shortcuts + 编辑快捷键 + + + + &Quit + 退出(&Q) + + + + Update folder + 更新文件夹 + + + + Update current folder + 更新当前文件夹 + + + + Scan legacy XML metadata + 扫描旧版 XML 元数据 + + + + Add new reading list + 添加新的阅读列表 + + + + Add a new reading list to the current library + 在当前库添加新的阅读列表 + + + + Remove reading list + 移除阅读列表 + + + + Remove current reading list from the library + 从当前库移除阅读列表 + + + + Add new label + 添加新标签 + + + + Add a new label to this library + 在当前库添加标签 + + + + Rename selected list + 重命名列表 + + + + Rename any selected labels or lists + 重命名任何选定的标签或列表 + + + + Add to... + 添加到... + + + + Favorites + 收藏夹 + + + + Add selected comics to favorites list + 将所选漫画添加到收藏夹列表 + + + + LocalComicListModel + + + file name + 文件名 + + + + NoLibrariesWidget + + + You don't have any libraries yet + 你还没有库 + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>您可以在任何文件夹中创建库,YACReaderLibrary将导入此文件夹中的所有漫画和文件夹。如果已有库,则可以打开它们。</p><p>您可以把YACReader当成独立应用来阅读电脑上的漫画。</p> + + + + create your first library + 创建你的第一个库 + + + + add an existing one + 添加一个现有库 + + + + NoSearchResultsWidget + + + No results + 没有结果 + + + + OptionsDialog + + + + General + 常规 + + + + + Libraries + + + + + Comic Flow + 漫画流 + + + + Grid view + 网格视图 + + + + + Appearance + 外貌 + + + + + Options + 选项 + + + + + Language + 语言 + + + + + Application language + 应用程序语言 + + + + + System default + 系统默认 + + + + Tray icon settings (experimental) + 托盘图标设置 (实验特性) + + + + Close to tray + 关闭至托盘 + + + + Start into the system tray + 启动至系统托盘 + + + + Edit Comic Vine API key + 编辑Comic Vine API 密匙 + + + + Comic Vine API key + Comic Vine API 密匙 + + + + ComicInfo.xml legacy support + ComicInfo.xml 旧版支持 + + + + Import metadata from ComicInfo.xml when adding new comics + 添加新漫画时从 ComicInfo.xml 导入元数据 + + + + Consider 'recent' items added or updated since X days ago + 参考自 X 天前添加或更新的“最近”项目 + + + + Third party reader + 第三方阅读器 + + + + Write {comic_file_path} where the path should go in the command + 在命令中应将路径写入 {comic_file_path} + + + + + Clear + 清空 + + + + Update libraries at startup + 启动时更新库 + + + + Try to detect changes automatically + 尝试自动检测变化 + + + + Update libraries periodically + 定期更新库 + + + + Interval: + 间隔: + + + + 30 minutes + 30分钟 + + + + 1 hour + 1小时 + + + + 2 hours + 2小时 + + + + 4 hours + 4小时 + + + + 8 hours + 8小时 + + + + 12 hours + 12小时 + + + + daily + 每天 + + + + Update libraries at certain time + 定时更新库 + + + + Time: + 时间: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + 警告! 在库更新期间,将禁用对数据库的写入! +当您可能正在积极使用该应用程序时,请勿安排更新。 +在自动更新期间,应用程序将阻止某些操作,直到更新完成。 +要停止自动更新,请点击库标题旁边的加载指示器。 + + + + Modifications detection + 修改检测 + + + + Compare the modified date of files when updating a library (not recommended) + 更新库时比较文件的修改日期(不推荐) + + + + Enable background image + 启用背景图片 + + + + Opacity level + 透明度 + + + + Blur level + 模糊 + + + + Use selected comic cover as background + 使用选定的漫画封面做背景 + + + + Restore defautls + 恢复默认值 + + + + Background + 背景 + + + + Display continue reading banner + 显示继续阅读横幅 + + + + Display current comic banner + 显示当前漫画横幅 + + + + Continue reading + 继续阅读 + + + + My comics path + 我的漫画路径 + + + + Display + 展示 + + + + Show time in current page information label + 在当前页面信息标签中显示时间 + + + + "Go to flow" size + 页面流尺寸 + + + + Background color + 背景颜色 + + + + Choose + 选择 + + + + Scroll behaviour + 滚动效果 + + + + Disable scroll animations and smooth scrolling + 禁用滚动动画和平滑滚动 + + + + Do not turn page using scroll + 滚动时不翻页 + + + + Use single scroll step to turn page + 使用单滚动步骤翻页 + + + + Mouse mode + 鼠标模式 + + + + Only Back/Forward buttons can turn pages + 只有后退/前进按钮可以翻页 + + + + Use the Left/Right buttons to turn pages. + 使用向左/向右按钮翻页。 + + + + Click left or right half of the screen to turn pages. + 单击屏幕的左半部分或右半部分即可翻页。 + + + + Quick Navigation Mode + 快速导航模式 + + + + Disable mouse over activation + 禁用鼠标激活 + + + + Brightness + 亮度 + + + + Contrast + 对比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 图片选项 + + + + Fit options + 适应项 + + + + Enlarge images to fit width/height + 放大图片以适应宽度/高度 + + + + Double Page options + 双页选项 + + + + Show covers as single page + 显示封面为单页 + + + + Scaling + 缩放 + + + + Scaling method + 缩放方法 + + + + Nearest (fast, low quality) + 最近(快速,低质量) + + + + Bilinear + 双线性 + + + + Lanczos (better quality) + Lanczos(质量更好) + + + + Page Flow + 页面流 + + + + Image adjustment + 图像调整 + + + + + Restart is needed + 需要重启 + + + + Comics directory + 漫画目录 + + + + PropertiesDialog + + + General info + 基本信息 + + + + Plot + 情节 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Notes + 笔记 + + + + Cover page + 封面 + + + + Load previous page as cover + 加载上一页作为封面 + + + + Load next page as cover + 加载下一页作为封面 + + + + Reset cover to the default image + 将封面重置为默认图像 + + + + Load custom cover image + 加载自定义封面图片 + + + + Series: + 系列: + + + + Title: + 标题: + + + + + + of: + 的: + + + + Issue number: + 发行刊号: + + + + Volume: + 卷: + + + + Arc number: + 世界线数量: + + + + Story arc: + 故事线: + + + + alt. number: + 备选编号: + + + + Alternate series: + 备用系列: + + + + Series Group: + 系列组: + + + + Genre: + 类型: + + + + Size: + 大小: + + + + Writer(s): + 作者: + + + + Penciller(s): + 线稿师: + + + + Inker(s): + 上墨师: + + + + Colorist(s): + 上色师: + + + + Letterer(s): + 嵌字师: + + + + Cover Artist(s): + 封面设计: + + + + Editor(s): + 编辑: + + + + Imprint: + 印记: + + + + Day: + 日: + + + + Month: + 月: + + + + Year: + 年: + + + + Publisher: + 出版商: + + + + Format: + 格式: + + + + Color/BW: + 彩色/黑白: + + + + Age rating: + 年龄分级: + + + + Type: + 类型: + + + + Language (ISO): + 语言(ISO): + + + + Synopsis: + 简介: + + + + Characters: + 角色: + + + + Teams: + 团队: + + + + Locations: + 地点: + + + + Main character or team: + 主要角色或团队: + + + + Review: + 审查: + + + + Notes: + 笔记: + + + + Tags: + 标签: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine 连接: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> 查看 </a> + + + + Not found + 未找到 + + + + Comic not found. You should update your library. + 未找到漫画,请先更新您的库. + + + + Edit comic information + 编辑漫画信息 + + + + Edit selected comics information + 编辑选中的漫画信息 + + + + Invalid cover + 封面无效 + + + + The image is invalid. + 该图像无效。 + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的无头(无 GUI)版本。 + +此应用程序支持持久设置,要设置它们,请编辑此文件 %1 +要了解可用设置,请查看文档:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + 追踪 + + + + Debug + 除错 + + + + Info + 信息 + + + + Warning + 警告 + + + + Error + 错误 + + + + Fatal + 严重错误 + + + + Select custom cover + 选择自定义封面 + + + + Images (%1) + 图片 (%1) + + + + 7z lib not found + 未找到 7z 库文件 + + + + unable to load 7z lib from ./utils + 无法从 ./utils 载入 7z 库文件 + + + + The file could not be read or is not valid JSON. + 无法读取该文件或者该文件不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主题适用于 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 文件夹 + + + + Reading Lists + 阅读列表 + + + + RenameLibraryDialog + + + New Library Name : + 新库名: + + + + Rename + 重命名 + + + + Cancel + 取消 + + + + Rename current library + 重命名当前库 + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + 搜索结果: %1 + + + + + page %1 of %2 + 第 %1 页 共 %2 页 + + + + Number of %1 found : %2 + 第 %1 页 共: %2 条 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + 请提供附加信息. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精确匹配搜索。如果您想要查找与名称中某些单词匹配的卷,请禁用。 + + + + SearchVolume + + + Please provide some additional information. + 请提供附加信息. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精确匹配搜索。如果您想要查找与名称中某些单词匹配的卷,请禁用。 + + + + SelectComic + + + Please, select the right comic info. + 请正确选择漫画信息. + + + + comics + 漫画 + + + + loading cover + 加载封面 + + + + loading description + 加载描述 + + + + comic description unavailable + 漫画描述不可用 + + + + SelectVolume + + + Please, select the right series for your comic. + 请选择正确的漫画系列。 + + + + Filter: + 筛选: + + + + volumes + + + + + Nothing found, clear the filter if any. + 未找到任何内容,如果有,请清除筛选器。 + + + + loading cover + 加载封面 + + + + loading description + 加载描述 + + + + volume description unavailable + 卷描述不可用 + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + 您正在尝试同时获取各种漫画的信息,它们是同一系列的吗? + + + + yes + + + + + no + + + + + ServerConfigDialog + + + set port + 设置端口 + + + + Server connectivity information + 服务器连接信息 + + + + Scan it! + 扫一扫! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader 适用于 iOS 和 Android 设备。<br/>搜索 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + + + + Choose an IP address + 选择IP地址 + + + + Port + 端口 + + + + enable the server + 启用服务器 + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + 请在左侧对漫画列表进行排序,直到它与漫画的信息相符。 + + + + sort comics to match comic information + 排序漫画以匹配漫画信息 + + + + issues + 发行 + + + + remove selected comics + 移除所选漫画 + + + + restore all removed comics + 恢复所有移除的漫画 + + + + ThemeEditorDialog + + + Theme Editor + 主题编辑器 + + + + + + + + + + + - + - + + + + i + + + + + Expand all + 全部展开 + + + + Collapse all + 全部折叠 + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中闪烁所选值(洋红色/切换/0↔10)。发布后恢复原样。 + + + + Search… + 搜索… + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + ID: + ID: + + + + Display name: + 显示名称: + + + + Variant: + 变体: + + + + Theme info + 主题信息 + + + + Parameter + 范围 + + + + Value + 价值 + + + + Save and apply + 保存并应用 + + + + Export to file... + 导出到文件... + + + + Load from file... + 从文件加载... + + + + Close + 关闭 + + + + Double-click to edit color + 双击编辑颜色 + + + + + + + + + true + 真的 + + + + + + + false + 错误的 + + + + Double-click to toggle + 双击切换 + + + + Double-click to edit value + 双击编辑值 + + + + + + Edit: %1 + 编辑:%1 + + + + Save theme + 保存主题 + + + + + JSON files (*.json);;All files (*) + JSON 文件 (*.json);;所有文件 (*) + + + + Save failed + 保存失败 + + + + Could not open file for writing: +%1 + 无法打开文件进行写入: +%1 + + + + Load theme + 加载主题 + + + + + + Load failed + 加载失败 + + + + Could not open file: +%1 + 无法打开文件: +%1 + + + + Invalid JSON: +%1 + 无效的 JSON: +%1 + + + + Expected a JSON object. + 需要一个 JSON 对象。 + + + + TitleHeader + + + SEARCH + 搜索 + + + + UpdateLibraryDialog + + + Updating.... + 更新中... + + + + Cancel + 取消 + + + + Update library + 更新库 + + + + Viewer + + + + Press 'O' to open comic. + 按下 'O' 以打开漫画. + + + + Not found + 未找到 + + + + Comic not found + 未找到漫画 + + + + Error opening comic + 打开漫画时发生错误 + + + + CRC Error + CRC 校验失败 + + + + Loading...please wait! + 载入中... 请稍候! + + + + Page not available! + 页面不可用! + + + + Cover! + 封面! + + + + Last page! + 尾页! + + + + VolumeComicsModel + + + title + 标题 + + + + VolumesModel + + + year + + + + + issues + 发行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 预设: + + + + Classic look + 经典 + + + + Stripe look + 条状 + + + + Overlapped Stripe look + 重叠条状 + + + + Modern look + 现代 + + + + Roulette look + 轮盘 + + + + Show advanced settings + 显示高级选项 + + + + Custom: + 自定义: + + + + View angle + 视角 + + + + Position + 位置 + + + + Cover gap + 封面间距 + + + + Central gap + 中心间距 + + + + Zoom + 缩放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高图像质量, 性能更差) + + + + Performance: + 性能: + + + + YACReader::MainWindowViewer + + + &Open + 打开(&O) + + + + Open a comic + 打开漫画 + + + + New instance + 新建实例 + + + + Open Folder + 打开文件夹 + + + + Open image folder + 打开图片文件夹 + + + + Open latest comic + 打开最近的漫画 + + + + Open the latest comic opened in the previous reading session + 打开最近阅读漫画 + + + + Clear + 清空 + + + + Clear open recent list + 清空最近访问列表 + + + + Save + 保存 + + + + + Save current page + 保存当前页面 + + + + Previous Comic + 上一个漫画 + + + + + + Open previous comic + 打开上一个漫画 + + + + Next Comic + 下一个漫画 + + + + + + Open next comic + 打开下一个漫画 + + + + &Previous + 上一页(&P) + + + + + + Go to previous page + 转至上一页 + + + + &Next + 下一页(&N) + + + + + + Go to next page + 转至下一页 + + + + Fit Height + 适应高度 + + + + Fit image to height + 缩放图片以适应高度 + + + + Fit Width + 适合宽度 + + + + Fit image to width + 缩放图片以适应宽度 + + + + Show full size + 显示全尺寸 + + + + Fit to page + 适应页面 + + + + Continuous scroll + 连续滚动 + + + + Switch to continuous scroll mode + 切换到连续滚动模式 + + + + Reset zoom + 重置缩放 + + + + Show zoom slider + 显示缩放滑块 + + + + Zoom+ + 放大 + + + + Zoom- + 缩小 + + + + Rotate image to the left + 向左旋转图片 + + + + Rotate image to the right + 向右旋转图片 + + + + Double page mode + 双页模式 + + + + Switch to double page mode + 切换至双页模式 + + + + Double page manga mode + 双页漫画模式 + + + + Reverse reading order in double page mode + 双页模式 (逆序阅读) + + + + Go To + 跳转 + + + + Go to page ... + 跳转至页面 ... + + + + Options + 选项 + + + + YACReader options + YACReader 选项 + + + + + Help + 帮助 + + + + Help, About YACReader + 帮助, 关于 YACReader + + + + Magnifying glass + 放大镜 + + + + Switch Magnifying glass + 切换放大镜 + + + + Set bookmark + 设置书签 + + + + Set a bookmark on the current page + 在当前页面设置书签 + + + + Show bookmarks + 显示书签 + + + + Show the bookmarks of the current comic + 显示当前漫画的书签 + + + + Show keyboard shortcuts + 显示键盘快捷键 + + + + Show Info + 显示信息 + + + + Close + 关闭 + + + + Show Dictionary + 显示字典 + + + + Show go to flow + 显示页面流 + + + + Edit shortcuts + 编辑快捷键 + + + + &File + 文件(&F) + + + + + Open recent + 最近打开的文件 + + + + File + 文件 + + + + Edit + 编辑 + + + + View + 查看 + + + + Go + 转到 + + + + Window + 窗口 + + + + + + Open Comic + 打开漫画 + + + + + + Comic files + 漫画文件 + + + + Open folder + 打开文件夹 + + + + page_%1.jpg + 页_%1.jpg + + + + Image files (*.jpg) + 图像文件 (*.jpg) + + + + + Comics + 漫画 + + + + + General + 常规 + + + + + Magnifiying glass + 放大镜 + + + + + Page adjustement + 页面调整 + + + + + Reading + 阅读 + + + + Toggle fullscreen mode + 切换全屏模式 + + + + Hide/show toolbar + 隐藏/显示 工具栏 + + + + Size up magnifying glass + 增大放大镜尺寸 + + + + Size down magnifying glass + 减小放大镜尺寸 + + + + Zoom in magnifying glass + 增大缩放级别 + + + + Zoom out magnifying glass + 减小缩放级别 + + + + Reset magnifying glass + 重置放大镜 + + + + Toggle between fit to width and fit to height + 切换显示为"适应宽度"或"适应高度" + + + + Autoscroll down + 向下自动滚动 + + + + Autoscroll up + 向上自动滚动 + + + + Autoscroll forward, horizontal first + 向前自动滚动,水平优先 + + + + Autoscroll backward, horizontal first + 向后自动滚动,水平优先 + + + + Autoscroll forward, vertical first + 向前自动滚动,垂直优先 + + + + Autoscroll backward, vertical first + 向后自动滚动,垂直优先 + + + + Move down + 向下移动 + + + + Move up + 向上移动 + + + + Move left + 向左移动 + + + + Move right + 向右移动 + + + + Go to the first page + 转到第一页 + + + + Go to the last page + 转到最后一页 + + + + Offset double page to the left + 双页向左偏移 + + + + Offset double page to the right + 双页向右偏移 + + + + There is a new version available + 有新版本可用 + + + + Do you want to download the new version? + 你要下载新版本吗? + + + + Remind me in 14 days + 14天后提醒我 + + + + Not now + 现在不 + + + + YACReader::TrayIconController + + + &Restore + 复位(&R) + + + + Systray + 系统托盘 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 将继续在系统托盘中运行. 想要终止程序, 请在系统托盘图标的上下文菜单中选择<b>退出</b>. + + + + YACReaderFieldEdit + + + + Click to overwrite + 点击以覆盖 + + + + Restore to default + 恢复默认 + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + 点击以覆盖 + + + + Restore to default + 恢复默认 + + + + YACReaderOptionsDialog + + + Save + 保存 + + + + Cancel + 取消 + + + + Edit shortcuts + 编辑快捷键 + + + + Shortcuts + 快捷键 + + + + YACReaderSearchLineEdit + + + type to search + 搜索类型 + + + + YACReaderSlider + + + Reset + 重置 - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + YACReader 翻译 - - &Resume - + + + Translation + 翻译 - - Save log - + + clear + 清空 - - Log file (*.log) - + + Service not available + 服务不可用 diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_zh_HK.ts b/YACReaderLibraryServer/yacreaderlibraryserver_zh_HK.ts index bf29a6a1b..1f5e317e5 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_zh_HK.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_zh_HK.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + 標籤名稱: - - 7z not found - + + Choose a color: + 選擇標籤顏色: - - Format not supported - + + accept + 接受 + + + + cancel + 取消 - LogWindow + AddLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library name : + 庫名: + - - Log window - + + Add + 添加 - - &Pause - + + Cancel + 取消 - - &Save - + + Add an existing library + 添加一個現有庫 + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + 你需要擁有自己的API密鑰才能夠連接Comic Vine. 你可以通過這個鏈接獲得一個免費的<a href="http://www.comicvine.com/api/">API</a>密鑰 - - &Copy - + + Paste here your Comic Vine API key + 在此粘貼你的Comic Vine API - - Level: - + + Accept + 接受 - - &Auto scroll - + + Cancel + 取消 - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + 配色方案 + + + + System + 系統 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 風俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 刪除此使用者匯入的主題 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定義: + + + + Import theme... + 導入主題... + + + + Theme + 主題 + + + + Theme editor + 主題編輯器 + + + + Open Theme Editor... + 開啟主題編輯器... + + + + Theme editor error + 主題編輯器錯誤 + + + + The current theme JSON could not be loaded. + 無法載入目前主題 JSON。 + + + + Import theme + 導入主題 + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Could not import theme from: +%1 + 無法從以下位置匯入主題: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + 無法從以下位置匯入主題: +%1 + +%2 + + + + Import failed + 導入失敗 - QObject + BookmarksDialog - - Trace - + + Lastest Page + 尾頁 - - Debug - + + Close + 關閉 - - Info - + + Click on any image to go to the bookmark + 點擊任意圖片以跳轉至相應書簽位置 - - Warning - + + + Loading... + 載入中... + + + ClassicComicsView - - Error - + + Hide comic flow + 隱藏漫畫流 + + + + ComicModel + + + yes + - - Fatal - + + no + + + + + Title + 標題 + + + + File Name + 檔案名 + + + + Pages + 頁數 + + + + Size + 大小 + + + + Read + 閱讀 + + + + Current Page + 當前頁 + + + + Publication Date + 發行日期 + + + + Rating + 評分 + + + + Series + 系列 + + + + Volume + 體積 + + + + Story Arc + 故事線 + + + + ComicVineDialog + + + skip + 忽略 + + + + back + 返回 + + + + next + 下一步 + + + + search + 搜索 + + + + close + 關閉 + + + + + comic %1 of %2 - %3 + 第 %1 本 共 %2 本 - %3 + + + + + + Looking for volume... + 搜索卷... + + + + %1 comics selected + 已選擇 %1 本漫畫 + + + + Error connecting to ComicVine + ComicVine 連接時出錯 + + + + + Retrieving tags for : %1 + 正在檢索標籤: %1 + + + + Retrieving volume info... + 正在接收卷資訊... + + + + Looking for comic... + 搜索漫畫中... + + + + ContinuousPageWidget + + + Loading page %1 + 正在載入頁面 %1 + + + + CreateLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library Name : + 庫名: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + 創建一個新的庫可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。 + + + + Create new library + 創建新的漫畫庫 + + + + Path not found + 未找到路徑 + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + 所選路徑不存在或不是有效路徑. 確保您具有此檔夾的寫入許可權 + + + + EditShortcutsDialog + + + Restore defaults + 恢復默認 + + + + To change a shortcut, double click in the key combination and type the new keys. + 更改快捷鍵: 雙擊按鍵組合並輸入新的映射. + + + + Shortcuts settings + 快捷鍵設置 + + + + Shortcut in use + 快捷鍵被佔用 + + + + The shortcut "%1" is already assigned to other function + 快捷鍵 "%1" 已被映射至其他功能 + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + 該資料夾還沒有漫畫 + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + 此標籤尚未包含漫畫 + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + 此閱讀列表尚未包含任何漫畫 + + + + EmptySpecialListWidget + + + No favorites + 沒有收藏 + + + + You are not reading anything yet, come on!! + 你還沒有閱讀任何東西,加油!! + + + + There are no recent comics! + 沒有最近的漫畫! + + + + ExportComicsInfoDialog + + + Output file : + 輸出檔: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Export comics info + 導出漫畫資訊 + + + + Destination database name + 目標資料庫名稱 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + ExportLibraryDialog + + + Output folder : + 輸出檔夾: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create covers package + 創建封面包 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + Destination directory + 目標目錄 + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + 第 %1 頁 CRC 校驗失敗: 部分頁面將無法正確顯示 + + + + Unknown error opening the file + 打開檔時出現未知錯誤 + + + + 7z not found + 未找到 7z + + + + Format not supported + 不支持的檔格式 + + + + GoToDialog + + + Page : + 頁碼 : + + + + Go To + 跳轉 + + + + Cancel + 取消 + + + + + Total pages : + 總頁數: + + + + Go to... + 跳轉至 ... + + + + GoToFlowToolBar + + + Page : + 頁碼 : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + 顯示資訊 + + + HelpAboutDialog - - Level - + + About + 關於 - - Message - + + Help + 幫助 + + + + System info + 系統資訊 + + + + ImportComicsInfoDialog + + + Import comics info + 導入漫畫資訊 + + + + Info database location : + 資料庫地址: + + + + Import + 導入 + + + + Cancel + 取消 + + + + Comics info file (*.ydb) + 漫畫資訊檔(*.ydb) + + + + ImportLibraryDialog + + + Library Name : + 庫名: + + + + Package location : + 打包地址: + + + + Destination folder : + 目標檔夾: + + + + Unpack + 解壓 + + + + Cancel + 取消 + + + + Extract a catalog + 提取目錄 + + + + Compresed library covers (*.clc) + 已壓縮的庫封面 (*.clc) + + + + ImportWidget + + + stop + 停止 + + + + Some of the comics being added... + 正在添加漫畫... + + + + Importing comics + 正在導入漫畫 + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary現在正在創建一個新庫。</p><p>這可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。</p> + + + + Updating the library + 正在更新庫 + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>正在更新當前庫。要獲得更快的更新,請經常更新您的庫。</p><p>您可以停止該進程,稍後繼續更新操作。</p> + + + + Upgrading the library + 正在更新庫 + + + + <p>The current library is being upgraded, please wait.</p> + <p>正在更新當前漫畫庫, 請稍候.</p> + + + + Scanning the library + 正在掃描庫 + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>正在掃描當前庫的舊版 XML metadata 資訊。</p><p>這只需要執行一次,且只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 時。</p> + + + + LibraryWindow + + + YACReader Library + YACReader 庫 + + + + + + comic + 漫畫 + + + + + + manga + 漫畫 + + + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + + + web comic + 網路漫畫 + + + + + + 4koma (top to botom) + 4koma(由上至下) + + + + + + + Set type + 套裝類型 + + + + Library + + + + + Folder + 檔夾 + + + + Comic + 漫畫 + + + + Upgrade failed + 更新失敗 + + + + There were errors during library upgrade in: + 漫畫庫更新時出現錯誤: + + + + Update needed + 需要更新 + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + 此庫是使用舊版本的YACReaderLibrary創建的. 它需要更新. 現在更新? + + + + Download new version + 下載新版本 + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + 此庫是使用較新版本的YACReaderLibrary創建的。 立即下載新版本? + + + + Library not available + 庫不可用 + + + + Library '%1' is no longer available. Do you want to remove it? + 庫 '%1' 不再可用。 你想刪除它嗎? + + + + Old library + 舊的庫 + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + 庫 '%1' 是通過舊版本的YACReaderLibrary創建的。 必須再次創建。 你想現在創建嗎? + + + + + Copying comics... + 複製漫畫中... + + + + + Moving comics... + 移動漫畫中... + + + + Add new folder + 添加新的檔夾 + + + + Folder name: + 檔夾名稱: + + + + No folder selected + 沒有選中的檔夾 + + + + Please, select a folder first + 請先選擇一個檔夾 + + + + Error in path + 路徑錯誤 + + + + There was an error accessing the folder's path + 訪問檔夾的路徑時出錯 + + + + Delete folder + 刪除檔夾 + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + 所選檔夾及其所有內容將從磁片中刪除。 你確定嗎? + + + + + Unable to delete + 無法刪除 + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + 嘗試刪除所選檔夾時出現問題。 請檢查寫入許可權,並確保沒有其他應用程式在使用這些檔夾或檔。 + + + + Add new reading lists + 添加新的閱讀列表 + + + + + List name: + 列表名稱: + + + + Delete list/label + 刪除 列表/標籤 + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + 所選項目將被刪除,您的漫畫或檔夾將不會從您的磁片中刪除。 你確定嗎? + + + + Rename list name + 重命名列表 + + + + Open folder... + 打開檔夾... + + + + Update folder + 更新檔夾 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set as read + 設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + Save covers + 保存封面 + + + + You are adding too many libraries. + 您添加的庫太多了。 + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + 您添加的庫太多了。 + +一般情況只需要一個頂級的庫,您可以使用左側邊欄中的檔夾功能來進行分類管理。 + +YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低的庫數量來提升性能。 + + + + + YACReader not found + YACReader 未找到 + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + 未找到YACReader. YACReader應安裝在與YACReaderLibrary相同的檔夾中. + + + + YACReader not found. There might be a problem with your YACReader installation. + 未找到YACReader. YACReader的安裝可能有問題. + + + + Error + 錯誤 + + + + Error opening comic with third party reader. + 使用第三方閱讀器開啟漫畫時出錯。 + + + + Library not found + 未找到庫 + + + + The selected folder doesn't contain any library. + 所選檔夾不包含任何庫。 + + + + Are you sure? + 你確定嗎? + + + + Do you want remove + 你想要刪除 + + + + library? + 庫? + + + + Remove and delete metadata + 移除並刪除元數據 + + + + Library info + 圖書館資訊 + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + 嘗試刪除所選漫畫時出現問題。 請檢查所選檔或包含檔夾中的寫入許可權。 + + + + Assign comics numbers + 分配漫畫編號 + + + + Assign numbers starting in: + 從以下位置開始分配編號: + + + + Invalid image + 圖片無效 + + + + The selected file is not a valid image. + 所選檔案不是有效影像。 + + + + Error saving cover + 儲存封面時發生錯誤 + + + + There was an error saving the cover image. + 儲存封面圖片時發生錯誤。 + + + + Error creating the library + 創建庫時出錯 + + + + Error updating the library + 更新庫時出錯 + + + + Error opening the library + 打開庫時出錯 + + + + Delete comics + 刪除漫畫 + + + + All the selected comics will be deleted from your disk. Are you sure? + 所有選定的漫畫都將從您的磁片中刪除。你確定嗎? + + + + Remove comics + 移除漫畫 + + + + Comics will only be deleted from the current label/list. Are you sure? + 漫畫只會從當前標籤/列表中刪除。 你確定嗎? + + + + Library name already exists + 庫名已存在 + + + + There is another library with the name '%1'. + 已存在另一個名為'%1'的庫。 + + + + LibraryWindowActions + + + Create a new library + 創建一個新的庫 + + + + Open an existing library + 打開現有的庫 + + + + + Export comics info + 導出漫畫資訊 + + + + + Import comics info + 導入漫畫資訊 + + + + Pack covers + 打包封面 + + + + Pack the covers of the selected library + 打包所選庫的封面 + + + + Unpack covers + 解壓封面 + + + + Unpack a catalog + 解壓目錄 + + + + Update library + 更新庫 + + + + Update current library + 更新當前庫 + + + + Rename library + 重命名庫 + + + + Rename current library + 重命名當前庫 + + + + Remove library + 移除庫 + + + + Remove current library from your collection + 從您的集合中移除當前庫 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 + + + + Show library info + 顯示圖書館資訊 + + + + Show information about the current library + 顯示當前庫的信息 + + + + Open current comic + 打開當前漫畫 + + + + Open current comic on YACReader + 用YACReader打開漫畫 + + + + Save selected covers to... + 選中的封面保存到... + + + + Save covers of the selected comics as JPG files + 保存所選的封面為jpg + + + + + Set as read + 設為已讀 + + + + Set comic as read + 漫畫設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set comic as unread + 漫畫設為未讀 + + + + + manga + 漫畫 + + + + Set issue as manga + 將問題設定為漫畫 + + + + + comic + 漫畫 + + + + Set issue as normal + 設置發行狀態為正常發行 + + + + western manga + 西方漫畫 + + + + Set issue as western manga + 將問題設定為西方漫畫 + + + + + web comic + 網路漫畫 + + + + Set issue as web comic + 將問題設定為網路漫畫 + + + + + yonkoma + 四科馬 + + + + Set issue as yonkoma + 將問題設定為 yonkoma + + + + Show/Hide marks + 顯示/隱藏標記 + + + + Show or hide read marks + 顯示或隱藏閱讀標記 + + + + Show/Hide recent indicator + 顯示/隱藏最近的指標 + + + + Show or hide recent indicator + 顯示或隱藏最近的指示器 + + + + + Fullscreen mode on/off + 全屏模式 開/關 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Add new folder + 添加新的檔夾 + + + + Add new folder to the current library + 在當前庫下添加新的檔夾 + + + + Delete folder + 刪除檔夾 + + + + Delete current folder from disk + 從磁片上刪除當前檔夾 + + + + Select root node + 選擇根節點 + + + + Expand all nodes + 展開所有節點 + + + + Collapse all nodes + 折疊所有節點 + + + + Show options dialog + 顯示選項對話框 + + + + Show comics server options dialog + 顯示漫畫伺服器選項對話框 + + + + + Change between comics views + 漫畫視圖之間的變化 + + + + Open folder... + 打開檔夾... + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + Open containing folder... + 打開包含檔夾... + + + + Reset comic rating + 重置漫畫評分 + + + + Select all comics + 全選漫畫 + + + + Edit + 編輯 + + + + Assign current order to comics + 將當前序號分配給漫畫 + + + + Update cover + 更新封面 + + + + Delete selected comics + 刪除所選的漫畫 + + + + Delete metadata from selected comics + 從選定的漫畫中刪除元數據 + + + + Download tags from Comic Vine + 從 Comic Vine 下載標籤 + + + + Focus search line + 聚焦於搜索行 + + + + Focus comics view + 聚焦於漫畫視圖 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &Quit + 退出(&Q) + + + + Update folder + 更新檔夾 + + + + Update current folder + 更新當前檔夾 + + + + Scan legacy XML metadata + 掃描舊版 XML 元數據 + + + + Add new reading list + 添加新的閱讀列表 + + + + Add a new reading list to the current library + 在當前庫添加新的閱讀列表 + + + + Remove reading list + 移除閱讀列表 + + + + Remove current reading list from the library + 從當前庫移除閱讀列表 + + + + Add new label + 添加新標籤 + + + + Add a new label to this library + 在當前庫添加標籤 + + + + Rename selected list + 重命名列表 + + + + Rename any selected labels or lists + 重命名任何選定的標籤或列表 + + + + Add to... + 添加到... + + + + Favorites + 收藏夾 + + + + Add selected comics to favorites list + 將所選漫畫添加到收藏夾列表 + + + + LocalComicListModel + + + file name + 檔案名 + + + + NoLibrariesWidget + + + You don't have any libraries yet + 你還沒有庫 + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>您可以在任何檔夾中創建庫,YACReaderLibrary將導入此檔夾中的所有漫畫和文件夾。如果已有庫,則可以打開它們。</p><p>您可以把YACReader當成獨立應用來閱讀電腦上的漫畫。</p> + + + + create your first library + 創建你的第一個庫 + + + + add an existing one + 添加一個現有庫 + + + + NoSearchResultsWidget + + + No results + 沒有結果 + + + + OptionsDialog + + + + General + 常規 + + + + + Libraries + + + + + Comic Flow + 漫畫流 + + + + Grid view + 網格視圖 + + + + + Appearance + 外貌 + + + + + Options + 選項 + + + + + Language + 語言 + + + + + Application language + 應用程式語言 + + + + + System default + 系統預設 + + + + Tray icon settings (experimental) + 託盤圖示設置 (實驗特性) + + + + Close to tray + 關閉至託盤 + + + + Start into the system tray + 啟動至系統託盤 + + + + Edit Comic Vine API key + 編輯Comic Vine API 密匙 + + + + Comic Vine API key + Comic Vine API 密匙 + + + + ComicInfo.xml legacy support + ComicInfo.xml 遺留支持 + + + + Import metadata from ComicInfo.xml when adding new comics + 新增漫畫時從 ComicInfo.xml 匯入元數據 + + + + Consider 'recent' items added or updated since X days ago + 考慮自 X 天前新增或更新的「最近」項目 + + + + Third party reader + 第三方閱讀器 + + + + Write {comic_file_path} where the path should go in the command + 在命令中應將路徑寫入 {comic_file_path} + + + + + Clear + 清空 + + + + Update libraries at startup + 啟動時更新庫 + + + + Try to detect changes automatically + 嘗試自動偵測變化 + + + + Update libraries periodically + 定期更新庫 + + + + Interval: + 間隔: + + + + 30 minutes + 30分鐘 + + + + 1 hour + 1小時 + + + + 2 hours + 2小時 + + + + 4 hours + 4小時 + + + + 8 hours + 8小時 + + + + 12 hours + 12小時 + + + + daily + 日常的 + + + + Update libraries at certain time + 定時更新庫 + + + + Time: + 時間: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + 警告!在庫更新期間,將停用對資料庫的寫入! +當您可能正在積極使用應用程式時,請勿安排更新。 +在自動更新期間,應用程式將阻止某些操作,直到更新完成。 +若要停止自動更新,請點選庫標題旁的載入指示器。 + + + + Modifications detection + 修改檢測 + + + + Compare the modified date of files when updating a library (not recommended) + 更新庫時比較文件的修改日期(不建議) + + + + Enable background image + 啟用背景圖片 + + + + Opacity level + 透明度 + + + + Blur level + 模糊 + + + + Use selected comic cover as background + 使用選定的漫畫封面做背景 + + + + Restore defautls + 恢復默認值 + + + + Background + 背景 + + + + Display continue reading banner + 顯示繼續閱讀橫幅 + + + + Display current comic banner + 顯示目前漫畫橫幅 + + + + Continue reading + 繼續閱讀 + + + + My comics path + 我的漫畫路徑 + + + + Display + 展示 + + + + Show time in current page information label + 在目前頁面資訊標籤中顯示時間 + + + + "Go to flow" size + 頁面流尺寸 + + + + Background color + 背景顏色 + + + + Choose + 選擇 + + + + Scroll behaviour + 滾動效果 + + + + Disable scroll animations and smooth scrolling + 停用滾動動畫和平滑滾動 + + + + Do not turn page using scroll + 滾動時不翻頁 + + + + Use single scroll step to turn page + 使用單滾動步驟翻頁 + + + + Mouse mode + 滑鼠模式 + + + + Only Back/Forward buttons can turn pages + 只有後退/前進按鈕可以翻頁 + + + + Use the Left/Right buttons to turn pages. + 使用向左/向右按鈕翻頁。 + + + + Click left or right half of the screen to turn pages. + 點擊螢幕的左半部或右半部即可翻頁。 + + + + Quick Navigation Mode + 快速導航模式 + + + + Disable mouse over activation + 禁用滑鼠啟動 + + + + Brightness + 亮度 + + + + Contrast + 對比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 圖片選項 + + + + Fit options + 適應項 + + + + Enlarge images to fit width/height + 放大圖片以適應寬度/高度 + + + + Double Page options + 雙頁選項 + + + + Show covers as single page + 顯示封面為單頁 + + + + Scaling + 縮放 + + + + Scaling method + 縮放方法 + + + + Nearest (fast, low quality) + 最近(快速,低品質) + + + + Bilinear + 雙線性 + + + + Lanczos (better quality) + Lanczos(品質更好) + + + + Page Flow + 頁面流 + + + + Image adjustment + 圖像調整 + + + + + Restart is needed + 需要重啟 + + + + Comics directory + 漫畫目錄 + + + + PropertiesDialog + + + General info + 基本資訊 + + + + Plot + 情節 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Notes + 筆記 + + + + Cover page + 封面 + + + + Load previous page as cover + 載入上一頁作為封面 + + + + Load next page as cover + 載入下一頁作為封面 + + + + Reset cover to the default image + 將封面重設為預設圖片 + + + + Load custom cover image + 載入自訂封面圖片 + + + + Series: + 系列: + + + + Title: + 標題: + + + + + + of: + 的: + + + + Issue number: + 發行數量: + + + + Volume: + 卷: + + + + Arc number: + 世界線數量: + + + + Story arc: + 故事線: + + + + alt. number: + 替代。數字: + + + + Alternate series: + 替代系列: + + + + Series Group: + 系列組: + + + + Genre: + 類型: + + + + Size: + 大小: + + + + Writer(s): + 作者: + + + + Penciller(s): + 線稿: + + + + Inker(s): + 墨稿: + + + + Colorist(s): + 上色: + + + + Letterer(s): + 文本: + + + + Cover Artist(s): + 封面設計: + + + + Editor(s): + 編輯: + + + + Imprint: + 印記: + + + + Day: + 日: + + + + Month: + 月: + + + + Year: + 年: + + + + Publisher: + 出版者: + + + + Format: + 格式: + + + + Color/BW: + 彩色/黑白: + + + + Age rating: + 年齡等級: + + + + Type: + 類型: + + + + Language (ISO): + 語言(ISO): + + + + Synopsis: + 概要: + + + + Characters: + 角色: + + + + Teams: + 團隊: + + + + Locations: + 地點: + + + + Main character or team: + 主要角色或團隊: + + + + Review: + 審查: + + + + Notes: + 筆記: + + + + Tags: + 標籤: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine 連接: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> 查看 </a> + + + + Not found + 未找到 + + + + Comic not found. You should update your library. + 未找到漫畫,請先更新您的庫. + + + + Edit comic information + 編輯漫畫資訊 + + + + Edit selected comics information + 編輯選中的漫畫資訊 + + + + Invalid cover + 封面無效 + + + + The image is invalid. + 該圖像無效。 + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的無頭(無 GUI)版本。 + +此應用程式支援持久性設置,要設定它們,請編輯此文件 %1 +若要了解可用設置,請查看文件:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + 追蹤 + + + + Debug + 除錯 + + + + Info + 資訊 + + + + Warning + 警告 + + + + Error + 錯誤 + + + + Fatal + 嚴重錯誤 + + + + Select custom cover + 選擇自訂封面 + + + + Images (%1) + 圖片 (%1) + + + + 7z lib not found + 未找到 7z 庫檔 + + + + unable to load 7z lib from ./utils + 無法從 ./utils 載入 7z 庫檔 + + + + The file could not be read or is not valid JSON. + 無法讀取該檔案或該檔案不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主題適用於 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 檔夾 + + + + Reading Lists + 閱讀列表 + + + + RenameLibraryDialog + + + New Library Name : + 新庫名: + + + + Rename + 重命名 + + + + Cancel + 取消 + + + + Rename current library + 重命名當前庫 + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + 搜索結果: %1 + + + + + page %1 of %2 + 第 %1 頁 共 %2 頁 + + + + Number of %1 found : %2 + 第 %1 頁 共: %2 條 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SearchVolume + + + Please provide some additional information. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SelectComic + + + Please, select the right comic info. + 請正確選擇漫畫資訊. + + + + comics + 漫畫 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + comic description unavailable + 漫畫描述不可用 + + + + SelectVolume + + + Please, select the right series for your comic. + 請選擇正確的漫畫系列。 + + + + Filter: + 篩選: + + + + volumes + + + + + Nothing found, clear the filter if any. + 未找到任何內容,如果有,請清除過濾器。 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + volume description unavailable + 卷描述不可用 + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + 您正在嘗試同時獲取各種漫畫的資訊,它們是同一系列的嗎? + + + + yes + + + + + no + + + + + ServerConfigDialog + + + set port + 設置端口 + + + + Server connectivity information + 伺服器連接資訊 + + + + Scan it! + 掃一掃! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader 適用於 iOS 和 Android 裝置。 <br/>發現它適用於 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> 或 <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>。 + + + + Choose an IP address + 選擇IP地址 + + + + Port + 端口 + + + + enable the server + 啟用伺服器 + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + 請在左側對漫畫列表進行排序,直到它與漫畫的資訊相符。 + + + + sort comics to match comic information + 排序漫畫以匹配漫畫資訊 + + + + issues + 發行 + + + + remove selected comics + 移除所選漫畫 + + + + restore all removed comics + 恢復所有移除的漫畫 + + + + ThemeEditorDialog + + + Theme Editor + 主題編輯器 + + + + + + + + + + + - + - + + + + i + + + + + Expand all + 全部展開 + + + + Collapse all + 全部折疊 + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中閃爍所選值(洋紅色/切換/0↔10)。發布後恢復原樣。 + + + + Search… + 搜尋… + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + ID: + ID: + + + + Display name: + 顯示名稱: + + + + Variant: + 變體: + + + + Theme info + 主題訊息 + + + + Parameter + 範圍 + + + + Value + 價值 + + + + Save and apply + 儲存並應用 + + + + Export to file... + 匯出到文件... + + + + Load from file... + 從檔案載入... + + + + Close + 關閉 + + + + Double-click to edit color + 雙擊編輯顏色 + + + + + + + + + true + 真的 + + + + + + + false + 錯誤的 + + + + Double-click to toggle + 按兩下切換 + + + + Double-click to edit value + 雙擊編輯值 + + + + + + Edit: %1 + 編輯:%1 + + + + Save theme + 儲存主題 + + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Save failed + 保存失敗 + + + + Could not open file for writing: +%1 + 無法開啟文件進行寫入: +%1 + + + + Load theme + 載入主題 + + + + + + Load failed + 載入失敗 + + + + Could not open file: +%1 + 無法開啟檔案: +%1 + + + + Invalid JSON: +%1 + 無效的 JSON: +%1 + + + + Expected a JSON object. + 需要一個 JSON 物件。 + + + + TitleHeader + + + SEARCH + 搜索 + + + + UpdateLibraryDialog + + + Updating.... + 更新中... + + + + Cancel + 取消 + + + + Update library + 更新庫 + + + + Viewer + + + + Press 'O' to open comic. + 按下 'O' 以打開漫畫. + + + + Not found + 未找到 + + + + Comic not found + 未找到漫畫 + + + + Error opening comic + 打開漫畫時發生錯誤 + + + + CRC Error + CRC 校驗失敗 + + + + Loading...please wait! + 載入中... 請稍候! + + + + Page not available! + 頁面不可用! + + + + Cover! + 封面! + + + + Last page! + 尾頁! + + + + VolumeComicsModel + + + title + 標題 + + + + VolumesModel + + + year + + + + + issues + 發行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 預設: + + + + Classic look + 經典 + + + + Stripe look + 條狀 + + + + Overlapped Stripe look + 重疊條狀 + + + + Modern look + 現代 + + + + Roulette look + 輪盤 + + + + Show advanced settings + 顯示高級選項 + + + + Custom: + 自定義: + + + + View angle + 視角 + + + + Position + 位置 + + + + Cover gap + 封面間距 + + + + Central gap + 中心間距 + + + + Zoom + 縮放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) + + + + Performance: + 性能: + + + + YACReader::MainWindowViewer + + + &Open + 打開(&O) + + + + Open a comic + 打開漫畫 + + + + New instance + 新建實例 + + + + Open Folder + 打開檔夾 + + + + Open image folder + 打開圖片檔夾 + + + + Open latest comic + 打開最近的漫畫 + + + + Open the latest comic opened in the previous reading session + 打開最近閱讀漫畫 + + + + Clear + 清空 + + + + Clear open recent list + 清空最近訪問列表 + + + + Save + 保存 + + + + + Save current page + 保存當前頁面 + + + + Previous Comic + 上一個漫畫 + + + + + + Open previous comic + 打開上一個漫畫 + + + + Next Comic + 下一個漫畫 + + + + + + Open next comic + 打開下一個漫畫 + + + + &Previous + 上一頁(&P) + + + + + + Go to previous page + 轉至上一頁 + + + + &Next + 下一頁(&N) + + + + + + Go to next page + 轉至下一頁 + + + + Fit Height + 適應高度 + + + + Fit image to height + 縮放圖片以適應高度 + + + + Fit Width + 適合寬度 + + + + Fit image to width + 縮放圖片以適應寬度 + + + + Show full size + 顯示全尺寸 + + + + Fit to page + 適應頁面 + + + + Continuous scroll + 連續滾動 + + + + Switch to continuous scroll mode + 切換到連續滾動模式 + + + + Reset zoom + 重置縮放 + + + + Show zoom slider + 顯示縮放滑塊 + + + + Zoom+ + 放大 + + + + Zoom- + 縮小 + + + + Rotate image to the left + 向左旋轉圖片 + + + + Rotate image to the right + 向右旋轉圖片 + + + + Double page mode + 雙頁模式 + + + + Switch to double page mode + 切換至雙頁模式 + + + + Double page manga mode + 雙頁漫畫模式 + + + + Reverse reading order in double page mode + 雙頁模式 (逆序閱讀) + + + + Go To + 跳轉 + + + + Go to page ... + 跳轉至頁面 ... + + + + Options + 選項 + + + + YACReader options + YACReader 選項 + + + + + Help + 幫助 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Magnifying glass + 放大鏡 + + + + Switch Magnifying glass + 切換放大鏡 + + + + Set bookmark + 設置書簽 + + + + Set a bookmark on the current page + 在當前頁面設置書簽 + + + + Show bookmarks + 顯示書簽 + + + + Show the bookmarks of the current comic + 顯示當前漫畫的書簽 + + + + Show keyboard shortcuts + 顯示鍵盤快捷鍵 + + + + Show Info + 顯示資訊 + + + + Close + 關閉 + + + + Show Dictionary + 顯示字典 + + + + Show go to flow + 顯示頁面流 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &File + 檔(&F) + + + + + Open recent + 最近打開的檔 + + + + File + + + + + Edit + 編輯 + + + + View + 查看 + + + + Go + 轉到 + + + + Window + 窗口 + + + + + + Open Comic + 打開漫畫 + + + + + + Comic files + 漫畫檔 + + + + Open folder + 打開檔夾 + + + + page_%1.jpg + 頁_%1.jpg + + + + Image files (*.jpg) + 圖像檔 (*.jpg) + + + + + Comics + 漫畫 + + + + + General + 常規 + + + + + Magnifiying glass + 放大鏡 + + + + + Page adjustement + 頁面調整 + + + + + Reading + 閱讀 + + + + Toggle fullscreen mode + 切換全屏模式 + + + + Hide/show toolbar + 隱藏/顯示 工具欄 + + + + Size up magnifying glass + 增大放大鏡尺寸 + + + + Size down magnifying glass + 減小放大鏡尺寸 + + + + Zoom in magnifying glass + 增大縮放級別 + + + + Zoom out magnifying glass + 減小縮放級別 + + + + Reset magnifying glass + 重置放大鏡 + + + + Toggle between fit to width and fit to height + 切換顯示為"適應寬度"或"適應高度" + + + + Autoscroll down + 向下自動滾動 + + + + Autoscroll up + 向上自動滾動 + + + + Autoscroll forward, horizontal first + 向前自動滾動,水準優先 + + + + Autoscroll backward, horizontal first + 向後自動滾動,水準優先 + + + + Autoscroll forward, vertical first + 向前自動滾動,垂直優先 + + + + Autoscroll backward, vertical first + 向後自動滾動,垂直優先 + + + + Move down + 向下移動 + + + + Move up + 向上移動 + + + + Move left + 向左移動 + + + + Move right + 向右移動 + + + + Go to the first page + 轉到第一頁 + + + + Go to the last page + 轉到最後一頁 + + + + Offset double page to the left + 雙頁向左偏移 + + + + Offset double page to the right + 雙頁向右偏移 + + + + There is a new version available + 有新版本可用 + + + + Do you want to download the new version? + 你要下載新版本嗎? + + + + Remind me in 14 days + 14天後提醒我 + + + + Not now + 現在不 + + + + YACReader::TrayIconController + + + &Restore + 複位(&R) + + + + Systray + 系統託盤 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + + + YACReaderFieldEdit + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderOptionsDialog + + + Save + 保存 + + + + Cancel + 取消 + + + + Edit shortcuts + 編輯快捷鍵 + + + + Shortcuts + 快捷鍵 + + + + YACReaderSearchLineEdit + + + type to search + 搜索類型 + + + + YACReaderSlider + + + Reset + 重置 - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + YACReader 翻譯 - - &Resume - + + + Translation + 翻譯 - - Save log - + + clear + 清空 - - Log file (*.log) - + + Service not available + 服務不可用 diff --git a/YACReaderLibraryServer/yacreaderlibraryserver_zh_TW.ts b/YACReaderLibraryServer/yacreaderlibraryserver_zh_TW.ts index 04214c28b..7d47fa5c5 100644 --- a/YACReaderLibraryServer/yacreaderlibraryserver_zh_TW.ts +++ b/YACReaderLibraryServer/yacreaderlibraryserver_zh_TW.ts @@ -2,150 +2,3712 @@ - FileComic + ActionsShortcutsModel - - CRC error on page (%1): some of the pages will not be displayed correctly - + + None + + + + AddLabelDialog - - Unknown error opening the file - + + Label name: + 標籤名稱: - - 7z not found - + + Choose a color: + 選擇標籤顏色: - - Format not supported - + + accept + 接受 + + + + cancel + 取消 - LogWindow + AddLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library name : + 庫名: + - - Log window - + + Add + 添加 - - &Pause - + + Cancel + 取消 - - &Save - + + Add an existing library + 添加一個現有庫 + + + ApiKeyDialog - - C&lear - + + Before you can connect to Comic Vine, you need your own API key. Please, get one free <a href="http://www.comicvine.com/api/">here</a> + 你需要擁有自己的API密鑰才能夠連接Comic Vine. 你可以通過這個鏈接獲得一個免費的<a href="http://www.comicvine.com/api/">API</a>密鑰 - - &Copy - + + Paste here your Comic Vine API key + 在此粘貼你的Comic Vine API - - Level: - + + Accept + 接受 - - &Auto scroll - + + Cancel + 取消 - QCoreApplication + AppearanceTabWidget - - -YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + + Color scheme + 配色方案 + + + + System + 系統 + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + Custom + 風俗 + + + + Remove + 消除 + + + + Remove this user-imported theme + 刪除此使用者匯入的主題 + + + + Light: + 光: + + + + Dark: + 黑暗的: + + + + Custom: + 自定義: + + + + Import theme... + 導入主題... + + + + Theme + 主題 + + + + Theme editor + 主題編輯器 + + + + Open Theme Editor... + 開啟主題編輯器... + + + + Theme editor error + 主題編輯器錯誤 + + + + The current theme JSON could not be loaded. + 無法載入目前主題 JSON。 + + + + Import theme + 導入主題 + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Could not import theme from: +%1 + 無法從以下位置匯入主題: +%1 + + + + Could not import theme from: +%1 -This appplication supports persistent settings, to set them up edit this file %1 -To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md - +%2 + 無法從以下位置匯入主題: +%1 + +%2 + + + + Import failed + 導入失敗 - QObject + BookmarksDialog - - Trace - + + Lastest Page + 尾頁 - - Debug - + + Close + 關閉 - - Info - + + Click on any image to go to the bookmark + 點擊任意圖片以跳轉至相應書簽位置 - - Warning - + + + Loading... + 載入中... + + + ClassicComicsView - - Error - + + Hide comic flow + 隱藏漫畫流 + + + + ComicModel + + + yes + - - Fatal - + + no + + + + + Title + 標題 + + + + File Name + 檔案名 + + + + Pages + 頁數 + + + + Size + 大小 + + + + Read + 閱讀 + + + + Current Page + 當前頁 + + + + Publication Date + 發行日期 + + + + Rating + 評分 + + + + Series + 系列 + + + + Volume + 體積 + + + + Story Arc + 故事線 + + + + ComicVineDialog + + + skip + 忽略 + + + + back + 返回 + + + + next + 下一步 + + + + search + 搜索 + + + + close + 關閉 + + + + + comic %1 of %2 - %3 + 第 %1 本 共 %2 本 - %3 + + + + + + Looking for volume... + 搜索卷... + + + + %1 comics selected + 已選擇 %1 本漫畫 + + + + Error connecting to ComicVine + ComicVine 連接時出錯 + + + + + Retrieving tags for : %1 + 正在檢索標籤: %1 + + + + Retrieving volume info... + 正在接收卷資訊... + + + + Looking for comic... + 搜索漫畫中... + + + + ContinuousPageWidget + + + Loading page %1 + 正在載入頁面 %1 + + + + CreateLibraryDialog + + + Comics folder : + 漫畫檔夾: + + + + Library Name : + 庫名: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create a library could take several minutes. You can stop the process and update the library later for completing the task. + 創建一個新的庫可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。 + + + + Create new library + 創建新的漫畫庫 + + + + Path not found + 未找到路徑 + + + + The selected path does not exist or is not a valid path. Be sure that you have write access to this folder + 所選路徑不存在或不是有效路徑. 確保您具有此檔夾的寫入許可權 + + + + EditShortcutsDialog + + + Restore defaults + 恢復默認 + + + + To change a shortcut, double click in the key combination and type the new keys. + 更改快捷鍵: 雙擊按鍵組合並輸入新的映射. + + + + Shortcuts settings + 快捷鍵設置 + + + + Shortcut in use + 快捷鍵被佔用 + + + + The shortcut "%1" is already assigned to other function + 快捷鍵 "%1" 已被映射至其他功能 + + + + EmptyFolderWidget + + + This folder doesn't contain comics yet + 該資料夾還沒有漫畫 + + + + EmptyLabelWidget + + + This label doesn't contain comics yet + 此標籤尚未包含漫畫 + + + + EmptyReadingListWidget + + + This reading list does not contain any comics yet + 此閱讀列表尚未包含任何漫畫 + + + + EmptySpecialListWidget + + + No favorites + 沒有收藏 + + + + You are not reading anything yet, come on!! + 你還沒有閱讀任何東西,加油!! + + + + There are no recent comics! + 沒有最近的漫畫! + + + + ExportComicsInfoDialog + + + Output file : + 輸出檔: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Export comics info + 導出漫畫資訊 + + + + Destination database name + 目標資料庫名稱 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + ExportLibraryDialog + + + Output folder : + 輸出檔夾: + + + + Create + 創建 + + + + Cancel + 取消 + + + + Create covers package + 創建封面包 + + + + Problem found while writing + 寫入時出現問題 + + + + The selected path for the output file does not exist or is not a valid path. Be sure that you have write access to this folder + 選定的輸出檔路徑不存在或路徑無效. 確保您具有此檔夾的寫入許可權 + + + + Destination directory + 目標目錄 + + + + FileComic + + + CRC error on page (%1): some of the pages will not be displayed correctly + 第 %1 頁 CRC 校驗失敗: 部分頁面將無法正確顯示 + + + + Unknown error opening the file + 打開檔時出現未知錯誤 + + + + 7z not found + 未找到 7z + + + + Format not supported + 不支持的檔格式 + + + + GoToDialog + + + Page : + 頁碼 : + + + + Go To + 跳轉 + + + + Cancel + 取消 + + + + + Total pages : + 總頁數: + + + + Go to... + 跳轉至 ... + + + + GoToFlowToolBar + + + Page : + 頁碼 : - QsLogging::LogWindowModel + GridComicsView - - Time - + + Show info + 顯示資訊 + + + HelpAboutDialog - - Level - + + About + 關於 - - Message - + + Help + 幫助 + + + + System info + 系統資訊 + + + + ImportComicsInfoDialog + + + Import comics info + 導入漫畫資訊 + + + + Info database location : + 資料庫地址: + + + + Import + 導入 + + + + Cancel + 取消 + + + + Comics info file (*.ydb) + 漫畫資訊檔(*.ydb) + + + + ImportLibraryDialog + + + Library Name : + 庫名: + + + + Package location : + 打包地址: + + + + Destination folder : + 目標檔夾: + + + + Unpack + 解壓 + + + + Cancel + 取消 + + + + Extract a catalog + 提取目錄 + + + + Compresed library covers (*.clc) + 已壓縮的庫封面 (*.clc) + + + + ImportWidget + + + stop + 停止 + + + + Some of the comics being added... + 正在添加漫畫... + + + + Importing comics + 正在導入漫畫 + + + + <p>YACReaderLibrary is now creating a new library.</p><p>Create a library could take several minutes. You can stop the process and update the library later for completing the task.</p> + <p>YACReaderLibrary現在正在創建一個新庫。</p><p>這可能需要幾分鐘時間,您可以先停止該進程,稍後可以通過更新庫選項來更新數據。</p> + + + + Updating the library + 正在更新庫 + + + + <p>The current library is being updated. For faster updates, please, update your libraries frequently.</p><p>You can stop the process and continue updating this library later.</p> + <p>正在更新當前庫。要獲得更快的更新,請經常更新您的庫。</p><p>您可以停止該進程,稍後繼續更新操作。</p> + + + + Upgrading the library + 正在更新庫 + + + + <p>The current library is being upgraded, please wait.</p> + <p>正在更新當前漫畫庫, 請稍候.</p> + + + + Scanning the library + 正在掃描庫 + + + + <p>Current library is being scanned for legacy XML metadata information.</p><p>This is only needed once, and only if the library was crated with YACReaderLibrary 9.8.2 or earlier.</p> + <p>正在掃描當前庫的舊版 XML metadata 資訊。</p><p>這只需要執行一次,且只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 時。</p> + + + + LibraryWindow + + + YACReader Library + YACReader 庫 + + + + + + comic + 漫畫 + + + + + + manga + 漫畫 + + + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + + + web comic + 網路漫畫 + + + + + + 4koma (top to botom) + 4koma(由上至下) + + + + + + + Set type + 套裝類型 + + + + Library + + + + + Folder + 檔夾 + + + + Comic + 漫畫 + + + + Upgrade failed + 更新失敗 + + + + There were errors during library upgrade in: + 漫畫庫更新時出現錯誤: + + + + Update needed + 需要更新 + + + + This library was created with a previous version of YACReaderLibrary. It needs to be updated. Update now? + 此庫是使用舊版本的YACReaderLibrary創建的. 它需要更新. 現在更新? + + + + Download new version + 下載新版本 + + + + This library was created with a newer version of YACReaderLibrary. Download the new version now? + 此庫是使用較新版本的YACReaderLibrary創建的。 立即下載新版本? + + + + Library not available + 庫不可用 + + + + Library '%1' is no longer available. Do you want to remove it? + 庫 '%1' 不再可用。 你想刪除它嗎? + + + + Old library + 舊的庫 + + + + Library '%1' has been created with an older version of YACReaderLibrary. It must be created again. Do you want to create the library now? + 庫 '%1' 是通過舊版本的YACReaderLibrary創建的。 必須再次創建。 你想現在創建嗎? + + + + + Copying comics... + 複製漫畫中... + + + + + Moving comics... + 移動漫畫中... + + + + Add new folder + 添加新的檔夾 + + + + Folder name: + 檔夾名稱: + + + + No folder selected + 沒有選中的檔夾 + + + + Please, select a folder first + 請先選擇一個檔夾 + + + + Error in path + 路徑錯誤 + + + + There was an error accessing the folder's path + 訪問檔夾的路徑時出錯 + + + + Delete folder + 刪除檔夾 + + + + The selected folder and all its contents will be deleted from your disk. Are you sure? + 所選檔夾及其所有內容將從磁片中刪除。 你確定嗎? + + + + + Unable to delete + 無法刪除 + + + + There was an issue trying to delete the selected folders. Please, check for write permissions and be sure that any applications are using these folders or any of the contained files. + 嘗試刪除所選檔夾時出現問題。 請檢查寫入許可權,並確保沒有其他應用程式在使用這些檔夾或檔。 + + + + Add new reading lists + 添加新的閱讀列表 + + + + + List name: + 列表名稱: + + + + Delete list/label + 刪除 列表/標籤 + + + + The selected item will be deleted, your comics or folders will NOT be deleted from your disk. Are you sure? + 所選項目將被刪除,您的漫畫或檔夾將不會從您的磁片中刪除。 你確定嗎? + + + + Rename list name + 重命名列表 + + + + Open folder... + 打開檔夾... + + + + Update folder + 更新檔夾 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set as read + 設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + Save covers + 保存封面 + + + + You are adding too many libraries. + 您添加的庫太多了。 + + + + You are adding too many libraries. + +You probably only need one library in your top level comics folder, you can browse any subfolders using the folders section in the left sidebar. + +YACReaderLibrary will not stop you from creating more libraries but you should keep the number of libraries low. + 您添加的庫太多了。 + +一般情況只需要一個頂級的庫,您可以使用左側邊欄中的檔夾功能來進行分類管理。 + +YACReaderLibrary不會阻止您創建更多的庫,但是您應該保持較低的庫數量來提升性能。 + + + + + YACReader not found + YACReader 未找到 + + + + YACReader not found. YACReader should be installed in the same folder as YACReaderLibrary. + 未找到YACReader. YACReader應安裝在與YACReaderLibrary相同的檔夾中. + + + + YACReader not found. There might be a problem with your YACReader installation. + 未找到YACReader. YACReader的安裝可能有問題. + + + + Error + 錯誤 + + + + Error opening comic with third party reader. + 使用第三方閱讀器開啟漫畫時出錯。 + + + + Library not found + 未找到庫 + + + + The selected folder doesn't contain any library. + 所選檔夾不包含任何庫。 + + + + Are you sure? + 你確定嗎? + + + + Do you want remove + 你想要刪除 + + + + library? + 庫? + + + + Remove and delete metadata + 移除並刪除元數據 + + + + Library info + 圖書館資訊 + + + + There was an issue trying to delete the selected comics. Please, check for write permissions in the selected files or containing folder. + 嘗試刪除所選漫畫時出現問題。 請檢查所選檔或包含檔夾中的寫入許可權。 + + + + Assign comics numbers + 分配漫畫編號 + + + + Assign numbers starting in: + 從以下位置開始分配編號: + + + + Invalid image + 圖片無效 + + + + The selected file is not a valid image. + 所選檔案不是有效影像。 + + + + Error saving cover + 儲存封面時發生錯誤 + + + + There was an error saving the cover image. + 儲存封面圖片時發生錯誤。 + + + + Error creating the library + 創建庫時出錯 + + + + Error updating the library + 更新庫時出錯 + + + + Error opening the library + 打開庫時出錯 + + + + Delete comics + 刪除漫畫 + + + + All the selected comics will be deleted from your disk. Are you sure? + 所有選定的漫畫都將從您的磁片中刪除。你確定嗎? + + + + Remove comics + 移除漫畫 + + + + Comics will only be deleted from the current label/list. Are you sure? + 漫畫只會從當前標籤/列表中刪除。 你確定嗎? + + + + Library name already exists + 庫名已存在 + + + + There is another library with the name '%1'. + 已存在另一個名為'%1'的庫。 + + + + LibraryWindowActions + + + Create a new library + 創建一個新的庫 + + + + Open an existing library + 打開現有的庫 + + + + + Export comics info + 導出漫畫資訊 + + + + + Import comics info + 導入漫畫資訊 + + + + Pack covers + 打包封面 + + + + Pack the covers of the selected library + 打包所選庫的封面 + + + + Unpack covers + 解壓封面 + + + + Unpack a catalog + 解壓目錄 + + + + Update library + 更新庫 + + + + Update current library + 更新當前庫 + + + + Rename library + 重命名庫 + + + + Rename current library + 重命名當前庫 + + + + Remove library + 移除庫 + + + + Remove current library from your collection + 從您的集合中移除當前庫 + + + + Rescan library for XML info + 重新掃描庫的 XML 資訊 + + + + Tries to find XML info embedded in comic files. You only need to do this if the library was created with 9.8.2 or earlier versions or if you are using third party software to embed XML info in the files. + 嘗試查找漫畫檔內嵌的 XML 資訊。只有當創建庫的 YACReaderLibrary 版本低於 9.8.2 或者使用第三方軟體嵌入 XML 資訊時,才需要執行該操作。 + + + + Show library info + 顯示圖書館資訊 + + + + Show information about the current library + 顯示當前庫的信息 + + + + Open current comic + 打開當前漫畫 + + + + Open current comic on YACReader + 用YACReader打開漫畫 + + + + Save selected covers to... + 選中的封面保存到... + + + + Save covers of the selected comics as JPG files + 保存所選的封面為jpg + + + + + Set as read + 設為已讀 + + + + Set comic as read + 漫畫設為已讀 + + + + + Set as unread + 設為未讀 + + + + Set comic as unread + 漫畫設為未讀 + + + + + manga + 漫畫 + + + + Set issue as manga + 將問題設定為漫畫 + + + + + comic + 漫畫 + + + + Set issue as normal + 設置發行狀態為正常發行 + + + + western manga + 西方漫畫 + + + + Set issue as western manga + 將問題設定為西方漫畫 + + + + + web comic + 網路漫畫 + + + + Set issue as web comic + 將問題設定為網路漫畫 + + + + + yonkoma + 四科馬 + + + + Set issue as yonkoma + 將問題設定為 yonkoma + + + + Show/Hide marks + 顯示/隱藏標記 + + + + Show or hide read marks + 顯示或隱藏閱讀標記 + + + + Show/Hide recent indicator + 顯示/隱藏最近的指標 + + + + Show or hide recent indicator + 顯示或隱藏最近的指示器 + + + + + Fullscreen mode on/off + 全屏模式 開/關 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Add new folder + 添加新的檔夾 + + + + Add new folder to the current library + 在當前庫下添加新的檔夾 + + + + Delete folder + 刪除檔夾 + + + + Delete current folder from disk + 從磁片上刪除當前檔夾 + + + + Select root node + 選擇根節點 + + + + Expand all nodes + 展開所有節點 + + + + Collapse all nodes + 折疊所有節點 + + + + Show options dialog + 顯示選項對話框 + + + + Show comics server options dialog + 顯示漫畫伺服器選項對話框 + + + + + Change between comics views + 漫畫視圖之間的變化 + + + + Open folder... + 打開檔夾... + + + + Set as uncompleted + 設為未完成 + + + + Set as completed + 設為已完成 + + + + Set custom cover + 設定自訂封面 + + + + Delete custom cover + 刪除自訂封面 + + + + western manga (left to right) + 西方漫畫(從左到右) + + + + Open containing folder... + 打開包含檔夾... + + + + Reset comic rating + 重置漫畫評分 + + + + Select all comics + 全選漫畫 + + + + Edit + 編輯 + + + + Assign current order to comics + 將當前序號分配給漫畫 + + + + Update cover + 更新封面 + + + + Delete selected comics + 刪除所選的漫畫 + + + + Delete metadata from selected comics + 從選定的漫畫中刪除元數據 + + + + Download tags from Comic Vine + 從 Comic Vine 下載標籤 + + + + Focus search line + 聚焦於搜索行 + + + + Focus comics view + 聚焦於漫畫視圖 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &Quit + 退出(&Q) + + + + Update folder + 更新檔夾 + + + + Update current folder + 更新當前檔夾 + + + + Scan legacy XML metadata + 掃描舊版 XML 元數據 + + + + Add new reading list + 添加新的閱讀列表 + + + + Add a new reading list to the current library + 在當前庫添加新的閱讀列表 + + + + Remove reading list + 移除閱讀列表 + + + + Remove current reading list from the library + 從當前庫移除閱讀列表 + + + + Add new label + 添加新標籤 + + + + Add a new label to this library + 在當前庫添加標籤 + + + + Rename selected list + 重命名列表 + + + + Rename any selected labels or lists + 重命名任何選定的標籤或列表 + + + + Add to... + 添加到... + + + + Favorites + 收藏夾 + + + + Add selected comics to favorites list + 將所選漫畫添加到收藏夾列表 + + + + LocalComicListModel + + + file name + 檔案名 + + + + NoLibrariesWidget + + + You don't have any libraries yet + 你還沒有庫 + + + + <p>You can create a library in any folder, YACReaderLibrary will import all comics and folders from this folder. If you have created any library in the past you can open them.</p><p>Don't forget that you can use YACReader as a stand alone application for reading the comics on your computer.</p> + <p>您可以在任何檔夾中創建庫,YACReaderLibrary將導入此檔夾中的所有漫畫和文件夾。如果已有庫,則可以打開它們。</p><p>您可以把YACReader當成獨立應用來閱讀電腦上的漫畫。</p> + + + + create your first library + 創建你的第一個庫 + + + + add an existing one + 添加一個現有庫 + + + + NoSearchResultsWidget + + + No results + 沒有結果 + + + + OptionsDialog + + + + General + 常規 + + + + + Libraries + + + + + Comic Flow + 漫畫流 + + + + Grid view + 網格視圖 + + + + + Appearance + 外貌 + + + + + Options + 選項 + + + + + Language + 語言 + + + + + Application language + 應用程式語言 + + + + + System default + 系統預設 + + + + Tray icon settings (experimental) + 託盤圖示設置 (實驗特性) + + + + Close to tray + 關閉至託盤 + + + + Start into the system tray + 啟動至系統託盤 + + + + Edit Comic Vine API key + 編輯Comic Vine API 密匙 + + + + Comic Vine API key + Comic Vine API 密匙 + + + + ComicInfo.xml legacy support + ComicInfo.xml 遺留支持 + + + + Import metadata from ComicInfo.xml when adding new comics + 新增漫畫時從 ComicInfo.xml 匯入元數據 + + + + Consider 'recent' items added or updated since X days ago + 考慮自 X 天前新增或更新的「最近」項目 + + + + Third party reader + 第三方閱讀器 + + + + Write {comic_file_path} where the path should go in the command + 在命令中應將路徑寫入 {comic_file_path} + + + + + Clear + 清空 + + + + Update libraries at startup + 啟動時更新庫 + + + + Try to detect changes automatically + 嘗試自動偵測變化 + + + + Update libraries periodically + 定期更新庫 + + + + Interval: + 間隔: + + + + 30 minutes + 30分鐘 + + + + 1 hour + 1小時 + + + + 2 hours + 2小時 + + + + 4 hours + 4小時 + + + + 8 hours + 8小時 + + + + 12 hours + 12小時 + + + + daily + 日常的 + + + + Update libraries at certain time + 定時更新庫 + + + + Time: + 時間: + + + + WARNING! During library updates writes to the database are disabled! +Don't schedule updates while you may be using the app actively. +During automatic updates the app will block some of the actions until the update is finished. +To stop an automatic update tap on the loading indicator next to the Libraries title. + 警告!在庫更新期間,將停用對資料庫的寫入! +當您可能正在積極使用應用程式時,請勿安排更新。 +在自動更新期間,應用程式將阻止某些操作,直到更新完成。 +若要停止自動更新,請點選庫標題旁的載入指示器。 + + + + Modifications detection + 修改檢測 + + + + Compare the modified date of files when updating a library (not recommended) + 更新庫時比較文件的修改日期(不建議) + + + + Enable background image + 啟用背景圖片 + + + + Opacity level + 透明度 + + + + Blur level + 模糊 + + + + Use selected comic cover as background + 使用選定的漫畫封面做背景 + + + + Restore defautls + 恢復默認值 + + + + Background + 背景 + + + + Display continue reading banner + 顯示繼續閱讀橫幅 + + + + Display current comic banner + 顯示目前漫畫橫幅 + + + + Continue reading + 繼續閱讀 + + + + My comics path + 我的漫畫路徑 + + + + Display + 展示 + + + + Show time in current page information label + 在目前頁面資訊標籤中顯示時間 + + + + "Go to flow" size + 頁面流尺寸 + + + + Background color + 背景顏色 + + + + Choose + 選擇 + + + + Scroll behaviour + 滾動效果 + + + + Disable scroll animations and smooth scrolling + 停用滾動動畫和平滑滾動 + + + + Do not turn page using scroll + 滾動時不翻頁 + + + + Use single scroll step to turn page + 使用單滾動步驟翻頁 + + + + Mouse mode + 滑鼠模式 + + + + Only Back/Forward buttons can turn pages + 只有後退/前進按鈕可以翻頁 + + + + Use the Left/Right buttons to turn pages. + 使用向左/向右按鈕翻頁。 + + + + Click left or right half of the screen to turn pages. + 點擊螢幕的左半部或右半部即可翻頁。 + + + + Quick Navigation Mode + 快速導航模式 + + + + Disable mouse over activation + 禁用滑鼠啟動 + + + + Brightness + 亮度 + + + + Contrast + 對比度 + + + + Gamma + Gamma值 + + + + Reset + 重置 + + + + Image options + 圖片選項 + + + + Fit options + 適應項 + + + + Enlarge images to fit width/height + 放大圖片以適應寬度/高度 + + + + Double Page options + 雙頁選項 + + + + Show covers as single page + 顯示封面為單頁 + + + + Scaling + 縮放 + + + + Scaling method + 縮放方法 + + + + Nearest (fast, low quality) + 最近(快速,低品質) + + + + Bilinear + 雙線性 + + + + Lanczos (better quality) + Lanczos(品質更好) + + + + Page Flow + 頁面流 + + + + Image adjustment + 圖像調整 + + + + + Restart is needed + 需要重啟 + + + + Comics directory + 漫畫目錄 + + + + PropertiesDialog + + + General info + 基本資訊 + + + + Plot + 情節 + + + + Authors + 作者 + + + + Publishing + 出版 + + + + Notes + 筆記 + + + + Cover page + 封面 + + + + Load previous page as cover + 載入上一頁作為封面 + + + + Load next page as cover + 載入下一頁作為封面 + + + + Reset cover to the default image + 將封面重設為預設圖片 + + + + Load custom cover image + 載入自訂封面圖片 + + + + Series: + 系列: + + + + Title: + 標題: + + + + + + of: + 的: + + + + Issue number: + 發行數量: + + + + Volume: + 卷: + + + + Arc number: + 世界線數量: + + + + Story arc: + 故事線: + + + + alt. number: + 替代。數字: + + + + Alternate series: + 替代系列: + + + + Series Group: + 系列組: + + + + Genre: + 類型: + + + + Size: + 大小: + + + + Writer(s): + 作者: + + + + Penciller(s): + 線稿: + + + + Inker(s): + 墨稿: + + + + Colorist(s): + 上色: + + + + Letterer(s): + 文本: + + + + Cover Artist(s): + 封面設計: + + + + Editor(s): + 編輯: + + + + Imprint: + 印記: + + + + Day: + 日: + + + + Month: + 月: + + + + Year: + 年: + + + + Publisher: + 出版者: + + + + Format: + 格式: + + + + Color/BW: + 彩色/黑白: + + + + Age rating: + 年齡等級: + + + + Type: + 類型: + + + + Language (ISO): + 語言(ISO): + + + + Synopsis: + 概要: + + + + Characters: + 角色: + + + + Teams: + 團隊: + + + + Locations: + 地點: + + + + Main character or team: + 主要角色或團隊: + + + + Review: + 審查: + + + + Notes: + 筆記: + + + + Tags: + 標籤: + + + + Comic Vine link: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> view </a> + Comic Vine 連接: <a style='color: #FFCB00; text-decoration:none; font-weight:bold;' href="http://www.comicvine.com/comic/4000-%1/"> 查看 </a> + + + + Not found + 未找到 + + + + Comic not found. You should update your library. + 未找到漫畫,請先更新您的庫. + + + + Edit comic information + 編輯漫畫資訊 + + + + Edit selected comics information + 編輯選中的漫畫資訊 + + + + Invalid cover + 封面無效 + + + + The image is invalid. + 該圖像無效。 + + + + QCoreApplication + + + +YACReaderLibraryServer is the headless (no gui) version of YACReaderLibrary. + +This appplication supports persistent settings, to set them up edit this file %1 +To learn about the available settings please check the documentation at https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + +YACReaderLibraryServer 是 YACReaderLibrary 的無頭(無 GUI)版本。 + +此應用程式支援持久性設置,要設定它們,請編輯此文件 %1 +若要了解可用設置,請查看文件:https://raw.githubusercontent.com/YACReader/yacreader/develop/YACReaderLibraryServer/SETTINGS_README.md + + + + QObject + + + Trace + 追蹤 + + + + Debug + 除錯 + + + + Info + 資訊 + + + + Warning + 警告 + + + + Error + 錯誤 + + + + Fatal + 嚴重錯誤 + + + + Select custom cover + 選擇自訂封面 + + + + Images (%1) + 圖片 (%1) + + + + 7z lib not found + 未找到 7z 庫檔 + + + + unable to load 7z lib from ./utils + 無法從 ./utils 載入 7z 庫檔 + + + + The file could not be read or is not valid JSON. + 無法讀取該檔案或該檔案不是有效的 JSON。 + + + + This theme is for %1, not %2. + 此主題適用於 %1,而不是 %2。 + + + + Libraries + + + + + Folders + 檔夾 + + + + Reading Lists + 閱讀列表 + + + + RenameLibraryDialog + + + New Library Name : + 新庫名: + + + + Rename + 重命名 + + + + Cancel + 取消 + + + + Rename current library + 重命名當前庫 + + + + ScraperResultsPaginator + + + Number of volumes found : %1 + 搜索結果: %1 + + + + + page %1 of %2 + 第 %1 頁 共 %2 頁 + + + + Number of %1 found : %2 + 第 %1 頁 共: %2 條 + + + + SearchSingleComic + + + Please provide some additional information for this comic. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SearchVolume + + + Please provide some additional information. + 請提供附加資訊. + + + + Series: + 系列: + + + + Use exact match search. Disable if you want to find volumes that match some of the words in the name. + 使用精確匹配搜尋。如果您想要尋找與名稱中某些單字相符的捲,請停用。 + + + + SelectComic + + + Please, select the right comic info. + 請正確選擇漫畫資訊. + + + + comics + 漫畫 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + comic description unavailable + 漫畫描述不可用 + + + + SelectVolume + + + Please, select the right series for your comic. + 請選擇正確的漫畫系列。 + + + + Filter: + 篩選: + + + + volumes + + + + + Nothing found, clear the filter if any. + 未找到任何內容,如果有,請清除過濾器。 + + + + loading cover + 加載封面 + + + + loading description + 加載描述 + + + + volume description unavailable + 卷描述不可用 + + + + SeriesQuestion + + + You are trying to get information for various comics at once, are they part of the same series? + 您正在嘗試同時獲取各種漫畫的資訊,它們是同一系列的嗎? + + + + yes + + + + + no + + + + + ServerConfigDialog + + + set port + 設置端口 + + + + Server connectivity information + 伺服器連接資訊 + + + + Scan it! + 掃一掃! + + + + YACReader is available for iOS and Android devices.<br/>Discover it for <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> or <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>. + YACReader 適用於 iOS 和 Android 裝置。 <br/>發現它適用於 <a href='https://ios.yacreader.com' style='color:rgb(193, 148, 65)'>iOS</a> 或 <a href='https://android.yacreader.com' style='color:rgb(193, 148, 65)'>Android</a>。 + + + + Choose an IP address + 選擇IP地址 + + + + Port + 端口 + + + + enable the server + 啟用伺服器 + + + + SortVolumeComics + + + Please, sort the list of comics on the left until it matches the comics' information. + 請在左側對漫畫列表進行排序,直到它與漫畫的資訊相符。 + + + + sort comics to match comic information + 排序漫畫以匹配漫畫資訊 + + + + issues + 發行 + + + + remove selected comics + 移除所選漫畫 + + + + restore all removed comics + 恢復所有移除的漫畫 + + + + ThemeEditorDialog + + + Theme Editor + 主題編輯器 + + + + + + + + + + + - + - + + + + i + + + + + Expand all + 全部展開 + + + + Collapse all + 全部折疊 + + + + Hold to flash the selected value in the UI (magenta / toggled / 0↔10). Releases restore the original. + 按住可在 UI 中閃爍所選值(洋紅色/切換/0↔10)。發布後恢復原樣。 + + + + Search… + 搜尋… + + + + Light + 亮度 + + + + Dark + 黑暗的 + + + + ID: + ID: + + + + Display name: + 顯示名稱: + + + + Variant: + 變體: + + + + Theme info + 主題訊息 + + + + Parameter + 範圍 + + + + Value + 價值 + + + + Save and apply + 儲存並應用 + + + + Export to file... + 匯出到文件... + + + + Load from file... + 從檔案載入... + + + + Close + 關閉 + + + + Double-click to edit color + 雙擊編輯顏色 + + + + + + + + + true + 真的 + + + + + + + false + 錯誤的 + + + + Double-click to toggle + 按兩下切換 + + + + Double-click to edit value + 雙擊編輯值 + + + + + + Edit: %1 + 編輯:%1 + + + + Save theme + 儲存主題 + + + + + JSON files (*.json);;All files (*) + JSON 檔案 (*.json);;所有檔案 (*) + + + + Save failed + 保存失敗 + + + + Could not open file for writing: +%1 + 無法開啟文件進行寫入: +%1 + + + + Load theme + 載入主題 + + + + + + Load failed + 載入失敗 + + + + Could not open file: +%1 + 無法開啟檔案: +%1 + + + + Invalid JSON: +%1 + 無效的 JSON: +%1 + + + + Expected a JSON object. + 需要一個 JSON 物件。 + + + + TitleHeader + + + SEARCH + 搜索 + + + + UpdateLibraryDialog + + + Updating.... + 更新中... + + + + Cancel + 取消 + + + + Update library + 更新庫 + + + + Viewer + + + + Press 'O' to open comic. + 按下 'O' 以打開漫畫. + + + + Not found + 未找到 + + + + Comic not found + 未找到漫畫 + + + + Error opening comic + 打開漫畫時發生錯誤 + + + + CRC Error + CRC 校驗失敗 + + + + Loading...please wait! + 載入中... 請稍候! + + + + Page not available! + 頁面不可用! + + + + Cover! + 封面! + + + + Last page! + 尾頁! + + + + VolumeComicsModel + + + title + 標題 + + + + VolumesModel + + + year + + + + + issues + 發行 + + + + publisher + 出版者 + + + + YACReader3DFlowConfigWidget + + + Presets: + 預設: + + + + Classic look + 經典 + + + + Stripe look + 條狀 + + + + Overlapped Stripe look + 重疊條狀 + + + + Modern look + 現代 + + + + Roulette look + 輪盤 + + + + Show advanced settings + 顯示高級選項 + + + + Custom: + 自定義: + + + + View angle + 視角 + + + + Position + 位置 + + + + Cover gap + 封面間距 + + + + Central gap + 中心間距 + + + + Zoom + 縮放 + + + + Y offset + Y位移 + + + + Z offset + Z位移 + + + + Cover Angle + 封面角度 + + + + Visibility + 透明度 + + + + Light + 亮度 + + + + Max angle + 最大角度 + + + + Low Performance + 低性能 + + + + High Performance + 高性能 + + + + Use VSync (improve the image quality in fullscreen mode, worse performance) + 使用VSync (在全屏模式下提高圖像品質, 性能更差) + + + + Performance: + 性能: + + + + YACReader::MainWindowViewer + + + &Open + 打開(&O) + + + + Open a comic + 打開漫畫 + + + + New instance + 新建實例 + + + + Open Folder + 打開檔夾 + + + + Open image folder + 打開圖片檔夾 + + + + Open latest comic + 打開最近的漫畫 + + + + Open the latest comic opened in the previous reading session + 打開最近閱讀漫畫 + + + + Clear + 清空 + + + + Clear open recent list + 清空最近訪問列表 + + + + Save + 保存 + + + + + Save current page + 保存當前頁面 + + + + Previous Comic + 上一個漫畫 + + + + + + Open previous comic + 打開上一個漫畫 + + + + Next Comic + 下一個漫畫 + + + + + + Open next comic + 打開下一個漫畫 + + + + &Previous + 上一頁(&P) + + + + + + Go to previous page + 轉至上一頁 + + + + &Next + 下一頁(&N) + + + + + + Go to next page + 轉至下一頁 + + + + Fit Height + 適應高度 + + + + Fit image to height + 縮放圖片以適應高度 + + + + Fit Width + 適合寬度 + + + + Fit image to width + 縮放圖片以適應寬度 + + + + Show full size + 顯示全尺寸 + + + + Fit to page + 適應頁面 + + + + Continuous scroll + 連續滾動 + + + + Switch to continuous scroll mode + 切換到連續滾動模式 + + + + Reset zoom + 重置縮放 + + + + Show zoom slider + 顯示縮放滑塊 + + + + Zoom+ + 放大 + + + + Zoom- + 縮小 + + + + Rotate image to the left + 向左旋轉圖片 + + + + Rotate image to the right + 向右旋轉圖片 + + + + Double page mode + 雙頁模式 + + + + Switch to double page mode + 切換至雙頁模式 + + + + Double page manga mode + 雙頁漫畫模式 + + + + Reverse reading order in double page mode + 雙頁模式 (逆序閱讀) + + + + Go To + 跳轉 + + + + Go to page ... + 跳轉至頁面 ... + + + + Options + 選項 + + + + YACReader options + YACReader 選項 + + + + + Help + 幫助 + + + + Help, About YACReader + 幫助, 關於 YACReader + + + + Magnifying glass + 放大鏡 + + + + Switch Magnifying glass + 切換放大鏡 + + + + Set bookmark + 設置書簽 + + + + Set a bookmark on the current page + 在當前頁面設置書簽 + + + + Show bookmarks + 顯示書簽 + + + + Show the bookmarks of the current comic + 顯示當前漫畫的書簽 + + + + Show keyboard shortcuts + 顯示鍵盤快捷鍵 + + + + Show Info + 顯示資訊 + + + + Close + 關閉 + + + + Show Dictionary + 顯示字典 + + + + Show go to flow + 顯示頁面流 + + + + Edit shortcuts + 編輯快捷鍵 + + + + &File + 檔(&F) + + + + + Open recent + 最近打開的檔 + + + + File + + + + + Edit + 編輯 + + + + View + 查看 + + + + Go + 轉到 + + + + Window + 窗口 + + + + + + Open Comic + 打開漫畫 + + + + + + Comic files + 漫畫檔 + + + + Open folder + 打開檔夾 + + + + page_%1.jpg + 頁_%1.jpg + + + + Image files (*.jpg) + 圖像檔 (*.jpg) + + + + + Comics + 漫畫 + + + + + General + 常規 + + + + + Magnifiying glass + 放大鏡 + + + + + Page adjustement + 頁面調整 + + + + + Reading + 閱讀 + + + + Toggle fullscreen mode + 切換全屏模式 + + + + Hide/show toolbar + 隱藏/顯示 工具欄 + + + + Size up magnifying glass + 增大放大鏡尺寸 + + + + Size down magnifying glass + 減小放大鏡尺寸 + + + + Zoom in magnifying glass + 增大縮放級別 + + + + Zoom out magnifying glass + 減小縮放級別 + + + + Reset magnifying glass + 重置放大鏡 + + + + Toggle between fit to width and fit to height + 切換顯示為"適應寬度"或"適應高度" + + + + Autoscroll down + 向下自動滾動 + + + + Autoscroll up + 向上自動滾動 + + + + Autoscroll forward, horizontal first + 向前自動滾動,水準優先 + + + + Autoscroll backward, horizontal first + 向後自動滾動,水準優先 + + + + Autoscroll forward, vertical first + 向前自動滾動,垂直優先 + + + + Autoscroll backward, vertical first + 向後自動滾動,垂直優先 + + + + Move down + 向下移動 + + + + Move up + 向上移動 + + + + Move left + 向左移動 + + + + Move right + 向右移動 + + + + Go to the first page + 轉到第一頁 + + + + Go to the last page + 轉到最後一頁 + + + + Offset double page to the left + 雙頁向左偏移 + + + + Offset double page to the right + 雙頁向右偏移 + + + + There is a new version available + 有新版本可用 + + + + Do you want to download the new version? + 你要下載新版本嗎? + + + + Remind me in 14 days + 14天後提醒我 + + + + Not now + 現在不 + + + + YACReader::TrayIconController + + + &Restore + 複位(&R) + + + + Systray + 系統託盤 + + + + YACReaderLibrary will keep running in the system tray. To terminate the program, choose <b>Quit</b> in the context menu of the system tray icon. + YACReaderLibrary 將繼續在系統託盤中運行. 想要終止程式, 請在系統託盤圖示的上下文菜單中選擇<b>退出</b>. + + + + YACReaderFieldEdit + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderFieldPlainTextEdit + + + + + + Click to overwrite + 點擊以覆蓋 + + + + Restore to default + 恢復默認 + + + + YACReaderOptionsDialog + + + Save + 保存 + + + + Cancel + 取消 + + + + Edit shortcuts + 編輯快捷鍵 + + + + Shortcuts + 快捷鍵 + + + + YACReaderSearchLineEdit + + + type to search + 搜索類型 + + + + YACReaderSlider + + + Reset + 重置 - QsLogging::Window + YACReaderTranslator - - &Pause - + + YACReader translator + YACReader 翻譯 - - &Resume - + + + Translation + 翻譯 - - Save log - + + clear + 清空 - - Log file (*.log) - + + Service not available + 服務不可用 diff --git a/ci/win/build_installer_qt6.iss b/ci/win/build_installer_qt6.iss index c71942104..c5f229fd5 100644 --- a/ci/win/build_installer_qt6.iss +++ b/ci/win/build_installer_qt6.iss @@ -101,7 +101,7 @@ Source: README.md; DestDir: {app}; Flags: isreadme Source: COPYING.txt; DestDir: {app} ;Languages -Source: languages\*; DestDir: {app}\languages\; Flags: recursesubdirs +Source: languages\*; DestDir: {app}\languages\; Flags: recursesubdirs; Excludes: "*_source.qm" ;Server Source: server\*; DestDir: {app}\server\; Flags: recursesubdirs diff --git a/ci/win/create_installer.cmd b/ci/win/create_installer.cmd index 10f0d6c86..2a6580737 100644 --- a/ci/win/create_installer.cmd +++ b/ci/win/create_installer.cmd @@ -46,7 +46,8 @@ rem Collect cmake-generated .qm translation files from the build tree rem (release\languages is not tracked in git; cmake generates .qm in build subdirs) mkdir languages for /r %src_path%\build %%f in (*.qm) do ( - copy "%%f" .\languages\ >nul + echo %%~nf | findstr /I /R "_source$" >nul + if errorlevel 1 copy "%%f" .\languages\ >nul ) copy %src_path%\vc_redist.%ARCH%.exe . diff --git a/common/app_language_utils.h b/common/app_language_utils.h new file mode 100644 index 000000000..d76c63b9e --- /dev/null +++ b/common/app_language_utils.h @@ -0,0 +1,131 @@ +#ifndef APP_LANGUAGE_UTILS_H +#define APP_LANGUAGE_UTILS_H + +#include "yacreader_global_gui.h" + +#include +#include +#include +#include +#include +#include +#include + +namespace YACReader::UiLanguage { + +struct LanguageOption { + QString code; + QString displayName; +}; + +inline QStringList translationDirectories() +{ + QStringList directories; +#if defined(Q_OS_UNIX) && !defined(Q_OS_MACOS) + directories << QString(DATADIR) + "/yacreader/languages"; +#endif + directories << QCoreApplication::applicationDirPath() + "/languages"; + directories.removeDuplicates(); + return directories; +} + +inline bool loadFromLocale(QTranslator &translator, const QString &prefix, const QLocale &locale) +{ + const auto dirs = translationDirectories(); + for (const auto &dir : dirs) { + if (translator.load(locale, prefix, "_", dir)) + return true; + } + + return false; +} + +inline bool loadTranslator(QTranslator &translator, const QString &prefix, const QString &languageOverride = QString()) +{ + auto selectedLanguage = languageOverride.trimmed(); + if (!selectedLanguage.isEmpty()) { + selectedLanguage.replace('-', '_'); + + if (loadFromLocale(translator, prefix, QLocale(selectedLanguage))) + return true; + + auto baseLanguage = selectedLanguage.section('_', 0, 0); + if (baseLanguage != selectedLanguage && loadFromLocale(translator, prefix, QLocale(baseLanguage))) + return true; + } + + return loadFromLocale(translator, prefix, QLocale()); +} + +inline QTranslator &appTranslator() +{ + static QTranslator translator; + return translator; +} + +inline bool applyLanguage(const QString &prefix, const QString &languageOverride = QString()) +{ + auto &translator = appTranslator(); + QCoreApplication::removeTranslator(&translator); + const auto loaded = loadTranslator(translator, prefix, languageOverride); + QCoreApplication::installTranslator(&translator); + return loaded; +} + +inline QString languageDisplayName(const QString &languageCode) +{ + QLocale locale(languageCode); + + QString languageName = locale.nativeLanguageName(); + if (languageName.isEmpty()) + languageName = QLocale::languageToString(locale.language()); + + if (languageName.isEmpty()) + languageName = languageCode; + + QString territoryName; + if (locale.territory() != QLocale::AnyTerritory) + territoryName = locale.nativeTerritoryName(); + + if (!territoryName.isEmpty()) + return QString("%1 (%2)").arg(languageName, territoryName); + + return languageName; +} + +inline QList availableLanguages(const QString &prefix) +{ + QSet languageCodes; + const auto pattern = QRegularExpression( + "^" + QRegularExpression::escape(prefix) + "_(.+)\\.qm$"); + + const auto dirs = translationDirectories(); + for (const auto &dirPath : dirs) { + QDir dir(dirPath); + if (!dir.exists()) + continue; + + const auto files = dir.entryList( + QStringList { prefix + "_*.qm" }, QDir::Files, QDir::Name); + for (const auto &file : files) { + auto match = pattern.match(file); + if (match.hasMatch()) + languageCodes.insert(match.captured(1)); + } + } + + QList options; + for (const auto &languageCode : languageCodes) { + options.append({ languageCode, languageDisplayName(languageCode) }); + } + + std::sort(options.begin(), options.end(), [](const LanguageOption &lhs, const LanguageOption &rhs) { + return lhs.displayName.localeAwareCompare(rhs.displayName) < 0; + }); + + return options; +} + +} // namespace YACReader::UiLanguage + +#endif // APP_LANGUAGE_UTILS_H diff --git a/common/yacreader_global_gui.h b/common/yacreader_global_gui.h index 2065bd2d2..88d53a004 100644 --- a/common/yacreader_global_gui.h +++ b/common/yacreader_global_gui.h @@ -7,6 +7,7 @@ #include #define PATH "PATH" +#define UI_LANGUAGE "UI_LANGUAGE" #define MAG_GLASS_SIZE "MAG_GLASS_SIZE" #define MAG_GLASS_ZOOM "MAG_GLASS_ZOOM" #define ZOOM_LEVEL "ZOOM_LEVEL" diff --git a/compileOSX.sh b/compileOSX.sh index 8a5d043dc..b75e3f9eb 100755 --- a/compileOSX.sh +++ b/compileOSX.sh @@ -70,9 +70,9 @@ cp -R release/server YACReaderLibraryServer.app/Contents/MacOS/ mkdir -p YACReader.app/Contents/MacOS/languages mkdir -p YACReaderLibrary.app/Contents/MacOS/languages mkdir -p YACReaderLibraryServer.app/Contents/MacOS/languages -find build -name "*.qm" -exec cp {} YACReader.app/Contents/MacOS/languages/ \; -find build -name "*.qm" -exec cp {} YACReaderLibrary.app/Contents/MacOS/languages/ \; -find build -name "*.qm" -exec cp {} YACReaderLibraryServer.app/Contents/MacOS/languages/ \; +find build -name "*.qm" ! -name "*_source.qm" -exec cp {} YACReader.app/Contents/MacOS/languages/ \; +find build -name "*.qm" ! -name "*_source.qm" -exec cp {} YACReaderLibrary.app/Contents/MacOS/languages/ \; +find build -name "*.qm" ! -name "*_source.qm" -exec cp {} YACReaderLibraryServer.app/Contents/MacOS/languages/ \; /usr/libexec/PlistBuddy -c "Add :CFBundleVersion string ${BUILD_NUMBER}" YACReader.app/Contents/Info.plist /usr/libexec/PlistBuddy -c "Add :CFBundleShortVersionString string ${VERSION}" YACReader.app/Contents/Info.plist diff --git a/custom_widgets/whats_new_dialog.cpp b/custom_widgets/whats_new_dialog.cpp index bd4a15463..5718ee7ba 100644 --- a/custom_widgets/whats_new_dialog.cpp +++ b/custom_widgets/whats_new_dialog.cpp @@ -48,6 +48,7 @@ YACReader::WhatsNewDialog::WhatsNewDialog(QWidget *parent) " • Migrate Flow implementation from OpenGL to QRhi. This is a full new implementation with better performance and compatibility with operating systems and hardware
" " • Add light/dark themes support that follow the system configuration
" " • Add a theme editor and support for custom themes
" + " • Add an application language setting with a system default option in YACReader and YACReaderLibrary
" "
" "I hope you enjoy the new update. Please, if you like YACReader consider to become a patron in Patreon " "or donate some money using Pay-Pal and help keeping the project alive. "