mirror of
https://github.com/nixietab/picodulce.git
synced 2025-04-04 07:28:56 +01:00
Compare commits
7 Commits
c7b9dde2cc
...
9cbcd6683b
Author | SHA1 | Date | |
---|---|---|---|
![]() |
9cbcd6683b | ||
![]() |
d4d496d867 | ||
![]() |
9ae94befa7 | ||
![]() |
f32df5301b | ||
![]() |
a3c6b57283 | ||
![]() |
82d0122d75 | ||
![]() |
7062b43065 |
@ -1,5 +1,7 @@
|
|||||||
import os
|
import os
|
||||||
import json
|
import json
|
||||||
|
import requests
|
||||||
|
|
||||||
|
|
||||||
class HealthCheck:
|
class HealthCheck:
|
||||||
def __init__(self):
|
def __init__(self):
|
||||||
@ -115,3 +117,36 @@ class HealthCheck:
|
|||||||
# Check if both files exist and print OK message
|
# Check if both files exist and print OK message
|
||||||
if os.path.isfile(dark_theme_file) and os.path.isfile(native_theme_file):
|
if os.path.isfile(dark_theme_file) and os.path.isfile(native_theme_file):
|
||||||
print("Theme Integrity OK")
|
print("Theme Integrity OK")
|
||||||
|
|
||||||
|
def locales_integrity(self):
|
||||||
|
# Define the locales folder path
|
||||||
|
locales_folder = "locales"
|
||||||
|
version_url = "https://raw.githubusercontent.com/nixietab/picodulce/main/version.json"
|
||||||
|
|
||||||
|
# Step 1: Ensure the locales folder exists
|
||||||
|
if not os.path.exists(locales_folder):
|
||||||
|
print(f"Creating folder: {locales_folder}")
|
||||||
|
os.makedirs(locales_folder)
|
||||||
|
self.download_locales(version_url)
|
||||||
|
else:
|
||||||
|
print("Locales folder already exists.")
|
||||||
|
|
||||||
|
def download_locales(self, url):
|
||||||
|
response = requests.get(url)
|
||||||
|
if response.status_code == 200:
|
||||||
|
data = response.json()
|
||||||
|
locales_links = data.get("locales", [])
|
||||||
|
|
||||||
|
for link in locales_links:
|
||||||
|
locale_name = os.path.basename(link)
|
||||||
|
locale_path = os.path.join("locales", locale_name)
|
||||||
|
locale_response = requests.get(link)
|
||||||
|
|
||||||
|
if locale_response.status_code == 200:
|
||||||
|
with open(locale_path, "w", encoding="utf-8") as locale_file:
|
||||||
|
locale_file.write(locale_response.text)
|
||||||
|
print(f"Downloaded and created file: {locale_path}")
|
||||||
|
else:
|
||||||
|
print(f"Failed to download {link}")
|
||||||
|
else:
|
||||||
|
print("Failed to fetch version.json")
|
||||||
|
1
locales/locales-go-here
Normal file
1
locales/locales-go-here
Normal file
@ -0,0 +1 @@
|
|||||||
|
|
BIN
locales/picodulce_es.qm
Normal file
BIN
locales/picodulce_es.qm
Normal file
Binary file not shown.
226
picodulce.py
226
picodulce.py
@ -28,15 +28,17 @@ class PicomcVersionSelector(QWidget):
|
|||||||
self.current_state = "menu"
|
self.current_state = "menu"
|
||||||
self.open_dialogs = []
|
self.open_dialogs = []
|
||||||
|
|
||||||
# Load translations before initializing UI
|
|
||||||
self.translators = []
|
|
||||||
self.load_locale("./locales")
|
|
||||||
|
|
||||||
# Set up and use the health_check module
|
# Set up and use the health_check module
|
||||||
health_checker = HealthCheck()
|
health_checker = HealthCheck()
|
||||||
health_checker.themes_integrity()
|
health_checker.themes_integrity()
|
||||||
health_checker.check_config_file()
|
health_checker.check_config_file()
|
||||||
self.config = health_checker.config
|
self.config = health_checker.config
|
||||||
|
health_checker.locales_integrity()
|
||||||
|
|
||||||
|
# Load translations before initializing UI
|
||||||
|
self.translators = []
|
||||||
|
self.load_locale("./locales")
|
||||||
|
|
||||||
themes_folder = "themes"
|
themes_folder = "themes"
|
||||||
theme_file = self.config.get("Theme", "Dark.json")
|
theme_file = self.config.get("Theme", "Dark.json")
|
||||||
@ -88,7 +90,7 @@ class PicomcVersionSelector(QWidget):
|
|||||||
return
|
return
|
||||||
|
|
||||||
# Look for matching locale file
|
# Look for matching locale file
|
||||||
locale_pattern = f"*_{locale_code}.qm" # Pattern like *_es.qm for Spanish
|
locale_pattern = f"*_{locale_code}.qm" # Pattern like stuff
|
||||||
found_matching_locale = False
|
found_matching_locale = False
|
||||||
|
|
||||||
for filename in os.listdir(locale_dir_path):
|
for filename in os.listdir(locale_dir_path):
|
||||||
@ -366,6 +368,30 @@ class PicomcVersionSelector(QWidget):
|
|||||||
settings_layout.addWidget(check_updates_checkbox)
|
settings_layout.addWidget(check_updates_checkbox)
|
||||||
settings_layout.addWidget(bleeding_edge_checkbox)
|
settings_layout.addWidget(bleeding_edge_checkbox)
|
||||||
|
|
||||||
|
# Add language dropdown
|
||||||
|
language_label = QLabel(self.tr('Language'))
|
||||||
|
language_dropdown = QComboBox()
|
||||||
|
languages = {
|
||||||
|
"English": "en",
|
||||||
|
"Spanish": "es",
|
||||||
|
"French": "fr",
|
||||||
|
"German": "de"
|
||||||
|
# Here will be more
|
||||||
|
}
|
||||||
|
|
||||||
|
# Populate dropdown with language options
|
||||||
|
for lang_name, lang_code in languages.items():
|
||||||
|
language_dropdown.addItem(lang_name, lang_code)
|
||||||
|
|
||||||
|
# Set the current language in the dropdown
|
||||||
|
current_language_code = self.config.get('Locale', 'en')
|
||||||
|
current_language_index = language_dropdown.findData(current_language_code)
|
||||||
|
if current_language_index != -1:
|
||||||
|
language_dropdown.setCurrentIndex(current_language_index)
|
||||||
|
|
||||||
|
settings_layout.addWidget(language_label)
|
||||||
|
settings_layout.addWidget(language_dropdown)
|
||||||
|
|
||||||
# Add buttons in the settings tab
|
# Add buttons in the settings tab
|
||||||
update_button = QPushButton(self.tr('Check for updates'))
|
update_button = QPushButton(self.tr('Check for updates'))
|
||||||
update_button.clicked.connect(self.check_for_update)
|
update_button.clicked.connect(self.check_for_update)
|
||||||
@ -438,7 +464,8 @@ class PicomcVersionSelector(QWidget):
|
|||||||
check_updates_checkbox.isChecked(),
|
check_updates_checkbox.isChecked(),
|
||||||
theme_background_checkbox.isChecked(),
|
theme_background_checkbox.isChecked(),
|
||||||
self.selected_theme, # Pass the selected theme here
|
self.selected_theme, # Pass the selected theme here
|
||||||
bleeding_edge_checkbox.isChecked() # Pass the bleeding edge setting here
|
bleeding_edge_checkbox.isChecked(), # Pass the bleeding edge setting here
|
||||||
|
language_dropdown.currentData() # Pass the selected language code here
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
|
|
||||||
@ -677,14 +704,15 @@ class PicomcVersionSelector(QWidget):
|
|||||||
## REPOSITORY BLOCK ENDS
|
## REPOSITORY BLOCK ENDS
|
||||||
|
|
||||||
|
|
||||||
def save_settings(self, is_rcp_enabled, check_updates_on_start, theme_background, selected_theme, is_bleeding):
|
def save_settings(self, is_rcp_enabled, check_updates_on_start, theme_background, selected_theme, is_bleeding, selected_language):
|
||||||
config_path = "config.json"
|
config_path = "config.json"
|
||||||
updated_config = {
|
updated_config = {
|
||||||
"IsRCPenabled": is_rcp_enabled,
|
"IsRCPenabled": is_rcp_enabled,
|
||||||
"CheckUpdate": check_updates_on_start,
|
"CheckUpdate": check_updates_on_start,
|
||||||
"ThemeBackground": theme_background,
|
"ThemeBackground": theme_background,
|
||||||
"Theme": selected_theme,
|
"Theme": selected_theme,
|
||||||
"IsBleeding": is_bleeding
|
"IsBleeding": is_bleeding,
|
||||||
|
"Locale": selected_language
|
||||||
}
|
}
|
||||||
|
|
||||||
# Update config values
|
# Update config values
|
||||||
@ -1157,7 +1185,6 @@ class PicomcVersionSelector(QWidget):
|
|||||||
if is_bleeding and version_bleeding:
|
if is_bleeding and version_bleeding:
|
||||||
version_number = version_bleeding
|
version_number = version_bleeding
|
||||||
|
|
||||||
# Create the about message without translation for the version placeholder
|
|
||||||
about_message = self.tr(
|
about_message = self.tr(
|
||||||
"PicoDulce Launcher (v{0})\n\n"
|
"PicoDulce Launcher (v{0})\n\n"
|
||||||
"A simple Minecraft launcher built using Qt, based on the picomc project.\n\n"
|
"A simple Minecraft launcher built using Qt, based on the picomc project.\n\n"
|
||||||
@ -1195,7 +1222,7 @@ class PicomcVersionSelector(QWidget):
|
|||||||
else:
|
else:
|
||||||
remote_version_to_check = remote_version
|
remote_version_to_check = remote_version
|
||||||
local_version_to_check = local_version
|
local_version_to_check = local_version
|
||||||
|
|
||||||
if remote_version_to_check and (remote_version_to_check != local_version_to_check):
|
if remote_version_to_check and (remote_version_to_check != local_version_to_check):
|
||||||
if is_bleeding:
|
if is_bleeding:
|
||||||
update_message = f"Do you want to update to the bleeding edge version ({remote_version_bleeding})?"
|
update_message = f"Do you want to update to the bleeding edge version ({remote_version_bleeding})?"
|
||||||
@ -1240,7 +1267,7 @@ class PicomcVersionSelector(QWidget):
|
|||||||
else:
|
else:
|
||||||
remote_version_to_check = remote_version
|
remote_version_to_check = remote_version
|
||||||
local_version_to_check = local_version
|
local_version_to_check = local_version
|
||||||
|
|
||||||
if remote_version_to_check and (remote_version_to_check != local_version_to_check):
|
if remote_version_to_check and (remote_version_to_check != local_version_to_check):
|
||||||
if is_bleeding:
|
if is_bleeding:
|
||||||
update_message = f"Do you want to update to the bleeding edge version ({remote_version_bleeding})?"
|
update_message = f"Do you want to update to the bleeding edge version ({remote_version_bleeding})?"
|
||||||
@ -1276,34 +1303,19 @@ class PicomcVersionSelector(QWidget):
|
|||||||
def download_update(self, version_info):
|
def download_update(self, version_info):
|
||||||
try:
|
try:
|
||||||
update_folder = "update"
|
update_folder = "update"
|
||||||
|
locales_folder = "locales"
|
||||||
|
|
||||||
if not os.path.exists(update_folder):
|
if not os.path.exists(update_folder):
|
||||||
os.makedirs(update_folder)
|
os.makedirs(update_folder)
|
||||||
|
|
||||||
|
# Download regular update files
|
||||||
for link in version_info.get("links", []):
|
for link in version_info.get("links", []):
|
||||||
# Get the relative path from the URL
|
self.download_file(link, update_folder)
|
||||||
parsed_url = urllib.parse.urlparse(link)
|
|
||||||
relative_path = parsed_url.path.lstrip('/')
|
# Download locale files
|
||||||
# Remove any repository specific parts if present
|
for link in version_info.get("locales", []):
|
||||||
parts = relative_path.split('/', 3)
|
self.download_file(link, locales_folder)
|
||||||
if len(parts) > 3: # If URL contains owner/repo/branch/path format
|
|
||||||
relative_path = parts[3]
|
|
||||||
|
|
||||||
# Create the full path in the update folder
|
|
||||||
full_path = os.path.join(update_folder, relative_path)
|
|
||||||
# Create the directory structure
|
|
||||||
os.makedirs(os.path.dirname(full_path), exist_ok=True)
|
|
||||||
|
|
||||||
# Download the file
|
|
||||||
response = requests.get(link, stream=True)
|
|
||||||
if response.status_code == 200:
|
|
||||||
with open(full_path, 'wb') as f:
|
|
||||||
for chunk in response.iter_content(chunk_size=1024):
|
|
||||||
f.write(chunk)
|
|
||||||
logging.info(f"Successfully downloaded: {relative_path}")
|
|
||||||
else:
|
|
||||||
QMessageBox.critical(self, "Error", f"Failed to download update file: {relative_path}")
|
|
||||||
raise Exception(f"Failed to download {relative_path}")
|
|
||||||
|
|
||||||
# Move downloaded files while preserving directory structure
|
# Move downloaded files while preserving directory structure
|
||||||
def copy_tree_up(src, dst_parent):
|
def copy_tree_up(src, dst_parent):
|
||||||
for item in os.listdir(src):
|
for item in os.listdir(src):
|
||||||
@ -1320,15 +1332,46 @@ class PicomcVersionSelector(QWidget):
|
|||||||
|
|
||||||
# Move files one directory up while preserving structure
|
# Move files one directory up while preserving structure
|
||||||
copy_tree_up(update_folder, os.path.dirname(update_folder))
|
copy_tree_up(update_folder, os.path.dirname(update_folder))
|
||||||
|
copy_tree_up(locales_folder, os.path.dirname(locales_folder))
|
||||||
# Remove the update folder
|
|
||||||
|
# Remove the update folders
|
||||||
shutil.rmtree(update_folder)
|
shutil.rmtree(update_folder)
|
||||||
|
shutil.rmtree(locales_folder)
|
||||||
|
|
||||||
QMessageBox.information(self, "Update", "Updates downloaded successfully.")
|
QMessageBox.information(self, "Update", "Updates downloaded successfully.")
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
logging.error("Error downloading updates: %s", str(e))
|
logging.error("Error downloading updates: %s", str(e))
|
||||||
QMessageBox.critical(self, "Error", "Failed to download updates.")
|
QMessageBox.critical(self, "Error", "Failed to download updates.")
|
||||||
|
|
||||||
|
def download_file(self, link, folder):
|
||||||
|
try:
|
||||||
|
# Get the relative path from the URL
|
||||||
|
parsed_url = urllib.parse.urlparse(link)
|
||||||
|
relative_path = parsed_url.path.lstrip('/')
|
||||||
|
# Remove any repository-specific parts if present
|
||||||
|
parts = relative_path.split('/', 3)
|
||||||
|
if len(parts) > 3: # If URL contains owner/repo/branch/path format
|
||||||
|
relative_path = parts[3]
|
||||||
|
|
||||||
|
# Create the full path in the specified folder
|
||||||
|
full_path = os.path.join(folder, relative_path)
|
||||||
|
# Create the directory structure
|
||||||
|
os.makedirs(os.path.dirname(full_path), exist_ok=True)
|
||||||
|
|
||||||
|
# Download the file
|
||||||
|
response = requests.get(link, stream=True)
|
||||||
|
if response.status_code == 200:
|
||||||
|
with open(full_path, 'wb') as f:
|
||||||
|
for chunk in response.iter_content(chunk_size=1024):
|
||||||
|
f.write(chunk)
|
||||||
|
logging.info(f"Successfully downloaded: {relative_path}")
|
||||||
|
else:
|
||||||
|
QMessageBox.critical(self, "Error", f"Failed to download update file: {relative_path}")
|
||||||
|
raise Exception(f"Failed to download {relative_path}")
|
||||||
|
except Exception as e:
|
||||||
|
logging.error("Error downloading file: %s", str(e))
|
||||||
|
QMessageBox.critical(self, "Error", f"Failed to download file: {link}")
|
||||||
|
|
||||||
def start_discord_rcp(self):
|
def start_discord_rcp(self):
|
||||||
from pypresence import Presence
|
from pypresence import Presence
|
||||||
import time
|
import time
|
||||||
@ -1393,15 +1436,15 @@ class DownloadThread(QThread):
|
|||||||
def run(self):
|
def run(self):
|
||||||
try:
|
try:
|
||||||
subprocess.run(['picomc', 'version', 'prepare', self.version], check=True)
|
subprocess.run(['picomc', 'version', 'prepare', self.version], check=True)
|
||||||
self.completed.emit(True, f"Version {self.version} prepared successfully!")
|
self.completed.emit(True, self.tr(f"Version {self.version} prepared successfully!"))
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
error_message = f"Error preparing {self.version}: {e.stderr.decode()}"
|
error_message = self.tr(f"Error preparing {self.version}: {e.stderr.decode()}")
|
||||||
self.completed.emit(False, error_message)
|
self.completed.emit(False, error_message)
|
||||||
|
|
||||||
class ModLoaderAndVersionMenu(QDialog):
|
class ModLoaderAndVersionMenu(QDialog):
|
||||||
def __init__(self):
|
def __init__(self):
|
||||||
super().__init__()
|
super().__init__()
|
||||||
self.setWindowTitle("Mod Loader and Version Menu")
|
self.setWindowTitle(self.tr("Mod Loader and Version Menu"))
|
||||||
self.setGeometry(100, 100, 400, 300)
|
self.setGeometry(100, 100, 400, 300)
|
||||||
|
|
||||||
main_layout = QVBoxLayout(self)
|
main_layout = QVBoxLayout(self)
|
||||||
@ -1414,9 +1457,9 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
download_version_tab = QWidget()
|
download_version_tab = QWidget()
|
||||||
instances_tab = QWidget() # New tab for instances
|
instances_tab = QWidget() # New tab for instances
|
||||||
|
|
||||||
tab_widget.addTab(download_version_tab, "Download Version")
|
tab_widget.addTab(download_version_tab, self.tr("Download Version"))
|
||||||
tab_widget.addTab(install_mod_tab, "Install Mod Loader")
|
tab_widget.addTab(install_mod_tab, self.tr("Install Mod Loader"))
|
||||||
tab_widget.addTab(instances_tab, "Instances") # Add the new tab
|
tab_widget.addTab(instances_tab, self.tr("Instances")) # Add the new tab
|
||||||
|
|
||||||
# Add content to "Install Mod Loader" tab
|
# Add content to "Install Mod Loader" tab
|
||||||
self.setup_install_mod_loader_tab(install_mod_tab)
|
self.setup_install_mod_loader_tab(install_mod_tab)
|
||||||
@ -1432,12 +1475,12 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
layout = QVBoxLayout(instances_tab)
|
layout = QVBoxLayout(instances_tab)
|
||||||
|
|
||||||
# Create title label
|
# Create title label
|
||||||
title_label = QLabel('Manage Minecraft Instances')
|
title_label = QLabel(self.tr('Manage Minecraft Instances'))
|
||||||
title_label.setFont(QFont("Arial", 14))
|
title_label.setFont(QFont("Arial", 14))
|
||||||
layout.addWidget(title_label)
|
layout.addWidget(title_label)
|
||||||
|
|
||||||
# Create a label to display the current instance
|
# Create a label to display the current instance
|
||||||
self.current_instance_label = QLabel('Loading...') # Placeholder text
|
self.current_instance_label = QLabel(self.tr('Loading...')) # Placeholder text
|
||||||
layout.addWidget(self.current_instance_label)
|
layout.addWidget(self.current_instance_label)
|
||||||
|
|
||||||
# Create a QListWidget to display the instances
|
# Create a QListWidget to display the instances
|
||||||
@ -1446,10 +1489,10 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
|
|
||||||
# Create input field and button to create a new instance
|
# Create input field and button to create a new instance
|
||||||
self.create_instance_input = QLineEdit()
|
self.create_instance_input = QLineEdit()
|
||||||
self.create_instance_input.setPlaceholderText("Enter instance name")
|
self.create_instance_input.setPlaceholderText(self.tr("Enter instance name"))
|
||||||
layout.addWidget(self.create_instance_input)
|
layout.addWidget(self.create_instance_input)
|
||||||
|
|
||||||
create_instance_button = QPushButton("Create Instance")
|
create_instance_button = QPushButton(self.tr("Create Instance"))
|
||||||
create_instance_button.clicked.connect(self.create_instance)
|
create_instance_button.clicked.connect(self.create_instance)
|
||||||
layout.addWidget(create_instance_button)
|
layout.addWidget(create_instance_button)
|
||||||
|
|
||||||
@ -1475,7 +1518,7 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
||||||
|
|
||||||
# Notify the user that the instance was created
|
# Notify the user that the instance was created
|
||||||
QMessageBox.information(self, "Instance Created", f"Instance '{instance_name}' has been created successfully.")
|
QMessageBox.information(self, self.tr("Instance Created"), self.tr(f"Instance '{instance_name}' has been created successfully."))
|
||||||
|
|
||||||
# Reload the instances list
|
# Reload the instances list
|
||||||
self.load_instances()
|
self.load_instances()
|
||||||
@ -1484,16 +1527,16 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
self.on_instance_selected(self.instances_list_widget.item(self.instances_list_widget.count() - 1))
|
self.on_instance_selected(self.instances_list_widget.item(self.instances_list_widget.count() - 1))
|
||||||
|
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
logging.error("'picomc' command not found. Please make sure it's installed and in your PATH.")
|
logging.error(self.tr("'picomc' command not found. Please make sure it's installed and in your PATH."))
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
logging.error("Error creating instance: %s", e.stderr)
|
logging.error(self.tr("Error creating instance: %s"), e.stderr)
|
||||||
QMessageBox.critical(self, "Error", f"Failed to create instance: {e.stderr}")
|
QMessageBox.critical(self, self.tr("Error"), self.tr(f"Failed to create instance: {e.stderr}"))
|
||||||
else:
|
else:
|
||||||
QMessageBox.warning(self, "Invalid Input", "Please enter a valid instance name.")
|
QMessageBox.warning(self, self.tr("Invalid Input"), self.tr("Please enter a valid instance name."))
|
||||||
|
|
||||||
def rename_instance(self, old_instance_name, new_instance_name):
|
def rename_instance(self, old_instance_name, new_instance_name):
|
||||||
if old_instance_name == "default":
|
if old_instance_name == "default":
|
||||||
QMessageBox.warning(self, "Cannot Rename Instance", "You cannot rename the 'default' instance.")
|
QMessageBox.warning(self, self.tr("Cannot Rename Instance"), self.tr("You cannot rename the 'default' instance."))
|
||||||
return
|
return
|
||||||
|
|
||||||
try:
|
try:
|
||||||
@ -1507,7 +1550,7 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
if process.returncode != 0:
|
if process.returncode != 0:
|
||||||
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
||||||
|
|
||||||
QMessageBox.information(self, "Instance Renamed", f"Instance '{old_instance_name}' has been renamed to '{new_instance_name}' successfully.")
|
QMessageBox.information(self, self.tr("Instance Renamed"), self.tr(f"Instance '{old_instance_name}' has been renamed to '{new_instance_name}' successfully."))
|
||||||
|
|
||||||
# Reload the instances list
|
# Reload the instances list
|
||||||
self.load_instances()
|
self.load_instances()
|
||||||
@ -1518,18 +1561,18 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
self.instances_list_widget.setCurrentItem(matching_items[0])
|
self.instances_list_widget.setCurrentItem(matching_items[0])
|
||||||
|
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
logging.error("'picomc' command not found. Please make sure it's installed and in your PATH.")
|
logging.error(self.tr("'picomc' command not found. Please make sure it's installed and in your PATH."))
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
logging.error("Error renaming instance: %s", e.stderr)
|
logging.error(self.tr("Error renaming instance: %s"), e.stderr)
|
||||||
QMessageBox.critical(self, "Error", f"Failed to rename instance: {e.stderr}")
|
QMessageBox.critical(self, self.tr("Error"), self.tr(f"Failed to rename instance: {e.stderr}"))
|
||||||
|
|
||||||
def delete_instance(self, instance_name):
|
def delete_instance(self, instance_name):
|
||||||
if instance_name == "default":
|
if instance_name == "default":
|
||||||
QMessageBox.warning(self, "Cannot Delete Instance", "You cannot delete the 'default' instance.")
|
QMessageBox.warning(self, self.tr("Cannot Delete Instance"), self.tr("You cannot delete the 'default' instance."))
|
||||||
return
|
return
|
||||||
|
|
||||||
confirm_delete = QMessageBox.question(
|
confirm_delete = QMessageBox.question(
|
||||||
self, "Confirm Deletion", f"Are you sure you want to delete the instance '{instance_name}'?",
|
self, self.tr("Confirm Deletion"), self.tr(f"Are you sure you want to delete the instance '{instance_name}'?"),
|
||||||
QMessageBox.Yes | QMessageBox.No, QMessageBox.No
|
QMessageBox.Yes | QMessageBox.No, QMessageBox.No
|
||||||
)
|
)
|
||||||
|
|
||||||
@ -1543,16 +1586,16 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
||||||
|
|
||||||
# Notify the user that the instance was deleted
|
# Notify the user that the instance was deleted
|
||||||
QMessageBox.information(self, "Instance Deleted", f"Instance '{instance_name}' has been deleted successfully.")
|
QMessageBox.information(self, self.tr("Instance Deleted"), self.tr(f"Instance '{instance_name}' has been deleted successfully."))
|
||||||
|
|
||||||
# Reload the instances list
|
# Reload the instances list
|
||||||
self.load_instances()
|
self.load_instances()
|
||||||
|
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
logging.error("'picomc' command not found. Please make sure it's installed and in your PATH.")
|
logging.error(self.tr("'picomc' command not found. Please make sure it's installed and in your PATH."))
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
logging.error("Error deleting instance: %s", e.stderr)
|
logging.error(self.tr("Error deleting instance: %s"), e.stderr)
|
||||||
QMessageBox.critical(self, "Error", f"Failed to delete instance: {e.stderr}")
|
QMessageBox.critical(self, self.tr("Error"), self.tr(f"Failed to delete instance: {e.stderr}"))
|
||||||
|
|
||||||
def load_instances(self):
|
def load_instances(self):
|
||||||
try:
|
try:
|
||||||
@ -1570,9 +1613,9 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
self.add_instance_buttons(item, instance)
|
self.add_instance_buttons(item, instance)
|
||||||
|
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
logging.error("'picomc' command not found. Please make sure it's installed and in your PATH.")
|
logging.error(self.tr("'picomc' command not found. Please make sure it's installed and in your PATH."))
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
logging.error("Error fetching instances: %s", e.stderr)
|
logging.error(self.tr("Error fetching instances: %s"), e.stderr)
|
||||||
|
|
||||||
def add_instance_buttons(self, list_item, instance_name):
|
def add_instance_buttons(self, list_item, instance_name):
|
||||||
widget = QWidget()
|
widget = QWidget()
|
||||||
@ -1580,8 +1623,8 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
layout.setContentsMargins(0, 0, 0, 0)
|
layout.setContentsMargins(0, 0, 0, 0)
|
||||||
|
|
||||||
label = QLabel(instance_name)
|
label = QLabel(instance_name)
|
||||||
rename_button = QPushButton("Rename")
|
rename_button = QPushButton(self.tr("Rename"))
|
||||||
delete_button = QPushButton("Delete")
|
delete_button = QPushButton(self.tr("Delete"))
|
||||||
|
|
||||||
# Stylize the buttons
|
# Stylize the buttons
|
||||||
button_style = """
|
button_style = """
|
||||||
@ -1607,8 +1650,8 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
|
|
||||||
def prompt_rename_instance(self, old_instance_name):
|
def prompt_rename_instance(self, old_instance_name):
|
||||||
new_instance_name, ok = QInputDialog.getText(
|
new_instance_name, ok = QInputDialog.getText(
|
||||||
self, "Rename Instance",
|
self, self.tr("Rename Instance"),
|
||||||
f"Enter new name for instance '{old_instance_name}':"
|
self.tr(f"Enter new name for instance '{old_instance_name}':")
|
||||||
)
|
)
|
||||||
|
|
||||||
if ok and new_instance_name:
|
if ok and new_instance_name:
|
||||||
@ -1630,14 +1673,14 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
with open(config_file, 'w') as file:
|
with open(config_file, 'w') as file:
|
||||||
json.dump(config_data, file, indent=4)
|
json.dump(config_data, file, indent=4)
|
||||||
|
|
||||||
logging.info(f"Config updated: Instance set to {instance_name}")
|
logging.info(self.tr(f"Config updated: Instance set to {instance_name}"))
|
||||||
|
|
||||||
self.update_instance_label()
|
self.update_instance_label()
|
||||||
|
|
||||||
except (json.JSONDecodeError, FileNotFoundError) as e:
|
except (json.JSONDecodeError, FileNotFoundError) as e:
|
||||||
logging.error(f"Error reading config.json: {e}")
|
logging.error(self.tr(f"Error reading config.json: {e}"))
|
||||||
else:
|
else:
|
||||||
logging.warning(f"{config_file} not found. Unable to update instance.")
|
logging.warning(self.tr(f"{config_file} not found. Unable to update instance."))
|
||||||
|
|
||||||
def update_instance_label(self):
|
def update_instance_label(self):
|
||||||
config_file = 'config.json'
|
config_file = 'config.json'
|
||||||
@ -1647,13 +1690,13 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
with open(config_file, 'r') as file:
|
with open(config_file, 'r') as file:
|
||||||
config_data = json.load(file)
|
config_data = json.load(file)
|
||||||
|
|
||||||
current_instance = config_data.get('Instance', 'Not set')
|
current_instance = config_data.get('Instance', self.tr('Not set'))
|
||||||
self.current_instance_label.setText(f'Current instance: {current_instance}')
|
self.current_instance_label.setText(self.tr(f'Current instance: {current_instance}'))
|
||||||
|
|
||||||
except (json.JSONDecodeError, FileNotFoundError) as e:
|
except (json.JSONDecodeError, FileNotFoundError) as e:
|
||||||
logging.error(f"Error reading config.json: {e}")
|
logging.error(self.tr(f"Error reading config.json: {e}"))
|
||||||
else:
|
else:
|
||||||
self.current_instance_label.setText('Current instance: Not set')
|
self.current_instance_label.setText(self.tr('Current instance: Not set'))
|
||||||
|
|
||||||
|
|
||||||
def setup_install_mod_loader_tab(self, install_mod_tab):
|
def setup_install_mod_loader_tab(self, install_mod_tab):
|
||||||
@ -1665,8 +1708,8 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
layout.addWidget(title_label)
|
layout.addWidget(title_label)
|
||||||
|
|
||||||
# Create checkboxes for mod loaders
|
# Create checkboxes for mod loaders
|
||||||
self.forge_checkbox = QCheckBox('Forge')
|
self.forge_checkbox = QCheckBox(self.tr('Forge'))
|
||||||
self.fabric_checkbox = QCheckBox('Fabric')
|
self.fabric_checkbox = QCheckBox(self.tr('Fabric'))
|
||||||
layout.addWidget(self.forge_checkbox)
|
layout.addWidget(self.forge_checkbox)
|
||||||
layout.addWidget(self.fabric_checkbox)
|
layout.addWidget(self.fabric_checkbox)
|
||||||
|
|
||||||
@ -1733,10 +1776,10 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
if process.returncode != 0:
|
if process.returncode != 0:
|
||||||
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
logging.error("'picomc' command not found. Please make sure it's installed and in your PATH.")
|
logging.error(self.tr("'picomc' command not found. Please make sure it's installed and in your PATH."))
|
||||||
return
|
return
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
logging.error("Error: %s", e.stderr)
|
logging.error(self.tr("Error: %s"), e.stderr)
|
||||||
return
|
return
|
||||||
|
|
||||||
# Parse the output and replace '[local]' with a space
|
# Parse the output and replace '[local]' with a space
|
||||||
@ -1752,7 +1795,7 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
self.beta_checkbox.clicked.connect(update_versions)
|
self.beta_checkbox.clicked.connect(update_versions)
|
||||||
|
|
||||||
# Create download button
|
# Create download button
|
||||||
self.download_button = QPushButton('Download')
|
self.download_button = QPushButton(self.tr('Download'))
|
||||||
self.download_button.setEnabled(False) # Initially disabled
|
self.download_button.setEnabled(False) # Initially disabled
|
||||||
self.download_button.clicked.connect(lambda: self.download_version(self.version_combo.currentText()))
|
self.download_button.clicked.connect(lambda: self.download_version(self.version_combo.currentText()))
|
||||||
layout.addWidget(self.download_button)
|
layout.addWidget(self.download_button)
|
||||||
@ -1792,9 +1835,9 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
def on_download_completed(self, success, message):
|
def on_download_completed(self, success, message):
|
||||||
self.popup.close()
|
self.popup.close()
|
||||||
if success:
|
if success:
|
||||||
QMessageBox.information(self, "Success", message)
|
QMessageBox.information(self, self.tr("Success"), message)
|
||||||
else:
|
else:
|
||||||
QMessageBox.critical(self, "Error", message)
|
QMessageBox.critical(self, self.tr("Error"), message)
|
||||||
logging.error(message)
|
logging.error(message)
|
||||||
|
|
||||||
def populate_available_releases(self, version_combo, install_forge, install_fabric):
|
def populate_available_releases(self, version_combo, install_forge, install_fabric):
|
||||||
@ -1804,10 +1847,10 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
if process.returncode != 0:
|
if process.returncode != 0:
|
||||||
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
raise subprocess.CalledProcessError(process.returncode, process.args, error)
|
||||||
except FileNotFoundError:
|
except FileNotFoundError:
|
||||||
logging.error("'picomc' command not found. Please make sure it's installed and in your PATH.")
|
logging.error(self.tr("'picomc' command not found. Please make sure it's installed and in your PATH."))
|
||||||
return
|
return
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
logging.error("Error: %s", e.stderr)
|
logging.error(self.tr("Error: %s"), e.stderr)
|
||||||
return
|
return
|
||||||
|
|
||||||
if install_fabric:
|
if install_fabric:
|
||||||
@ -1832,7 +1875,7 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
mod_loader = 'fabric'
|
mod_loader = 'fabric'
|
||||||
|
|
||||||
if not mod_loader:
|
if not mod_loader:
|
||||||
QMessageBox.warning(self, "Select Mod Loader", "Please select at least one mod loader.")
|
QMessageBox.warning(self, self.tr("Select Mod Loader"), self.tr("Please select at least one mod loader."))
|
||||||
return
|
return
|
||||||
|
|
||||||
try:
|
try:
|
||||||
@ -1840,13 +1883,12 @@ class ModLoaderAndVersionMenu(QDialog):
|
|||||||
subprocess.run(['picomc', 'mod', 'loader', 'forge', 'install', '--game', version], check=True)
|
subprocess.run(['picomc', 'mod', 'loader', 'forge', 'install', '--game', version], check=True)
|
||||||
elif mod_loader == 'fabric':
|
elif mod_loader == 'fabric':
|
||||||
subprocess.run(['picomc', 'mod', 'loader', 'fabric', 'install', version], check=True)
|
subprocess.run(['picomc', 'mod', 'loader', 'fabric', 'install', version], check=True)
|
||||||
QMessageBox.information(self, "Success", f"{mod_loader.capitalize()} installed successfully for version {version}!")
|
QMessageBox.information(self, self.tr("Success"), self.tr(f"{mod_loader.capitalize()} installed successfully for version {version}!"))
|
||||||
except subprocess.CalledProcessError as e:
|
except subprocess.CalledProcessError as e:
|
||||||
error_message = f"Error installing {mod_loader} for version {version}: {e.stderr.decode()}"
|
error_message = self.tr(f"Error installing {mod_loader} for version {version}: {e.stderr.decode()}")
|
||||||
QMessageBox.critical(self, "Error", error_message)
|
QMessageBox.critical(self, self.tr("Error"), error_message)
|
||||||
logging.error(error_message)
|
logging.error(error_message)
|
||||||
|
|
||||||
|
|
||||||
if __name__ == '__main__':
|
if __name__ == '__main__':
|
||||||
app = QApplication(sys.argv)
|
app = QApplication(sys.argv)
|
||||||
current_date = datetime.now()
|
current_date = datetime.now()
|
||||||
|
@ -9,5 +9,8 @@
|
|||||||
"https://raw.githubusercontent.com/nixietab/picodulce/main/holiday.ico",
|
"https://raw.githubusercontent.com/nixietab/picodulce/main/holiday.ico",
|
||||||
"https://raw.githubusercontent.com/nixietab/picodulce/main/authser.py"
|
"https://raw.githubusercontent.com/nixietab/picodulce/main/authser.py"
|
||||||
],
|
],
|
||||||
"versionBleeding": "0.12-170"
|
"locales": [
|
||||||
|
"https://raw.githubusercontent.com/nixietab/picodulce/main/locales/picodulce_es.qm"
|
||||||
|
],
|
||||||
|
"versionBleeding": "0.12-174"
|
||||||
}
|
}
|
||||||
|
Loading…
Reference in New Issue
Block a user