1
0
Fork 0
mirror of synced 2024-06-02 10:44:40 +12:00
Rare/rare/shared/game_process.py

133 lines
4.7 KiB
Python
Raw Permalink Normal View History

import json
import logging
from enum import IntEnum
2023-12-26 05:21:41 +13:00
from PyQt5.QtCore import QObject, pyqtSignal, QTimer, pyqtSlot, Qt
from PyQt5.QtNetwork import QLocalSocket
from PyQt5.QtWidgets import QMessageBox
from legendary.models.game import Game
from rare.models.launcher import ErrorModel, Actions, FinishedModel, StateChangedModel
logger = logging.getLogger("GameProcess")
class GameProcess(QObject):
# int: code
launched = pyqtSignal(int)
# int: code
finished = pyqtSignal(int)
class Code(IntEnum):
SUCCESS = 0
ERROR = 1
TIMEOUT = -1
ON_STARTUP = -1234
def __init__(self, game: Game):
super(GameProcess, self).__init__()
self.game = game
self.on_startup = False
self.tried_connections = 0
self.timer = QTimer(self)
self.timer.timeout.connect(self.__connect)
self.socket = QLocalSocket()
self.socket_name = f"rare_{self.game.app_name}"
self.socket.connected.connect(self.__on_connected)
try:
self.socket.errorOccurred.connect(self.__on_error)
except AttributeError:
# QTimer.singleShot(
# 100,
# lambda: self._error_occurred(QLocalSocket.UnknownSocketError) if self.socket.error() else None
# )
logger.warning("Do not handle errors on QLocalSocket, because of an old qt version")
self.socket.readyRead.connect(self.__on_message)
self.socket.disconnected.connect(self.__close)
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 connect_to_server(self, on_startup: bool):
self.on_startup = on_startup
self.timer.start(200)
@pyqtSlot()
def __close(self):
try:
self.socket.close()
except RuntimeError:
pass
@pyqtSlot()
def __connect(self):
self.socket.connectToServer(self.socket_name)
self.tried_connections += 1
if self.tried_connections > 50: # 10 seconds
QMessageBox.warning(
None,
self.tr("Error - {}").format(self.game.app_title),
self.tr(
"Connection to game launcher for <b>{}</b> failed due to timeout.\n"
"This is usually do it the game or Rare's game launcher already running"
).format(self.game.app_name)
)
self.timer.stop()
self.tried_connections = 0
self.finished.emit(GameProcess.Code.TIMEOUT)
@pyqtSlot()
def __on_message(self):
message = self.socket.readAll().data()
if not message.startswith(b"{"):
logger.error(f"Received unsupported message: {message.decode('utf-8')}")
return
try:
data = json.loads(message)
except json.JSONDecodeError as e:
logger.error(e)
logger.error("Could not load json data")
return
action = data.get("action", False)
if not action:
logger.error("Got unexpected action")
elif action == Actions.finished:
logger.info(f"{self.game.app_name} {self.game.app_title} finished")
model = FinishedModel.from_json(data)
self.socket.close()
self.__game_finished(model.exit_code)
elif action == Actions.error:
model = ErrorModel.from_json(data)
logger.error(f"Error in game {self.game.app_title}: {model.error_string}")
self.socket.close()
self.__game_finished(GameProcess.Code.ERROR)
QMessageBox.warning(None, "Error", self.tr(
"Error in game {}:\n{}").format(self.game.app_title, model.error_string))
elif action == Actions.state_update:
model = StateChangedModel.from_json(data)
if model.new_state == StateChangedModel.States.started:
logger.info("Launched Game")
self.launched.emit(GameProcess.Code.SUCCESS)
@pyqtSlot()
def __on_connected(self):
self.timer.stop()
logger.info(f"Connection established for {self.game.app_name} ({self.game.app_title})")
if self.on_startup:
logger.info(f"Found {self.game.app_name} ({self.game.app_title}) running at startup")
self.launched.emit(GameProcess.Code.ON_STARTUP)
@pyqtSlot(QLocalSocket.LocalSocketError)
def __on_error(self, _: QLocalSocket.LocalSocketError):
if self.on_startup:
self.timer.stop()
self.__close()
self.__game_finished(GameProcess.Code.ON_STARTUP) # 1234 is exit code for startup
else:
logger.error(f"{self.game.app_name} ({self.game.app_title}): {self.socket.errorString()}")
def __game_finished(self, exit_code: int):
self.finished.emit(exit_code)