The Messenger: improve automated installation (#3083)
* add deck support to the messenger mod setup * Add tkinter cleanup because it's janky * prompt about launching the game instead of just doing it * add "better" file validation to courier checking * make it a bit more palatable * make it a bit more palatable * add the executable's md5 to ensure the correct file is selected * handle a bad md5 and show a message * make the utils wrapper snake_case and add a docstring * use stored archive instead of head * don't give other people the convenience method ig
This commit is contained in:
parent
cf375cbcc4
commit
5a5162c9d3
|
@ -27,6 +27,7 @@ class MessengerSettings(Group):
|
|||
class GamePath(FilePath):
|
||||
description = "The Messenger game executable"
|
||||
is_exe = True
|
||||
md5s = ["1b53534569060bc06179356cd968ed1d"]
|
||||
|
||||
game_path: GamePath = GamePath("TheMessenger.exe")
|
||||
|
||||
|
|
|
@ -5,7 +5,6 @@ import os.path
|
|||
import subprocess
|
||||
import urllib.request
|
||||
from shutil import which
|
||||
from tkinter.messagebox import askyesnocancel
|
||||
from typing import Any, Optional
|
||||
from zipfile import ZipFile
|
||||
from Utils import open_file
|
||||
|
@ -18,11 +17,33 @@ from Utils import is_windows, messagebox, tuplize_version
|
|||
MOD_URL = "https://api.github.com/repos/alwaysintreble/TheMessengerRandomizerModAP/releases/latest"
|
||||
|
||||
|
||||
def ask_yes_no_cancel(title: str, text: str) -> Optional[bool]:
|
||||
"""
|
||||
Wrapper for tkinter.messagebox.askyesnocancel, that creates a popup dialog box with yes, no, and cancel buttons.
|
||||
|
||||
:param title: Title to be displayed at the top of the message box.
|
||||
:param text: Text to be displayed inside the message box.
|
||||
:return: Returns True if yes, False if no, None if cancel.
|
||||
"""
|
||||
from tkinter import Tk, messagebox
|
||||
root = Tk()
|
||||
root.withdraw()
|
||||
ret = messagebox.askyesnocancel(title, text)
|
||||
root.update()
|
||||
return ret
|
||||
|
||||
|
||||
|
||||
def launch_game(*args) -> None:
|
||||
"""Check the game installation, then launch it"""
|
||||
def courier_installed() -> bool:
|
||||
"""Check if Courier is installed"""
|
||||
return os.path.exists(os.path.join(game_folder, "TheMessenger_Data", "Managed", "Assembly-CSharp.Courier.mm.dll"))
|
||||
assembly_path = os.path.join(game_folder, "TheMessenger_Data", "Managed", "Assembly-CSharp.dll")
|
||||
with open(assembly_path, "rb") as assembly:
|
||||
for line in assembly:
|
||||
if b"Courier" in line:
|
||||
return True
|
||||
return False
|
||||
|
||||
def mod_installed() -> bool:
|
||||
"""Check if the mod is installed"""
|
||||
|
@ -57,27 +78,34 @@ def launch_game(*args) -> None:
|
|||
if not is_windows:
|
||||
mono_exe = which("mono")
|
||||
if not mono_exe:
|
||||
# steam deck support but doesn't currently work
|
||||
messagebox("Failure", "Failed to install Courier", True)
|
||||
raise RuntimeError("Failed to install Courier")
|
||||
# # download and use mono kickstart
|
||||
# # this allows steam deck support
|
||||
# mono_kick_url = "https://github.com/flibitijibibo/MonoKickstart/archive/refs/heads/master.zip"
|
||||
# target = os.path.join(folder, "monoKickstart")
|
||||
# os.makedirs(target, exist_ok=True)
|
||||
# with urllib.request.urlopen(mono_kick_url) as download:
|
||||
# with ZipFile(io.BytesIO(download.read()), "r") as zf:
|
||||
# for member in zf.infolist():
|
||||
# zf.extract(member, path=target)
|
||||
# installer = subprocess.Popen([os.path.join(target, "precompiled"),
|
||||
# os.path.join(folder, "MiniInstaller.exe")], shell=False)
|
||||
# os.remove(target)
|
||||
# download and use mono kickstart
|
||||
# this allows steam deck support
|
||||
mono_kick_url = "https://github.com/flibitijibibo/MonoKickstart/archive/716f0a2bd5d75138969090494a76328f39a6dd78.zip"
|
||||
files = []
|
||||
with urllib.request.urlopen(mono_kick_url) as download:
|
||||
with ZipFile(io.BytesIO(download.read()), "r") as zf:
|
||||
for member in zf.infolist():
|
||||
if "precompiled/" not in member.filename or member.filename.endswith("/"):
|
||||
continue
|
||||
member.filename = member.filename.split("/")[-1]
|
||||
if member.filename.endswith("bin.x86_64"):
|
||||
member.filename = "MiniInstaller.bin.x86_64"
|
||||
zf.extract(member, path=game_folder)
|
||||
files.append(member.filename)
|
||||
mono_installer = os.path.join(game_folder, "MiniInstaller.bin.x86_64")
|
||||
os.chmod(mono_installer, 0o755)
|
||||
installer = subprocess.Popen(mono_installer, shell=False)
|
||||
failure = installer.wait()
|
||||
for file in files:
|
||||
os.remove(file)
|
||||
else:
|
||||
installer = subprocess.Popen([mono_exe, os.path.join(game_folder, "MiniInstaller.exe")], shell=False)
|
||||
installer = subprocess.Popen([mono_exe, os.path.join(game_folder, "MiniInstaller.exe")], shell=True)
|
||||
failure = installer.wait()
|
||||
else:
|
||||
installer = subprocess.Popen(os.path.join(game_folder, "MiniInstaller.exe"), shell=False)
|
||||
installer = subprocess.Popen(os.path.join(game_folder, "MiniInstaller.exe"), shell=True)
|
||||
failure = installer.wait()
|
||||
|
||||
failure = installer.wait()
|
||||
print(failure)
|
||||
if failure:
|
||||
messagebox("Failure", "Failed to install Courier", True)
|
||||
os.chdir(working_directory)
|
||||
|
@ -125,18 +153,35 @@ def launch_game(*args) -> None:
|
|||
return "alpha" in latest_version or tuplize_version(latest_version) > tuplize_version(installed_version)
|
||||
|
||||
from . import MessengerWorld
|
||||
game_folder = os.path.dirname(MessengerWorld.settings.game_path)
|
||||
try:
|
||||
game_folder = os.path.dirname(MessengerWorld.settings.game_path)
|
||||
except ValueError as e:
|
||||
logging.error(e)
|
||||
messagebox("Invalid File", "Selected file did not match expected hash. "
|
||||
"Please try again and ensure you select The Messenger.exe.")
|
||||
return
|
||||
working_directory = os.getcwd()
|
||||
# setup ssl context
|
||||
try:
|
||||
import certifi
|
||||
import ssl
|
||||
context = ssl.create_default_context(ssl.Purpose.SERVER_AUTH, cafile=certifi.where())
|
||||
context.set_alpn_protocols(["http/1.1"])
|
||||
https_handler = urllib.request.HTTPSHandler(context=context)
|
||||
opener = urllib.request.build_opener(https_handler)
|
||||
urllib.request.install_opener(opener)
|
||||
except ImportError:
|
||||
pass
|
||||
if not courier_installed():
|
||||
should_install = askyesnocancel("Install Courier",
|
||||
"No Courier installation detected. Would you like to install now?")
|
||||
should_install = ask_yes_no_cancel("Install Courier",
|
||||
"No Courier installation detected. Would you like to install now?")
|
||||
if not should_install:
|
||||
return
|
||||
logging.info("Installing Courier")
|
||||
install_courier()
|
||||
if not mod_installed():
|
||||
should_install = askyesnocancel("Install Mod",
|
||||
"No randomizer mod detected. Would you like to install now?")
|
||||
should_install = ask_yes_no_cancel("Install Mod",
|
||||
"No randomizer mod detected. Would you like to install now?")
|
||||
if not should_install:
|
||||
return
|
||||
logging.info("Installing Mod")
|
||||
|
@ -144,17 +189,24 @@ def launch_game(*args) -> None:
|
|||
else:
|
||||
latest = request_data(MOD_URL)["tag_name"]
|
||||
if available_mod_update(latest):
|
||||
should_update = askyesnocancel("Update Mod",
|
||||
f"New mod version detected. Would you like to update to {latest} now?")
|
||||
should_update = ask_yes_no_cancel("Update Mod",
|
||||
f"New mod version detected. Would you like to update to {latest} now?")
|
||||
if should_update:
|
||||
logging.info("Updating mod")
|
||||
install_mod()
|
||||
elif should_update is None:
|
||||
return
|
||||
|
||||
if not args:
|
||||
should_launch = ask_yes_no_cancel("Launch Game",
|
||||
"Mod installed and up to date. Would you like to launch the game now?")
|
||||
if not should_launch:
|
||||
return
|
||||
|
||||
parser = argparse.ArgumentParser(description="Messenger Client Launcher")
|
||||
parser.add_argument("url", type=str, nargs="?", help="Archipelago Webhost uri to auto connect to.")
|
||||
args = parser.parse_args(args)
|
||||
|
||||
if not is_windows:
|
||||
if args.url:
|
||||
open_file(f"steam://rungameid/764790//{args.url}/")
|
||||
|
|
Loading…
Reference in New Issue