"""A PyQT4 dialog to enter app settings""" # # Copyright 2012-2014 ComicTagger Authors # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. from __future__ import annotations import html import logging import os import pathlib import platform from typing import Any import settngs from PyQt5 import QtCore, QtGui, QtWidgets, uic from comicapi import utils from comicapi.genericmetadata import md_test from comictaggerlib.ctversion import version from comictaggerlib.filerenamer import FileRenamer, Replacement, Replacements from comictaggerlib.imagefetcher import ImageFetcher from comictaggerlib.ui import ui_path from comictalker.comiccacher import ComicCacher from comictalker.comictalker import ComicTalker logger = logging.getLogger(__name__) windowsRarHelp = """
To write to CBR/RAR archives, you will need to have the tools from WINRar installed. (ComicTagger only uses the command-line rar tool.)
""" linuxRarHelp = """To write to CBR/RAR archives, you will need to have the shareware rar tool from RARLab installed. Your package manager should have rar (e.g. "apt-get install rar"). If not, download it here, and install in your path.
""" macRarHelp = """To write to CBR/RAR archives, you will need the rar tool. The easiest way to get this is to install homebrew.
Once homebrew is installed, run: brew install caskroom/cask/rar """ template_tooltip = """ The template for the new filename. Uses python format strings https://docs.python.org/3/library/string.html#format-string-syntax Accepts the following variables: {is_empty} (boolean) {tag_origin} (string) {series} (string) {issue} (string) {title} (string) {publisher} (string) {month} (integer) {year} (integer) {day} (integer) {issue_count} (integer) {volume} (integer) {genre} (string) {language} (string) {comments} (string) {volume_count} (integer) {critical_rating} (float) {country} (string) {alternate_series} (string) {alternate_number} (string) {alternate_count} (integer) {imprint} (string) {notes} (string) {web_link} (string) {format} (string) {manga} (string) {black_and_white} (boolean) {page_count} (integer) {maturity_rating} (string) {story_arc} (string) {series_group} (string) {scan_info} (string) {characters} (string) {teams} (string) {locations} (string) {credits} (list of dict({'role': string, 'person': string, 'primary': boolean})) {writer} (string) {penciller} (string) {inker} (string) {colorist} (string) {letterer} (string) {cover artist} (string) {editor} (string) {tags} (list of str) {pages} (list of dict({'Image': string(int), 'Type': string, 'Bookmark': string, 'DoublePage': boolean})) CoMet-only items: {price} (float) {is_version_of} (string) {rights} (string) {identifier} (string) {last_mark} (string) {cover_image} (string) Examples: {series} {issue} ({year}) Spider-Geddon 1 (2018) {series} #{issue} - {title} Spider-Geddon #1 - New Players; Check In """ class SettingsWindow(QtWidgets.QDialog): def __init__( self, parent: QtWidgets.QWidget, config: settngs.Config[settngs.Namespace], talker: ComicTalker ) -> None: super().__init__(parent) uic.loadUi(ui_path / "settingswindow.ui", self) self.setWindowFlags( QtCore.Qt.WindowType(self.windowFlags() & ~QtCore.Qt.WindowType.WindowContextHelpButtonHint) ) self.config = config self.talker = talker self.name = "Settings" if platform.system() == "Windows": self.lblRarHelp.setText(windowsRarHelp) elif platform.system() == "Linux": self.lblRarHelp.setText(linuxRarHelp) elif platform.system() == "Darwin": self.leRarExePath.setReadOnly(False) self.lblRarHelp.setText(macRarHelp) self.name = "Preferences" self.setWindowTitle("ComicTagger " + self.name) self.lblDefaultSettings.setText("Revert to default " + self.name.casefold()) self.btnResetSettings.setText("Default " + self.name) nmit_tip = """The Name Match Ratio Threshold: Auto-Identify is for eliminating automatic search matches that are too long compared to your series name search. The lower it is, the more likely to have a good match, but each search will take longer and use more bandwidth. Too high, and only the very closest matches will be explored.""" nmst_tip = """The Name Match Ratio Threshold: Search is for reducing the total number of results that are returned from a search. The lower it is, the more pages will be returned (max 5 pages or 500 results)""" self.sbNameMatchIdentifyThresh.setToolTip(nmit_tip) self.sbNameMatchSearchThresh.setToolTip(nmst_tip) pbl_tip = """ The Publisher Filter is for eliminating automatic matches to certain publishers that you know are incorrect. Useful for avoiding international re-prints with same covers or series names. Enter publisher names separated by commas. """ self.tePublisherFilter.setToolTip(pbl_tip) validator = QtGui.QIntValidator(1, 4, self) self.leIssueNumPadding.setValidator(validator) self.leRenameTemplate.setToolTip(f"{html.escape(template_tooltip)}") self.rename_error: Exception | None = None self.connect_signals() self.settings_to_form() self.rename_test() self.dir_test() def connect_signals(self) -> None: self.btnBrowseRar.clicked.connect(self.select_rar) self.btnClearCache.clicked.connect(self.clear_cache) self.btnResetSettings.clicked.connect(self.reset_settings) self.btnTestKey.clicked.connect(self.test_api_key) self.btnTemplateHelp.clicked.connect(self.show_template_help) self.cbxMoveFiles.clicked.connect(self.dir_test) self.leDirectory.textEdited.connect(self.dir_test) self.cbxComplicatedParser.clicked.connect(self.switch_parser) self.btnAddLiteralReplacement.clicked.connect(self.addLiteralReplacement) self.btnAddValueReplacement.clicked.connect(self.addValueReplacement) self.btnRemoveLiteralReplacement.clicked.connect(self.removeLiteralReplacement) self.btnRemoveValueReplacement.clicked.connect(self.removeValueReplacement) self.leRenameTemplate.textEdited.connect(self.rename_test) self.cbxMoveFiles.clicked.connect(self.rename_test) self.cbxRenameStrict.clicked.connect(self.rename_test) self.cbxSmartCleanup.clicked.connect(self.rename_test) self.cbxChangeExtension.clicked.connect(self.rename_test) self.leIssueNumPadding.textEdited.connect(self.rename_test) self.twLiteralReplacements.cellChanged.connect(self.rename_test) self.twValueReplacements.cellChanged.connect(self.rename_test) def disconnect_signals(self) -> None: self.btnAddLiteralReplacement.clicked.disconnect() self.btnAddValueReplacement.clicked.disconnect() self.btnBrowseRar.clicked.disconnect() self.btnClearCache.clicked.disconnect() self.btnRemoveLiteralReplacement.clicked.disconnect() self.btnRemoveValueReplacement.clicked.disconnect() self.btnResetSettings.clicked.disconnect() self.btnTemplateHelp.clicked.disconnect() self.btnTestKey.clicked.disconnect() self.cbxChangeExtension.clicked.disconnect() self.cbxComplicatedParser.clicked.disconnect() self.cbxMoveFiles.clicked.disconnect() self.cbxRenameStrict.clicked.disconnect() self.cbxSmartCleanup.clicked.disconnect() self.leDirectory.textEdited.disconnect() self.leIssueNumPadding.textEdited.disconnect() self.leRenameTemplate.textEdited.disconnect() self.twLiteralReplacements.cellChanged.disconnect() self.twValueReplacements.cellChanged.disconnect() def addLiteralReplacement(self) -> None: self.insertRow(self.twLiteralReplacements, self.twLiteralReplacements.rowCount(), Replacement("", "", False)) def addValueReplacement(self) -> None: self.insertRow(self.twValueReplacements, self.twValueReplacements.rowCount(), Replacement("", "", False)) def removeLiteralReplacement(self) -> None: if self.twLiteralReplacements.currentRow() >= 0: self.twLiteralReplacements.removeRow(self.twLiteralReplacements.currentRow()) def removeValueReplacement(self) -> None: if self.twValueReplacements.currentRow() >= 0: self.twValueReplacements.removeRow(self.twValueReplacements.currentRow()) def insertRow(self, table: QtWidgets.QTableWidget, row: int, replacement: Replacement) -> None: find, replace, strict_only = replacement table.insertRow(row) table.setItem(row, 0, QtWidgets.QTableWidgetItem(find)) table.setItem(row, 1, QtWidgets.QTableWidgetItem(replace)) tmp = QtWidgets.QTableWidgetItem() if strict_only: tmp.setCheckState(QtCore.Qt.Checked) else: tmp.setCheckState(QtCore.Qt.Unchecked) table.setItem(row, 2, tmp) def rename_test(self, *args: Any, **kwargs: Any) -> None: self._rename_test(self.leRenameTemplate.text()) def dir_test(self) -> None: self.lblDir.setText( str(pathlib.Path(self.leDirectory.text().strip()).resolve()) if self.cbxMoveFiles.isChecked() else "" ) def _rename_test(self, template: str) -> None: fr = FileRenamer( md_test, platform="universal" if self.cbxRenameStrict.isChecked() else "auto", replacements=self.get_replacements(), ) fr.move = self.cbxMoveFiles.isChecked() fr.set_template(template) fr.set_issue_zero_padding(int(self.leIssueNumPadding.text())) fr.set_smart_cleanup(self.cbxSmartCleanup.isChecked()) try: self.lblRenameTest.setText(fr.determine_name(".cbz")) self.rename_error = None except Exception as e: self.rename_error = e self.lblRenameTest.setText(str(e)) def switch_parser(self) -> None: complicated = self.cbxComplicatedParser.isChecked() self.cbxRemoveC2C.setEnabled(complicated) self.cbxRemoveFCBD.setEnabled(complicated) self.cbxRemovePublisher.setEnabled(complicated) def settings_to_form(self) -> None: self.disconnect_signals() # Copy values from settings to form if "archiver" in self.config[1] and "rar" in self.config[1]["archiver"].v: self.leRarExePath.setText(getattr(self.config[0], self.config[1]["archiver"].v["rar"].internal_name)) else: self.leRarExePath.setEnabled(False) self.sbNameMatchIdentifyThresh.setValue(self.config[0].identifier_series_match_identify_thresh) self.sbNameMatchSearchThresh.setValue(self.config[0].talker_series_match_search_thresh) self.tePublisherFilter.setPlainText("\n".join(self.config[0].identifier_publisher_filter)) self.cbxCheckForNewVersion.setChecked(self.config[0].general_check_for_new_version) self.cbxComplicatedParser.setChecked(self.config[0].filename_complicated_parser) self.cbxRemoveC2C.setChecked(self.config[0].filename_remove_c2c) self.cbxRemoveFCBD.setChecked(self.config[0].filename_remove_fcbd) self.cbxRemovePublisher.setChecked(self.config[0].filename_remove_publisher) self.switch_parser() self.cbxUseSeriesStartAsVolume.setChecked(self.config[0].talker_comicvine_cv_use_series_start_as_volume) self.cbxClearFormBeforePopulating.setChecked(self.config[0].talker_clear_form_before_populating) self.cbxRemoveHtmlTables.setChecked(self.config[0].talker_comicvine_cv_remove_html_tables) self.cbxUseFilter.setChecked(self.config[0].talker_always_use_publisher_filter) self.cbxSortByYear.setChecked(self.config[0].talker_sort_series_by_year) self.cbxExactMatches.setChecked(self.config[0].talker_exact_series_matches_first) self.leKey.setText(self.config[0].talker_comicvine_cv_api_key) self.leURL.setText(self.config[0].talker_comicvine_cv_url) self.cbxAssumeLoneCreditIsPrimary.setChecked(self.config[0].cbl_assume_lone_credit_is_primary) self.cbxCopyCharactersToTags.setChecked(self.config[0].cbl_copy_characters_to_tags) self.cbxCopyTeamsToTags.setChecked(self.config[0].cbl_copy_teams_to_tags) self.cbxCopyLocationsToTags.setChecked(self.config[0].cbl_copy_locations_to_tags) self.cbxCopyStoryArcsToTags.setChecked(self.config[0].cbl_copy_storyarcs_to_tags) self.cbxCopyNotesToComments.setChecked(self.config[0].cbl_copy_notes_to_comments) self.cbxCopyWebLinkToComments.setChecked(self.config[0].cbl_copy_weblink_to_comments) self.cbxApplyCBLTransformOnCVIMport.setChecked(self.config[0].cbl_apply_transform_on_import) self.cbxApplyCBLTransformOnBatchOperation.setChecked(self.config[0].cbl_apply_transform_on_bulk_operation) self.leRenameTemplate.setText(self.config[0].rename_template) self.leIssueNumPadding.setText(str(self.config[0].rename_issue_number_padding)) self.cbxSmartCleanup.setChecked(self.config[0].rename_use_smart_string_cleanup) self.cbxChangeExtension.setChecked(self.config[0].rename_set_extension_based_on_archive) self.cbxMoveFiles.setChecked(self.config[0].rename_move_to_dir) self.leDirectory.setText(self.config[0].rename_dir) self.cbxRenameStrict.setChecked(self.config[0].rename_strict) for table, replacments in zip( (self.twLiteralReplacements, self.twValueReplacements), self.config[0].rename_replacements ): table.clearContents() for i in reversed(range(table.rowCount())): table.removeRow(i) for row, replacement in enumerate(replacments): self.insertRow(table, row, replacement) self.connect_signals() def get_replacements(self) -> Replacements: literal_replacements = [] value_replacements = [] for row in range(self.twLiteralReplacements.rowCount()): if self.twLiteralReplacements.item(row, 0).text(): literal_replacements.append( Replacement( self.twLiteralReplacements.item(row, 0).text(), self.twLiteralReplacements.item(row, 1).text(), self.twLiteralReplacements.item(row, 2).checkState() == QtCore.Qt.Checked, ) ) for row in range(self.twValueReplacements.rowCount()): if self.twValueReplacements.item(row, 0).text(): value_replacements.append( Replacement( self.twValueReplacements.item(row, 0).text(), self.twValueReplacements.item(row, 1).text(), self.twValueReplacements.item(row, 2).checkState() == QtCore.Qt.Checked, ) ) return Replacements(literal_replacements, value_replacements) def accept(self) -> None: self.rename_test() if self.rename_error is not None: if isinstance(self.rename_error, ValueError): logger.exception("Invalid format string: %s", self.config[0].rename_template) QtWidgets.QMessageBox.critical( self, "Invalid format string!", "Your rename template is invalid!" f"