1
0
Fork 0
mirror of synced 2024-06-29 11:40:37 +12:00
Rare/rare/utils/misc.py

233 lines
6.2 KiB
Python
Raw Normal View History

2021-02-10 23:48:25 +13:00
import os
import platform
2021-02-10 23:48:25 +13:00
from logging import getLogger
from typing import List, Union, Type
2021-02-10 23:48:25 +13:00
import qtawesome
import requests
2021-12-24 22:09:50 +13:00
from PyQt5.QtCore import (
pyqtSignal,
QObject,
QRunnable,
QSettings,
QFile,
QDir,
Qt,
2021-12-24 22:09:50 +13:00
)
from PyQt5.QtGui import QPalette, QColor, QFontMetrics
from PyQt5.QtWidgets import qApp, QStyleFactory, QLabel
from PyQt5.sip import wrappertype
from legendary.core import LegendaryCore
from legendary.models.game import Game
from requests.exceptions import HTTPError
from rare.models.apiresults import ApiResults
from rare.utils.paths import resources_path
2021-05-12 03:29:35 +12:00
2021-02-10 23:48:25 +13:00
logger = getLogger("Utils")
2021-08-29 02:01:36 +12:00
settings = QSettings("Rare", "Rare")
2021-03-19 00:45:59 +13:00
color_role_map = {
0: "WindowText",
1: "Button",
2: "Light",
3: "Midlight",
4: "Dark",
5: "Mid",
6: "Text",
7: "BrightText",
8: "ButtonText",
9: "Base",
10: "Window",
11: "Shadow",
12: "Highlight",
13: "HighlightedText",
14: "Link",
15: "LinkVisited",
16: "AlternateBase",
# 17: "NoRole",
18: "ToolTipBase",
19: "ToolTipText",
20: "PlaceholderText",
# 21: "NColorRoles",
}
color_group_map = {
0: "Active",
1: "Disabled",
2: "Inactive",
}
def load_color_scheme(path: str) -> QPalette:
palette = QPalette()
scheme = QSettings(path, QSettings.IniFormat)
try:
scheme.beginGroup("ColorScheme")
for g in color_group_map:
scheme.beginGroup(color_group_map[g])
group = QPalette.ColorGroup(g)
for r in color_role_map:
role = QPalette.ColorRole(r)
color = scheme.value(color_role_map[r], None)
if color is not None:
palette.setColor(group, role, QColor(color))
else:
palette.setColor(group, role, palette.color(QPalette.Active, role))
scheme.endGroup()
scheme.endGroup()
except:
palette = None
return palette
def get_static_style() -> str:
file = QFile(":/static_css/stylesheet.qss")
file.open(QFile.ReadOnly)
static = file.readAll().data().decode("utf-8")
file.close()
return static
def set_color_pallete(color_scheme: str) -> None:
static = get_static_style()
if not color_scheme:
qApp.setStyle(QStyleFactory.create(qApp.property("rareDefaultQtStyle")))
qApp.setPalette(qApp.style().standardPalette())
qApp.setStyleSheet(static)
return
qApp.setStyle(QStyleFactory.create("Fusion"))
2021-12-10 09:59:07 +13:00
custom_palette = load_color_scheme(f":/schemes/{color_scheme}")
if custom_palette is not None:
qApp.setPalette(custom_palette)
qApp.setStyleSheet(static)
icon_color = qApp.palette().color(QPalette.Foreground).name()
qtawesome.set_defaults(color=icon_color)
def get_color_schemes() -> List[str]:
colors = []
2021-12-10 09:59:07 +13:00
for file in QDir(":/schemes"):
2022-02-01 15:16:29 +13:00
colors.append(file)
return colors
def set_style_sheet(style_sheet: str) -> None:
static = get_static_style()
if not style_sheet:
qApp.setStyle(QStyleFactory.create(qApp.property("rareDefaultQtStyle")))
qApp.setStyleSheet(static)
return
qApp.setStyle(QStyleFactory.create("Fusion"))
file = QFile(f":/stylesheets/{style_sheet}/stylesheet.qss")
2021-12-10 09:59:07 +13:00
file.open(QFile.ReadOnly)
stylesheet = file.readAll().data().decode("utf-8")
file.close()
qApp.setStyleSheet(stylesheet + static)
2021-12-10 09:59:07 +13:00
icon_color = qApp.palette().color(QPalette.Text).name()
qtawesome.set_defaults(color="#eeeeee")
def get_style_sheets() -> List[str]:
styles = []
2021-12-10 09:59:07 +13:00
for file in QDir(":/stylesheets/"):
styles.append(file)
return styles
def get_translations():
2021-02-20 00:57:55 +13:00
langs = ["en"]
2021-12-11 08:05:51 +13:00
for i in os.listdir(os.path.join(resources_path, "languages")):
if i.endswith(".qm") and not i.startswith("qt_"):
2021-02-20 00:57:55 +13:00
langs.append(i.split(".")[0])
return langs
def get_latest_version():
2021-04-20 01:44:28 +12:00
try:
2021-12-24 22:09:50 +13:00
resp = requests.get(
"https://api.github.com/repos/Dummerle/Rare/releases/latest"
)
tag = resp.json()["tag_name"]
2021-04-20 01:44:28 +12:00
return tag
except requests.exceptions.ConnectionError:
return "0.0.0"
2021-04-12 07:02:56 +12:00
def format_size(b: Union[int, float]) -> str:
for s in ["", "Ki", "Mi", "Gi", "Ti", "Pi", "Ei"]:
2021-04-12 07:02:56 +12:00
if b < 1024:
return f"{b:.2f} {s}B"
2021-04-12 07:02:56 +12:00
b /= 1024
2021-04-14 02:56:44 +12:00
class CloudWorker(QRunnable):
class Signals(QObject):
# List[SaveGameFile]
result_ready = pyqtSignal(list)
def __init__(self, core: LegendaryCore):
super(CloudWorker, self).__init__()
self.core = core
self.signals = CloudWorker.Signals()
self.setAutoDelete(True)
def run(self) -> None:
try:
result = self.core.get_save_games()
2022-01-23 13:03:56 +13:00
except HTTPError:
result = None
self.signals.result_ready.emit(result)
2021-11-11 07:00:15 +13:00
def get_raw_save_path(game: Game):
if game.supports_cloud_saves:
2021-12-24 22:09:50 +13:00
return (
game.metadata.get("customAttributes", {})
.get("CloudSaveFolder", {})
.get("value")
2021-12-24 22:09:50 +13:00
)
def get_default_platform(app_name, api_results: ApiResults):
if platform.system() != "Darwin" or app_name not in api_results.mac_games:
return "Windows"
else:
2021-12-10 09:59:07 +13:00
return "Mac"
def icon(icn_str: str, fallback: str = None, **kwargs):
try:
return qtawesome.icon(icn_str, **kwargs)
except Exception as e:
if not fallback:
logger.warning(f"{e} {icn_str}")
if fallback:
try:
return qtawesome.icon(fallback, **kwargs)
except Exception as e:
logger.error(str(e))
if kwargs.get("color"):
kwargs["color"] = "red"
return qtawesome.icon("ei.error", **kwargs)
DownloadsTab: Refactor downloads tab When updates are queued, they are removed from the update's list. An exceptions is made when the queued item comes from repairing (without updating), in which case the update is disabled for the runtime. A queued item can be either removed (if it is an update it will be added back to the updates groups) or forced to be updated now. If a queued item is forced, the currently running item will be added to the front of the queue. Downloads will be queued if there is no active download but there is a queue already. The download thread is now responsible for emitting the progress to `RareGame` InstallDialog: Pass `RareGame` and `InstallOptionsModel` only as arguments. The `update`, `repair` and `silent` arguments are already part of `InstallOptionsModel` `RareGame` is used to query information about the game. InstallInfoWorker: Pass only `InstallOptionsModel` as argument Emit `InstallQueueItemModel` as result, to re-use the worker when queuing stopped games RareGame: Query and store metadata property about entitlement grant date RareGame: Add `RareEosOverlay` class that imitates `RareGame` to handle the overlay LibraryWidgetController: Remove dead signal routing code, these signals are handled by `RareGame` Directly parent library widgets instead of reparenting them GameWidgets: Remove unused signals EOSGroup: Set install location based on preferences and use EOSOverlayApp from legendary GamesTab: Connect the `progress` signals of dlcs to the base game's signals GamesTab: Remove dead code GlobalSignals: Remove `ProgresSignals` RareCore: Mangle internal signleton's names Signed-off-by: loathingKernel <142770+loathingKernel@users.noreply.github.com>
2023-01-21 13:15:06 +13:00
def widget_object_name(widget: Union[QObject,wrappertype,Type], suffix: str) -> str:
suffix = f"_{suffix}" if suffix else ""
if isinstance(widget, QObject):
return f"{type(widget).__name__}{suffix}"
elif isinstance(widget, wrappertype) or isinstance(widget, type):
return f"{widget.__name__}{suffix}"
else:
raise RuntimeError(f"Argument {widget} not a QObject or type of QObject")
def elide_text(label: QLabel, text: str) -> str:
metrics = QFontMetrics(label.font())
return metrics.elidedText(text, Qt.ElideRight, label.sizeHint().width())