From 9e7391012152e7da9f2420e59d051382f95ec5f9 Mon Sep 17 00:00:00 2001 From: Storm Dragon Date: Sat, 22 Mar 2025 22:28:02 -0400 Subject: [PATCH] Experimental: Add generate script for when a game is launched. It's partially for debugging, and also for players to customize games beyond the scope of the launcher. --- Toby Doom Launcher.py | 1064 +++++++++++++++++++++++++++++++++-------- 1 file changed, 857 insertions(+), 207 deletions(-) diff --git a/Toby Doom Launcher.py b/Toby Doom Launcher.py index 60f39c2..f2b7f5f 100755 --- a/Toby Doom Launcher.py +++ b/Toby Doom Launcher.py @@ -100,7 +100,7 @@ class AccessibleComboBox(QComboBox): def keyPressEvent(self, event): currentIndex = self.currentIndex() itemCount = self.count() - + if event.key() == Qt.Key_PageUp: newIndex = max(0, currentIndex - self.pageStep) self.setCurrentIndex(newIndex) @@ -126,7 +126,7 @@ class AccessibleComboBox(QComboBox): class SpeechHandler: """Handles text-to-speech processing for game output""" - + # Class-level constants for patterns FILTER_PATTERNS = [ r'^----+$', @@ -143,7 +143,7 @@ class SpeechHandler: r'Script warning, "', r'Tried to define' ] - + TEXT_REPLACEMENTS = [ (r'^\[Toby Accessibility Mod\] M_', r'[Toby Accessibility Mod] '), (r'^\[Toby Accessibility Mod\] ', r''), @@ -168,12 +168,12 @@ class SpeechHandler: (r'^\+', r''), (r' ?\*+ ?', r'') ] - + def __init__(self, config_file: Path): """Initialize the speech handler""" self.platform = platform.system() self.use_tts = self._check_narration_type(config_file) - + # Compile all regex patterns once at initialization self.filterPatterns = [re.compile(pattern) for pattern in self.FILTER_PATTERNS] self.textReplacements = [(re.compile(pattern), repl) @@ -188,7 +188,7 @@ class SpeechHandler: try: if not config_file.exists(): return False - + with open(config_file, 'r') as f: for line in f: line = line.strip() @@ -204,7 +204,7 @@ class SpeechHandler: """Speak text using available speech method""" if not text or not self.use_tts: return - + if speechProvider == "speechd": spd.cancel() spd.speak(text) @@ -228,17 +228,17 @@ class SpeechHandler: # Skip empty lines if not line.strip(): return None - + # Check if line should be filtered out for pattern in self.filterPatterns: if pattern.search(line): return None - + # Apply replacements processedLine = line for pattern, repl in self.textReplacements: processedLine = pattern.sub(repl, processedLine) - + return processedLine.strip() if processedLine.strip() else None def speak_thread(self, process: subprocess.Popen): @@ -250,13 +250,13 @@ class SpeechHandler: line = process.stdout.readline() if not isinstance(line, str): line = line.decode('utf-8', errors='replace') - + if not line: break - + # Keep gzdoom's existing functionality of lines being printed to the console print(line, end='', flush=True) - + lineStr = line.strip() if not lineStr: continue @@ -279,17 +279,18 @@ class SpeechHandler: class MenuDialog(QDialog): """Dialog for game configuration options""" - + def __init__(self, title: str, options: Dict[str, dict], parent=None): super().__init__(parent) self.setWindowTitle(title) self.dialogOptions = options + self.generateScript = False # Flag to indicate script generation self.init_dialog_ui() def init_dialog_ui(self): """Initialize the dialog UI components""" dialogLayout = QVBoxLayout(self) - + for key, opt in self.dialogOptions.items(): if opt['type'] == 'radio': dialogWidget = QRadioButton(opt['label']) @@ -312,15 +313,32 @@ class MenuDialog(QDialog): dialogLayout.addWidget(QLabel(opt['label'])) else: continue - + setattr(self, f"{key}_widget", dialogWidget) dialogLayout.addWidget(dialogWidget) - dialogButtons = QDialogButtonBox( - QDialogButtonBox.Ok | QDialogButtonBox.Cancel) - dialogButtons.accepted.connect(self.accept) - dialogButtons.rejected.connect(self.reject) - dialogLayout.addWidget(dialogButtons) + # Custom button box with both Launch and Generate Script options + buttonBox = QDialogButtonBox() + self.launchButton = buttonBox.addButton("Launch Game", QDialogButtonBox.AcceptRole) + self.scriptButton = buttonBox.addButton("Generate Script", QDialogButtonBox.ActionRole) + buttonBox.addButton(QDialogButtonBox.Cancel) + + # Connect buttons + self.launchButton.clicked.connect(self.acceptLaunch) + self.scriptButton.clicked.connect(self.acceptGenerateScript) + buttonBox.rejected.connect(self.reject) + + dialogLayout.addWidget(buttonBox) + + def acceptLaunch(self): + """Accept dialog with launch flag""" + self.generateScript = False + self.accept() + + def acceptGenerateScript(self): + """Accept dialog with script generation flag""" + self.generateScript = True + self.accept() def get_dialog_values(self) -> dict: """Get the current values from all dialog widgets""" @@ -348,12 +366,12 @@ class AudioPlayer: self.playAllMode = False self.tracks = [] self.vlcAvailable = False - + # State monitoring timer self.stateTimer = QTimer() self.stateTimer.setInterval(500) # Check every 500ms self.stateTimer.timeout.connect(self.checkPlayerState) - + try: import vlc self.instance = vlc.Instance() @@ -367,28 +385,28 @@ class AudioPlayer: print(f"VLC not available: {e}", file=sys.stderr) self.instance = None self.player = None - + def checkPlayerState(self): """Monitor VLC player state""" if not self.vlcAvailable or not self.player or not self.isPlaying: return - + try: state = self.player.get_state() - + # Check for end states if state in (self.State_Ended, self.State_Error): print(f"Track ended (state: {state})") self.isPlaying = False self.stateTimer.stop() - + if self.playAllMode and self.currentIndex < len(self.tracks) - 1: self.currentIndex += 1 self.play() - + except Exception as e: print(f"Error checking player state: {e}", file=sys.stderr) - + def loadTracks(self, files): """Load list of tracks to play""" if not self.vlcAvailable: @@ -396,12 +414,12 @@ class AudioPlayer: self.tracks = [str(f) for f in files] self.currentIndex = 0 if self.tracks else -1 print(f"Loaded tracks: {self.tracks}") - + def play(self): """Play current track""" if not self.vlcAvailable: return False - + if self.currentIndex >= 0 and self.currentIndex < len(self.tracks): self.stop() # Stop any current playback first self.currentTrack = self.tracks[self.currentIndex] @@ -422,12 +440,12 @@ class AudioPlayer: self.isPlaying = False return False return False - + def stop(self): """Stop playback""" if not self.vlcAvailable: return - + if self.player and self.isPlaying: try: self.stateTimer.stop() # Stop state monitoring @@ -436,34 +454,34 @@ class AudioPlayer: print("Playback stopped") except Exception as e: print(f"Stop error: {e}", file=sys.stderr) - + def nextTrack(self): """Move to next track""" if not self.vlcAvailable: return False - + if self.currentIndex < len(self.tracks) - 1: self.stop() self.currentIndex += 1 return True return False - + def previousTrack(self): """Move to previous track""" if not self.vlcAvailable: return False - + if self.currentIndex > 0: self.stop() self.currentIndex -= 1 return True return False - + def getCurrentTrackName(self): """Get current track name""" if not self.vlcAvailable: return "" - + if self.currentTrack: return Path(self.currentTrack).stem return "" @@ -475,19 +493,19 @@ class AudioManualDialog(QDialog): super().__init__(parent) self.manualPath = manualPath self.audioPlayer = AudioPlayer() - + # Show warning if VLC not available if not self.audioPlayer.vlcAvailable: QMessageBox.warning(self, "VLC Not Found", "VLC is required for Audio Manual playback. Please install VLC media player. If running from source, also install python-vlc.") self.close() return - + # Create update timer for checking playback state self.stateTimer = QTimer(self) self.stateTimer.timeout.connect(self.checkPlaybackState) self.stateTimer.start(500) # Check every 500ms - + self.initUI() @@ -497,14 +515,14 @@ class AudioManualDialog(QDialog): super().__init__(parent) self.manualPath = manualPath self.audioPlayer = AudioPlayer() - + # Create update timer for checking playback state self.stateTimer = QTimer(self) self.stateTimer.timeout.connect(self.checkPlaybackState) self.stateTimer.start(500) # Check every 500ms - + self.initUI() - + def checkPlaybackState(self): """Periodically check playback state and update UI""" if not self.audioPlayer.isPlaying and self.stopButton.isEnabled(): @@ -536,7 +554,7 @@ class AudioManualDialog(QDialog): self.playButton = QPushButton("Play") self.stopButton = QPushButton("Stop") self.nextButton = QPushButton("Next") - + # Setup focus and keyboard interaction self.manualCombo.setFocusPolicy(Qt.StrongFocus) self.trackCombo.setFocusPolicy(Qt.StrongFocus) @@ -548,19 +566,19 @@ class AudioManualDialog(QDialog): self.playButton.setShortcut("Space") self.stopButton.setShortcut("S") self.nextButton.setShortcut("Right") - + # Set accessible names for buttons self.prevButton.setAccessibleName("Previous Track") self.playButton.setAccessibleName("Play Track") self.stopButton.setAccessibleName("Stop Playback") self.nextButton.setAccessibleName("Next Track") - + # Connect button signals self.prevButton.clicked.connect(self.previousTrack) self.playButton.clicked.connect(self.playAudio) self.stopButton.clicked.connect(self.stopAudio) self.nextButton.clicked.connect(self.nextTrack) - + # Add buttons to layout buttonLayout.addWidget(self.prevButton) buttonLayout.addWidget(self.playButton) @@ -582,7 +600,7 @@ class AudioManualDialog(QDialog): closeButton.setShortcut("Escape") closeButton.clicked.connect(self.close) layout.addWidget(closeButton) - + # Initial setup self.populateTracks() self.updateButtonStates() @@ -613,7 +631,7 @@ class AudioManualDialog(QDialog): """Start audio playback""" if not self.manualCombo.currentText() or not self.trackCombo.currentText(): return - + selectedManual = self.manualPath / self.manualCombo.currentText() selectedTrack = self.trackCombo.currentText() @@ -682,20 +700,20 @@ class AudioManualDialog(QDialog): class IWADSelector: """Handles IWAD file detection and selection""" - + def __init__(self): if platform.system() == "Windows": self.configFile = Path.cwd() / 'TobyConfig.ini' else: self.configFile = Path(os.getenv('XDG_CONFIG_HOME', Path.home() / '.config')) / 'gzdoom/gzdoom.ini' self.wadPaths = self._get_wad_paths() - + def _get_wad_paths(self) -> List[str]: """Extract IWAD search paths from GZDoom config""" if not self.configFile.exists(): print("Config file not found") return [] - + try: # Read the file directly to handle duplicate keys paths = [] @@ -715,10 +733,10 @@ class IWADSelector: elif value == '$HOME': value = str(Path.home()) paths.append(value) - + except Exception as e: print(f"Error reading config: {e}", file=sys.stderr) - + # Additional paths to check if platform.system() == "Windows": paths.append(str(Path.cwd())) @@ -734,23 +752,23 @@ class IWADSelector: path = Path(file_path) if path.suffix.lower() == '.ipk3': return True - + try: with open(file_path, 'rb') as f: header = f.read(4) return header == b'IWAD' except Exception: return False - + def find_iwads(self) -> Dict[str, str]: """Find all available IWADs in configured paths""" uniqueWads = {} - + for path in self.wadPaths: wadDir = Path(path) if not wadDir.is_dir(): continue - + # Only look at files directly in the directory, not subdirectories for wadFile in wadDir.iterdir(): if wadFile.is_file(): @@ -763,7 +781,7 @@ class IWADSelector: if self.is_iwad(str(wadFile)): wadName = wadFile.stem.lower() uniqueWads[wadName] = str(wadFile) - + return uniqueWads @@ -776,7 +794,7 @@ class CustomGameDialog(QDialog): # Create layout layout = QVBoxLayout(self) - + # Game selection combobox label = QLabel("Select Custom Game:") self.gameCombo = AccessibleComboBox() @@ -784,7 +802,7 @@ class CustomGameDialog(QDialog): self.gameCombo.addItems(sorted(customGames.keys())) # Connect enter key to accept self.gameCombo.lineEdit().returnPressed.connect(self.accept) - + layout.addWidget(label) layout.addWidget(self.gameCombo) @@ -810,23 +828,593 @@ class CustomGameDialog(QDialog): class DoomLauncher(QMainWindow): """Main launcher window for Toby Doom""" - + + deathmatchMaps = [ + "Com Station (2-4 players)", + "Warehouse (2-4 players)", + "Sector 3 (2-4 players)", + "Dungeon of Doom (2-4 players)", + "Ocean Fortress (2-4 players)", + "Water Treatment Facility (2-4 players)", + "Phobos Base Site 4 (2-4 players)", + "Hangar Bay 18 (2-4 players)", + "Garden of Demon (2-4 players)", + "Outpost 69 (2-4 players)" + ] + def __init__(self): super().__init__() self.setWindowTitle("Toby Doom Launcher") - + if platform.system() == "Windows": self.configFile = Path.cwd() / 'TobyConfig.ini' self.gamePath = Path.cwd() else: self.gamePath = Path.home() / ".local/games/doom" self.configFile = Path(os.getenv('XDG_CONFIG_HOME', Path.home() / '.config')) / 'gzdoom/gzdoom.ini' - + self.tobyVersion = TOBY_VERSION self.speechHandler = SpeechHandler(self.configFile) self.iwadSelector = IWADSelector() # Add IWAD selector self.init_launcher_ui() + def generate_single_player_script(self): + """Generate script for single player game""" + selectedGame = self.gameCombo.currentText() + if selectedGame == "Custom Game": + self.generate_custom_game_script() + elif selectedGame == "Audio Manual": + QMessageBox.information( + self, + "Not Applicable", + "Scripts cannot be generated for Audio Manual" + ) + else: + gameFiles = self.get_selected_game_files() + if gameFiles: + self.generate_launcher_script(gameFiles) + + def generate_deathmatch_script(self): + """Open deathmatch dialog and generate script from settings""" + # First show map selection + mapOptions = { + 'map': { + 'type': 'combobox', + 'label': 'Select Map', + 'items': self.deathmatchMaps + } + } + + mapDialog = MenuDialog("Select Map", mapOptions, self) + if not mapDialog.exec(): + return + + selectedMap = mapDialog.get_dialog_values()['map'] + mapIndex = mapOptions['map']['items'].index(selectedMap) + 1 # 1-based index + + # Show game options dialog + options = { + 'mode': { + 'type': 'combobox', + 'label': 'Game Mode', + 'items': [ + "Host Game", + "Join Game", + "Bots Only" + ] + }, + 'ip': { + 'type': 'text', + 'placeholder': 'Enter IP address to join (required for joining)' + }, + 'fraglimit': { + 'type': 'spinbox', + 'label': 'Frag Limit', + 'min': 1, + 'max': 500, + 'default': 20 + }, + 'players': { + 'type': 'spinbox', + 'label': 'Number of Players', + 'min': 2, + 'max': 4, + 'default': 2 + }, + 'skill': { + 'type': 'spinbox', + 'label': 'Skill Level', + 'min': 1, + 'max': 5, + 'default': 3 + } + } + + dialog = MenuDialog("Deathmatch Options", options, self) + if dialog.exec(): + values = dialog.get_dialog_values() + gameFiles = self.get_selected_game_files() + + # Add deathmatch map + deathMatchMap = str(self.gamePath / "Addons/MAPS/TobyDeathArena_V1-5.wad") + if Path(deathMatchMap).exists(): + gameFiles.append(deathMatchMap) + + gameFlags = self.get_deathmatch_flags(values) + + # Add map selection flag + gameFlags.extend(["-warp", str(mapIndex)]) + + # Check/set freedm.wad as IWAD + freedmPath = self.find_freedm() + if not freedmPath: + QMessageBox.critical(self, "Error", "Could not find freedm.wad") + return + + # Force freedm.wad selection + for i in range(self.iwadCombo.count()): + if "freedm" in self.iwadCombo.itemText(i).lower(): + self.iwadCombo.setCurrentIndex(i) + break + + self.generate_launcher_script(gameFiles, gameFlags) + + def generate_custom_deathmatch_script(self): + """Generate script for custom deathmatch""" + # First find available PK3s for customization + pk3List = [] + for item in self.gamePath.glob('*.pk3'): + if item.stat().st_size > 10 * 1024 * 1024: # >10MB + pk3List.append(str(item)) + + # Add Army of Darkness if available + aodWad = self.gamePath / "aoddoom1.wad" + if aodWad.exists(): + pk3List.append(str(aodWad)) + + if not pk3List: + QMessageBox.warning(self, "Error", "No custom mods found") + return + + # Create mod selection dialog + modDialog = QDialog(self) + modDialog.setWindowTitle("Select Customization") + dialogLayout = QVBoxLayout(modDialog) + + modLabel = QLabel("Select Mod:") + modCombo = AccessibleComboBox(modDialog) + modCombo.setAccessibleName("Mod Selection") + for pk3 in pk3List: + modCombo.addItem(Path(pk3).stem, userData=pk3) + + dialogLayout.addWidget(modLabel) + dialogLayout.addWidget(modCombo) + + buttons = QDialogButtonBox(QDialogButtonBox.Ok | QDialogButtonBox.Cancel) + buttons.accepted.connect(modDialog.accept) + buttons.rejected.connect(modDialog.reject) + dialogLayout.addWidget(buttons) + + if not modDialog.exec(): + return + + selectedMod = modCombo.currentData() + + # Show map selection dialog (same as regular deathmatch) + mapOptions = { + 'map': { + 'type': 'combobox', + 'label': 'Select Map', + 'items': self.deathmatchMaps + } + } + + mapDialog = MenuDialog("Select Map", mapOptions, self) + if not mapDialog.exec(): + return + + selectedMap = mapDialog.get_dialog_values()['map'] + mapIndex = mapOptions['map']['items'].index(selectedMap) + 1 # 1-based index + + # Show game options dialog + options = { + 'mode': { + 'type': 'combobox', + 'label': 'Game Mode', + 'items': [ + "Host Game", + "Join Game", + "Bots Only" + ] + }, + 'ip': { + 'type': 'text', + 'placeholder': 'Enter IP address to join (required for joining)' + }, + 'fraglimit': { + 'type': 'spinbox', + 'label': 'Frag Limit', + 'min': 1, + 'max': 500, + 'default': 20 + }, + 'players': { + 'type': 'spinbox', + 'label': 'Number of Players', + 'min': 2, + 'max': 4, + 'default': 2 + }, + 'skill': { + 'type': 'spinbox', + 'label': 'Skill Level', + 'min': 1, + 'max': 5, + 'default': 3 + } + } + + dialog = MenuDialog("Deathmatch Options", options, self) + if dialog.exec(): + values = dialog.get_dialog_values() + + # Set up game files + gameFiles = [ + str(self.gamePath / f"TobyAccMod_V{self.tobyVersion}.pk3") + ] + + # Add menu addons + menuPath = self.gamePath / "Addons/MENU" + if menuPath.exists(): + gameFiles.extend(str(p) for p in menuPath.glob("Toby*.pk3")) + + # Add selected mod + gameFiles.append(selectedMod) + + # Add deathmatch map + deathMatchMap = str(self.gamePath / "Addons/MAPS/TobyDeathArena_V1-5.wad") + if Path(deathMatchMap).exists(): + gameFiles.append(deathMatchMap) + + # Get deathmatch flags and add map selection + gameFlags = self.get_deathmatch_flags(values) + gameFlags.extend(["-warp", str(mapIndex)]) + + # Check/set freedm.wad as IWAD + freedmPath = self.find_freedm() + if not freedmPath: + QMessageBox.critical(self, "Error", "Could not find freedm.wad") + return + + # Force freedm.wad selection + for i in range(self.iwadCombo.count()): + if "freedm" in self.iwadCombo.itemText(i).lower(): + self.iwadCombo.setCurrentIndex(i) + break + + self.generate_launcher_script(gameFiles, gameFlags) + + def generate_coop_script(self): + """Generate script for co-op mode""" + options = { + 'host': { + 'type': 'radio', + 'label': 'Host Game' + }, + 'ip': { + 'type': 'text', + 'placeholder': 'Enter IP address to join' + }, + 'players': { + 'type': 'spinbox', + 'label': 'Number of Players', + 'min': 2, + 'max': 10, + 'default': 2 + }, + 'skill': { + 'type': 'spinbox', + 'label': 'Skill Level', + 'min': 1, + 'max': 5, + 'default': 3 + } + } + + dialog = MenuDialog("Co-op Options", options, self) + if dialog.exec(): + values = dialog.get_dialog_values() + gameFiles = self.get_selected_game_files() + # Add keyshare for co-op + keyshareFile = str(self.gamePath / "keyshare-universal.pk3") + if Path(keyshareFile).exists(): + gameFiles.append(keyshareFile) + gameFlags = self.get_coop_flags(values) + self.generate_launcher_script(gameFiles, gameFlags) + + def generate_custom_game_script(self): + """Generate script for custom game""" + customGames = self.load_custom_games() + if not customGames: + QMessageBox.warning( + self, + "No Custom Games", + "No custom game configurations found in TobyCustom directory." + ) + return + + dialog = CustomGameDialog(customGames, self) + if not dialog.exec(): + return + + selectedGame = dialog.get_selected_game() + if selectedGame and selectedGame in customGames: + config = customGames[selectedGame] + + # Check dependencies before launching + if not self.check_dependencies(config.get('dependencies', [])): + return + + gameFiles = [] # We'll build this up as we go + + # Always start with TobyAccMod + tobyMod = self.gamePath / f"TobyAccMod_V{self.tobyVersion}.pk3" + if not tobyMod.exists(): + QMessageBox.critical(self, "Error", f"Could not find {tobyMod}") + return + gameFiles.append(str(tobyMod)) + + # Handle map selection right after TobyAccMod if specified + if config.get('use_map_menu', False) and 'submenu' not in config: + mapFiles = ["None"] # Start with None option + mapsDir = self.gamePath / "Addons/MAPS" + if mapsDir.exists(): + mapFiles.extend([p.name for p in mapsDir.glob("*.wad") + if p.name != "TobyDeathArena_V1-5.wad"]) + + # Add Operation MDK as special case + opMDK = self.gamePath / "OpMDK.wad" + if opMDK.exists(): + mapFiles.append("OpMDK.wad") + + mapDialog = QDialog(self) + mapDialog.setWindowTitle("Select Map") + dialogLayout = QVBoxLayout(mapDialog) + + mapLabel = QLabel("Select Map:") + mapCombo = AccessibleComboBox(mapDialog) + mapCombo.setAccessibleName("Map Selection") + mapCombo.addItems(mapFiles) + + dialogLayout.addWidget(mapLabel) + dialogLayout.addWidget(mapCombo) + + buttons = QDialogButtonBox(QDialogButtonBox.Ok | QDialogButtonBox.Cancel) + buttons.accepted.connect(mapDialog.accept) + buttons.rejected.connect(mapDialog.reject) + dialogLayout.addWidget(buttons) + + if not mapDialog.exec(): + return + + selectedMap = mapCombo.currentText() + if selectedMap != "None": + if selectedMap == "OpMDK.wad": + mapPath = str(self.gamePath / selectedMap) + else: + mapPath = str(self.gamePath / "Addons/MAPS" / selectedMap) + if Path(mapPath).exists(): + gameFiles.append(mapPath) + + if selectedMap == "TobyDoomLevels.wad": + musicRenamer = self.gamePath / "Toby-Doom-Level-Music-Renamer.pk3" + if musicRenamer.exists(): + gameFiles.append(str(musicRenamer)) + + # Handle submenu if present + if 'submenu' in config: + selectedFile = self.show_submenu_dialog(config['submenu']) + if not selectedFile: + return + gameFiles.append(selectedFile) + + # Add remaining files + tobyBaseVersion = self.tobyVersion.split('-')[0] + for filePath in config.get('files', []): + filePath = filePath.format(toby_base_version=tobyBaseVersion) + # Handle glob patterns + if '*' in filePath: + pathObj = self.gamePath / filePath.split('*')[0] + pattern = filePath.split('/')[-1] + if pathObj.parent.exists(): + matches = list(pathObj.parent.glob(pattern)) + gameFiles.extend(str(p) for p in matches) + else: + fullPath = self.gamePath / filePath + if fullPath.exists(): + gameFiles.append(str(fullPath)) + + # Add optional files last + for optFile in config.get('optional_files', []): + optPath = self.gamePath / optFile + if optPath.exists(): + gameFiles.append(str(optPath)) + + # Get any custom flags + gameFlags = config.get('flags', []) + + # Generate the script if we have files + if gameFiles: + iwadIndex = self.iwadCombo.currentIndex() + if iwadIndex < 0: + QMessageBox.critical(self, "Error", "Please select an IWAD first") + return + + self.generate_launcher_script(gameFiles, gameFlags) + + def generate_launcher_script(self, gameFiles, gameFlags=None): + """Generate a batch or bash script for launching the game""" + if not gameFiles: + return + + gzdoomPath = self.find_gzdoom() + if not gzdoomPath: + QMessageBox.critical(self, "Error", "GZDoom executable not found") + return + + # Get selected IWAD + iwadIndex = self.iwadCombo.currentIndex() + if iwadIndex < 0: + QMessageBox.critical(self, "Error", "Please select an IWAD first") + return + + iwadPath = self.iwadCombo.itemData(iwadIndex) + iwadName = self.iwadCombo.currentText().lower() + + # Get selected game type + selectedGame = self.gameCombo.currentText().replace(" ", "_").lower() + + # Initialize gameFlags if None + if gameFlags is None: + gameFlags = [] + + # Get additional flags from doom_flags.txt + additionalFlags = self.get_flags_from_file() + if additionalFlags: + gameFlags.extend(additionalFlags) + + # Determine file format based on OS + extension = ".bat" if platform.system() == "Windows" else ".sh" + baseFileName = f"{iwadName}_{selectedGame}{extension}" + + # Handle special case for custom games or different dialogs + if selectedGame == "custom_game": + baseFileName = f"{iwadName}_custom_game{extension}" + elif "-deathmatch" in gameFlags or any("deathmatch" in flag.lower() for flag in gameFlags): + baseFileName = f"{iwadName}_deathmatch{extension}" + elif "-join" in gameFlags or "-host" in gameFlags: + baseFileName = f"{iwadName}_coop{extension}" + + # Clean up the filename (remove any unsafe characters) + baseFileName = re.sub(r'[^\w\-\.]', '_', baseFileName) + + if platform.system() == "Windows": + # Windows: save in current directory + baseDir = Path.cwd() + + # Build Windows batch file content + content = ["@echo off"] + + # Use gzdoom.exe with line continuation character + content.append("gzdoom.exe ^") + content.append(" -stdout ^") + + # Add config file + configFile = Path.cwd() / 'TobyConfig.ini' + if configFile.exists(): + content.append(f" -config TobyConfig.ini ^") + + # Add narration type + narrationType = self.get_narration_type() + content.append(f" +Toby_NarrationOutputType {narrationType} ^") + + # Add IWAD + content.append(f" -iwad \"{iwadPath}\" ^") + + # Add game files + for file in gameFiles: + # Use relative paths with ./ prefix for better readability if possible + if str(file).startswith(str(self.gamePath)): + relPath = Path(file).relative_to(self.gamePath) + content.append(f" -file \"./{relPath}\" ^") + else: + content.append(f" -file \"{file}\" ^") + + # Add game flags + for flag in gameFlags: + content.append(f" {flag} ^") + + # Remove the trailing ^ from the last line + if content[-1].endswith(" ^"): + content[-1] = content[-1][:-2] + + # Add TTS powershell script + content.append(" | powershell -ExecutionPolicy Bypass -File DoomTTS.ps1") + + else: + # Linux/Mac: save in ~/.local/games/doom + baseDir = Path.home() / ".local/games/doom" + baseDir.mkdir(parents=True, exist_ok=True) # Create directory if it doesn't exist + + # Build bash script content + content = ["#!/usr/bin/env bash"] + + # Use 'exec' with stdbuf, but with line continuations + content.append("exec stdbuf -oL /usr/bin/gzdoom \\") + + # Add IWAD + content.append(f" -iwad \"{iwadPath}\" \\") + + # Add -file flag before listing the files + content.append(" -file \\") + + # Add each game file on its own line + for i, file in enumerate(gameFiles): + if i < len(gameFiles) - 1: + content.append(f" \"{file}\" \\") + else: + # Last file doesn't need continuation + content.append(f" \"{file}\"") + + # Add game flags if present + if gameFlags: + content.append(" \\") # Add continuation + for i, flag in enumerate(gameFlags): + if i < len(gameFlags) - 1: + content.append(f" {flag} \\") + else: + # Last flag doesn't need continuation + content.append(f" {flag}") + + # This waits for a line of dashes, then starts piping to speech-dispatcher + content[-1] = content[-1] + " |" + content.append("grep --line-buffered -A 1000000 '^-\\+-*$' |") + content.append("grep --line-buffered -v -e '^Unknown' -e '^fluidsynth:'|") + content.append("sed -u -e 's/^\\[Toby Accessibility Mod\\] //' -e 's/^M_//' -e 's/\\([a-z]\\)\\([A-Z]\\)/\\1 \\2/g' -e 's/\\([A-Za-z]\\+\\)menu\\>/\\1 menu/g' -e 's/^\\([A-Z][A-Z]*\\)G$/\\L\\1\\E game/g' |") + content.append("spd-say --wait -e") + + # Generate a unique filename + fileName = baseFileName + filePath = baseDir / fileName + counter = 1 + + # Check if file exists and generate new name if needed + while filePath.exists(): + nameBase, extension = baseFileName.rsplit('.', 1) + fileName = f"{nameBase}_{counter}.{extension}" + filePath = baseDir / fileName + counter += 1 + + try: + with open(filePath, 'w') as f: + f.write('\n'.join(content)) + + # Make the file executable on Linux/Mac + if platform.system() != "Windows": + os.chmod(filePath, 0o755) + + QMessageBox.information( + self, + "Success", + f"Launcher script saved to {filePath}" + ) + except Exception as e: + QMessageBox.critical( + self, + "Error", + f"Failed to save launcher script: {e}" + ) + def keyPressEvent(self, event): """Handle key press events""" if event.key() == Qt.Key_Escape: @@ -850,7 +1438,7 @@ class DoomLauncher(QMainWindow): centralWidget = QWidget() self.setCentralWidget(centralWidget) mainLayout = QVBoxLayout(centralWidget) - + # IWAD Selection iwadLabel = QLabel("Select IWAD:") self.iwadCombo = AccessibleComboBox(self) @@ -858,7 +1446,7 @@ class DoomLauncher(QMainWindow): self.populate_iwad_list() mainLayout.addWidget(iwadLabel) mainLayout.addWidget(self.iwadCombo) - + # Game Selection self.gameCombo = AccessibleComboBox(self) self.gameCombo.setAccessibleName("Game Selection") @@ -866,7 +1454,7 @@ class DoomLauncher(QMainWindow): self.gameCombo.lineEdit().returnPressed.connect(self.launch_single_player) mainLayout.addWidget(QLabel("Select Game:")) mainLayout.addWidget(self.gameCombo) - + # Narration style selection self.narrationCombo = AccessibleComboBox(self) self.narrationCombo.setAccessibleName("Narration Style") @@ -877,42 +1465,73 @@ class DoomLauncher(QMainWindow): "Self-voiced" if current == 0 else "Text to Speech" ) self.narrationCombo.currentTextChanged.connect(self.narration_type_changed) - + mainLayout.addWidget(QLabel("Narration Style:")) mainLayout.addWidget(self.narrationCombo) - # Create buttons + # Create button layouts with pairs of launch and generate buttons + # Single Player + singlePlayerLayout = QHBoxLayout() self.singlePlayerBtn = QPushButton("&Single Player") - self.deathMatchBtn = QPushButton("&Deathmatch") - self.customDeathMatchBtn = QPushButton("C&ustom Deathmatch") # Alt+U - self.coopBtn = QPushButton("&Co-op") - self.audioManualBtn = QPushButton("&Audio Manual") # Alt+A - + self.singlePlayerGenBtn = QPushButton("Generate Single Player Script") self.singlePlayerBtn.clicked.connect(self.launch_single_player) - self.deathMatchBtn.clicked.connect(self.show_deathmatch_dialog) - self.customDeathMatchBtn.clicked.connect(self.show_custom_deathmatch_dialog) # New line - self.coopBtn.clicked.connect(self.show_coop_dialog) - self.audioManualBtn.clicked.connect(self.show_audio_manual) + self.singlePlayerGenBtn.clicked.connect(self.generate_single_player_script) + singlePlayerLayout.addWidget(self.singlePlayerBtn) + singlePlayerLayout.addWidget(self.singlePlayerGenBtn) + mainLayout.addLayout(singlePlayerLayout) + # Deathmatch + deathMatchLayout = QHBoxLayout() + self.deathMatchBtn = QPushButton("&Deathmatch") + self.deathMatchGenBtn = QPushButton("Generate Deathmatch Script") + self.deathMatchBtn.clicked.connect(self.show_deathmatch_dialog) + self.deathMatchGenBtn.clicked.connect(self.generate_deathmatch_script) + deathMatchLayout.addWidget(self.deathMatchBtn) + deathMatchLayout.addWidget(self.deathMatchGenBtn) + mainLayout.addLayout(deathMatchLayout) + + # Custom Deathmatch + customDeathMatchLayout = QHBoxLayout() + self.customDeathMatchBtn = QPushButton("C&ustom Deathmatch") # Alt+U + self.customDeathMatchGenBtn = QPushButton("Generate Custom Deathmatch Script") + self.customDeathMatchBtn.clicked.connect(self.show_custom_deathmatch_dialog) + self.customDeathMatchGenBtn.clicked.connect(self.generate_custom_deathmatch_script) + customDeathMatchLayout.addWidget(self.customDeathMatchBtn) + customDeathMatchLayout.addWidget(self.customDeathMatchGenBtn) + mainLayout.addLayout(customDeathMatchLayout) + + # Co-op + coopLayout = QHBoxLayout() + self.coopBtn = QPushButton("&Co-op") + self.coopGenBtn = QPushButton("Generate Co-op Script") + self.coopBtn.clicked.connect(self.show_coop_dialog) + self.coopGenBtn.clicked.connect(self.generate_coop_script) + coopLayout.addWidget(self.coopBtn) + coopLayout.addWidget(self.coopGenBtn) + mainLayout.addLayout(coopLayout) + + # Audio Manual (no script generation for this) + self.audioManualBtn = QPushButton("&Audio Manual") # Alt+A + self.audioManualBtn.clicked.connect(self.show_audio_manual) + mainLayout.addWidget(self.audioManualBtn) + + # Set key press event handlers self.singlePlayerBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.singlePlayerBtn) self.deathMatchBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.deathMatchBtn) - self.customDeathMatchBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.customDeathMatchBtn) # New line + self.customDeathMatchBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.customDeathMatchBtn) self.coopBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.coopBtn) self.audioManualBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.audioManualBtn) - - mainLayout.addWidget(self.singlePlayerBtn) - mainLayout.addWidget(self.deathMatchBtn) - mainLayout.addWidget(self.customDeathMatchBtn) - mainLayout.addWidget(self.coopBtn) - mainLayout.addWidget(self.audioManualBtn) - + self.singlePlayerGenBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.singlePlayerGenBtn) + self.deathMatchGenBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.deathMatchGenBtn) + self.customDeathMatchGenBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.customDeathMatchGenBtn) + self.coopGenBtn.keyPressEvent = lambda e: self.handle_button_keypress(e, self.coopGenBtn) def get_narration_type(self) -> int: """Get the current narration type from config file""" try: if not self.configFile.exists(): return 0 # Default if file doesn't exist - + with open(self.configFile, 'r') as f: for line in f: line = line.strip() @@ -926,10 +1545,10 @@ class DoomLauncher(QMainWindow): def set_narration_type(self, value: int) -> bool: """Set the narration type in config file - + Args: value (int): Narration type (0 for self-voiced, 2 for TTS) - + Returns: bool: True if successful, False otherwise """ @@ -1021,11 +1640,11 @@ class DoomLauncher(QMainWindow): Path("/usr/share/games/doom/freedm.wad"), Path("/usr/share/doom/freedm.wad") ] - + for loc in locations: if loc.exists(): return str(loc) - + return None def find_gzdoom(self) -> Optional[str]: @@ -1033,7 +1652,7 @@ class DoomLauncher(QMainWindow): if platform.system() == "Windows": gzdoomPath = Path.cwd() / "gzdoom.exe" return str(gzdoomPath) if gzdoomPath.exists() else None - + return shutil.which("gzdoom") def get_addon_files(self, game_type: str = "DOOM") -> List[str]: @@ -1106,64 +1725,53 @@ class DoomLauncher(QMainWindow): for item in self.gamePath.glob('*.pk3'): if item.stat().st_size > 10 * 1024 * 1024: # >10MB pk3List.append(str(item)) - + # Add Army of Darkness if available aodWad = self.gamePath / "aoddoom1.wad" if aodWad.exists(): pk3List.append(str(aodWad)) - + if not pk3List: QMessageBox.warning(self, "Error", "No custom mods found") return - + # Create mod selection dialog modDialog = QDialog(self) modDialog.setWindowTitle("Select Customization") dialogLayout = QVBoxLayout(modDialog) - + modLabel = QLabel("Select Mod:") modCombo = AccessibleComboBox(modDialog) modCombo.setAccessibleName("Mod Selection") for pk3 in pk3List: modCombo.addItem(Path(pk3).stem, userData=pk3) - + dialogLayout.addWidget(modLabel) dialogLayout.addWidget(modCombo) - + buttons = QDialogButtonBox(QDialogButtonBox.Ok | QDialogButtonBox.Cancel) buttons.accepted.connect(modDialog.accept) buttons.rejected.connect(modDialog.reject) dialogLayout.addWidget(buttons) - + if not modDialog.exec(): return - + selectedMod = modCombo.currentData() - + # Show map selection dialog (same as regular deathmatch) mapOptions = { 'map': { 'type': 'combobox', 'label': 'Select Map', - 'items': [ - "Com Station (2-4 players)", - "Warehouse (2-4 players)", - "Sector 3 (2-4 players)", - "Dungeon of Doom (2-4 players)", - "Ocean Fortress (2-4 players)", - "Water Treatment Facility (2-4 players)", - "Phobos Base Site 4 (2-4 players)", - "Hangar Bay 18 (2-4 players)", - "Garden of Demon (2-4 players)", - "Outpost 69 (2-4 players)" - ] + 'items': self.deathmatchMaps } } mapDialog = MenuDialog("Select Map", mapOptions, self) if not mapDialog.exec(): return - + selectedMap = mapDialog.get_dialog_values()['map'] mapIndex = mapOptions['map']['items'].index(selectedMap) + 1 # 1-based index @@ -1204,47 +1812,50 @@ class DoomLauncher(QMainWindow): 'default': 3 } } - + dialog = MenuDialog("Deathmatch Options", options, self) if dialog.exec(): values = dialog.get_dialog_values() - + # Set up game files gameFiles = [ str(self.gamePath / f"TobyAccMod_V{self.tobyVersion}.pk3") ] - + # Add menu addons menuPath = self.gamePath / "Addons/MENU" if menuPath.exists(): gameFiles.extend(str(p) for p in menuPath.glob("Toby*.pk3")) - + # Add selected mod gameFiles.append(selectedMod) - + # Add deathmatch map deathMatchMap = str(self.gamePath / "Addons/MAPS/TobyDeathArena_V1-5.wad") if Path(deathMatchMap).exists(): gameFiles.append(deathMatchMap) - + # Get deathmatch flags and add map selection gameFlags = self.get_deathmatch_flags(values) gameFlags.extend(["-warp", str(mapIndex)]) - + # Check/set freedm.wad as IWAD freedmPath = self.find_freedm() if not freedmPath: QMessageBox.critical(self, "Error", "Could not find freedm.wad") return - + # Force freedm.wad selection for i in range(self.iwadCombo.count()): if "freedm" in self.iwadCombo.itemText(i).lower(): self.iwadCombo.setCurrentIndex(i) break - # Launch the game - self.launch_game(gameFiles, gameFlags) + # Check if we should generate a script or launch the game + if dialog.generateScript: + self.generate_launcher_script(gameFiles, gameFlags) + else: + self.launch_game(gameFiles, gameFlags) def load_custom_games(self) -> Dict[str, dict]: """Load all custom game configurations""" @@ -1257,7 +1868,7 @@ class DoomLauncher(QMainWindow): self.gamePath / "TobyCustom", Path(os.path.expanduser("~/.local/share/doom/TobyCustom")) ] - + # Use first existing path or fall back to original customDir = next( (path for path in pathList if path.exists()), @@ -1274,7 +1885,7 @@ class DoomLauncher(QMainWindow): customGames[game_config['name']] = game_config except Exception as e: print(f"Error loading custom game {json_file}: {e}") - + return customGames def check_dependencies(self, dependencies: List[dict]) -> bool: @@ -1288,19 +1899,19 @@ class DoomLauncher(QMainWindow): "The URL will now open in your browser.\n" ] message.extend(f"{msg}\n" for msg in dep.get('messages', [])) - + QMessageBox.critical( self, "Missing Dependency", "".join(message) ) - + # Open the URL in browser try: webbrowser.open(dep['url']) except Exception: pass - + return False return True @@ -1318,24 +1929,27 @@ class DoomLauncher(QMainWindow): dialog = CustomGameDialog(customGames, self) if not dialog.exec(): return - + selectedGame = dialog.get_selected_game() if selectedGame and selectedGame in customGames: config = customGames[selectedGame] - + # Check dependencies before launching if not self.check_dependencies(config.get('dependencies', [])): return - + gameFiles = [] # We'll build this up as we go - + # Always start with TobyAccMod tobyMod = self.gamePath / f"TobyAccMod_V{self.tobyVersion}.pk3" if not tobyMod.exists(): QMessageBox.critical(self, "Error", f"Could not find {tobyMod}") return gameFiles.append(str(tobyMod)) - + + # Add script generation option to map selection dialog + generateScript = False + # Handle map selection right after TobyAccMod if specified if config.get('use_map_menu', False) and 'submenu' not in config: mapFiles = ["None"] # Start with None option @@ -1343,32 +1957,46 @@ class DoomLauncher(QMainWindow): if mapsDir.exists(): mapFiles.extend([p.name for p in mapsDir.glob("*.wad") if p.name != "TobyDeathArena_V1-5.wad"]) - + # Add Operation MDK as special case opMDK = self.gamePath / "OpMDK.wad" if opMDK.exists(): mapFiles.append("OpMDK.wad") - + mapDialog = QDialog(self) mapDialog.setWindowTitle("Select Map") dialogLayout = QVBoxLayout(mapDialog) - + mapLabel = QLabel("Select Map:") mapCombo = AccessibleComboBox(mapDialog) mapCombo.setAccessibleName("Map Selection") mapCombo.addItems(mapFiles) - + dialogLayout.addWidget(mapLabel) dialogLayout.addWidget(mapCombo) - - buttons = QDialogButtonBox(QDialogButtonBox.Ok | QDialogButtonBox.Cancel) - buttons.accepted.connect(mapDialog.accept) - buttons.rejected.connect(mapDialog.reject) - dialogLayout.addWidget(buttons) - + + # Create custom button box with Launch and Generate Script options + buttonBox = QDialogButtonBox() + launchButton = buttonBox.addButton("Launch Game", QDialogButtonBox.AcceptRole) + scriptButton = buttonBox.addButton("Generate Script", QDialogButtonBox.ActionRole) + buttonBox.addButton(QDialogButtonBox.Cancel) + + # Connect buttons + launchButton.clicked.connect(mapDialog.accept) + scriptButton.clicked.connect(lambda: setattr(mapDialog, "generateScript", True) or mapDialog.accept()) + buttonBox.rejected.connect(mapDialog.reject) + + dialogLayout.addWidget(buttonBox) + + # Initialize generateScript flag + mapDialog.generateScript = False + if not mapDialog.exec(): return - + + # Capture the generateScript flag + generateScript = getattr(mapDialog, "generateScript", False) + selectedMap = mapCombo.currentText() if selectedMap != "None": if selectedMap == "OpMDK.wad": @@ -1377,7 +2005,7 @@ class DoomLauncher(QMainWindow): mapPath = str(self.gamePath / "Addons/MAPS" / selectedMap) if Path(mapPath).exists(): gameFiles.append(mapPath) - + if selectedMap == "TobyDoomLevels.wad": musicRenamer = self.gamePath / "Toby-Doom-Level-Music-Renamer.pk3" if musicRenamer.exists(): @@ -1385,11 +2013,13 @@ class DoomLauncher(QMainWindow): # Handle submenu if present if 'submenu' in config: - selectedFile = self.show_submenu_dialog(config['submenu']) - if not selectedFile: + submenuResult = self.show_submenu_dialog_with_script_option(config['submenu']) + if not submenuResult: return + selectedFile, submenuGenerateScript = submenuResult gameFiles.append(selectedFile) - + generateScript = submenuGenerateScript + # Add remaining files tobyBaseVersion = self.tobyVersion.split('-')[0] for filePath in config.get('files', []): @@ -1405,51 +2035,73 @@ class DoomLauncher(QMainWindow): fullPath = self.gamePath / filePath if fullPath.exists(): gameFiles.append(str(fullPath)) - + # Add optional files last for optFile in config.get('optional_files', []): optPath = self.gamePath / optFile if optPath.exists(): gameFiles.append(str(optPath)) - + # Get any custom flags gameFlags = config.get('flags', []) - + # Launch the game if we have files if gameFiles: iwadIndex = self.iwadCombo.currentIndex() if iwadIndex < 0: QMessageBox.critical(self, "Error", "Please select an IWAD first") return - - self.launch_game(gameFiles, gameFlags) + + # Either generate a script or launch the game based on user choice + if generateScript: + self.generate_launcher_script(gameFiles, gameFlags) + else: + self.launch_game(gameFiles, gameFlags) def show_submenu_dialog(self, submenu_config) -> Optional[str]: """Show dialog for selecting submenu option""" + # For backward compatibility - calls new method + result = self.show_submenu_dialog_with_script_option(submenu_config) + if result: + return result[0] # Return just the file path + return None + + def show_submenu_dialog_with_script_option(self, submenu_config) -> Optional[Tuple[str, bool]]: + """Show dialog for selecting submenu option with script generation option""" dialog = QDialog(self) dialog.setWindowTitle(submenu_config['title']) dialogLayout = QVBoxLayout(dialog) - + # Game selection combobox label = QLabel("Select Version:") gameCombo = AccessibleComboBox(dialog) gameCombo.setAccessibleName("Game Version Selection") - + # Add options and store full file paths as user data for option in submenu_config['options']: gameCombo.addItem(option['name'], userData=str(self.gamePath / option['file'])) - + dialogLayout.addWidget(label) dialogLayout.addWidget(gameCombo) - - # Dialog buttons - buttons = QDialogButtonBox(QDialogButtonBox.Ok | QDialogButtonBox.Cancel) - buttons.accepted.connect(dialog.accept) - buttons.rejected.connect(dialog.reject) - dialogLayout.addWidget(buttons) - + + # Create custom button box with Launch and Generate Script options + buttonBox = QDialogButtonBox() + launchButton = buttonBox.addButton("Launch Game", QDialogButtonBox.AcceptRole) + scriptButton = buttonBox.addButton("Generate Script", QDialogButtonBox.ActionRole) + buttonBox.addButton(QDialogButtonBox.Cancel) + + # Connect buttons + launchButton.clicked.connect(dialog.accept) + scriptButton.clicked.connect(lambda: setattr(dialog, "generateScript", True) or dialog.accept()) + buttonBox.rejected.connect(dialog.reject) + + dialogLayout.addWidget(buttonBox) + + # Initialize generateScript flag + dialog.generateScript = False + if dialog.exec(): - return gameCombo.currentData() + return gameCombo.currentData(), getattr(dialog, "generateScript", False) return None def launch_single_player(self): @@ -1467,7 +2119,7 @@ class DoomLauncher(QMainWindow): if iwadIndex < 0: QMessageBox.critical(self, "Error", "Please select an IWAD first") return - + iwadPath = self.iwadCombo.itemData(iwadIndex) cmdLine = [self.find_gzdoom(), "-iwad", iwadPath] + gameFiles if cmdLine[0]: # If gzdoom was found @@ -1482,7 +2134,7 @@ class DoomLauncher(QMainWindow): dialog = AudioManualDialog(manualPath, self) dialog.exec() - + def show_deathmatch_dialog(self): """Show deathmatch configuration dialog""" # First show map selection @@ -1490,25 +2142,14 @@ class DoomLauncher(QMainWindow): 'map': { 'type': 'combobox', 'label': 'Select Map', - 'items': [ - "Com Station (2-4 players)", - "Warehouse (2-4 players)", - "Sector 3 (2-4 players)", - "Dungeon of Doom (2-4 players)", - "Ocean Fortress (2-4 players)", - "Water Treatment Facility (2-4 players)", - "Phobos Base Site 4 (2-4 players)", - "Hangar Bay 18 (2-4 players)", - "Garden of Demon (2-4 players)", - "Outpost 69 (2-4 players)" - ] + 'items': self.deathmatchMaps } } - + mapDialog = MenuDialog("Select Map", mapOptions, self) if not mapDialog.exec(): return - + selectedMap = mapDialog.get_dialog_values()['map'] mapIndex = mapOptions['map']['items'].index(selectedMap) + 1 # 1-based index @@ -1548,8 +2189,8 @@ class DoomLauncher(QMainWindow): 'max': 5, 'default': 3 } -} - + } + dialog = MenuDialog("Deathmatch Options", options, self) if dialog.exec(): values = dialog.get_dialog_values() @@ -1567,14 +2208,18 @@ class DoomLauncher(QMainWindow): if not freedmPath: QMessageBox.critical(self, "Error", "Could not find freedm.wad") return - + # Force freedm.wad selection for i in range(self.iwadCombo.count()): if "freedm" in self.iwadCombo.itemText(i).lower(): self.iwadCombo.setCurrentIndex(i) break - self.launch_game(gameFiles, gameFlags) + # Check if we should generate a script or launch the game + if dialog.generateScript: + self.generate_launcher_script(gameFiles, gameFlags) + else: + self.launch_game(gameFiles, gameFlags) def show_coop_dialog(self): """Show co-op configuration dialog""" @@ -1602,7 +2247,7 @@ class DoomLauncher(QMainWindow): 'default': 3 } } - + dialog = MenuDialog("Co-op Options", options, self) if dialog.exec(): values = dialog.get_dialog_values() @@ -1612,18 +2257,23 @@ class DoomLauncher(QMainWindow): if Path(keyshareFile).exists(): gameFiles.append(keyshareFile) gameFlags = self.get_coop_flags(values) - self.launch_game(gameFiles, gameFlags) + + # Check if we should generate a script or launch the game + if dialog.generateScript: + self.generate_launcher_script(gameFiles, gameFlags) + else: + self.launch_game(gameFiles, gameFlags) def get_deathmatch_flags(self, values: dict) -> List[str]: """Get command line flags for deathmatch mode""" mode = values['mode'] - + if mode == "Join Game": if not values['ip'].strip(): QMessageBox.warning(self, "Error", "IP address required for joining") return [] return ["-join", values['ip']] - + # Handle both Host Game and Bots Only if mode == "Bots Only": values['players'] = 1 @@ -1635,7 +2285,7 @@ class DoomLauncher(QMainWindow): "Repeat addbot for as many bots as you want.\n" "Press ` again to close the console." ) - + return [ "-host", str(values['players']), "-skill", str(values['skill']), @@ -1660,7 +2310,7 @@ class DoomLauncher(QMainWindow): QMessageBox.warning(self, "Error", "IP address required for joining") return [] return ["-join", values['ip']] - + return [ "-host", str(values['players']), "-skill", str(values['skill']), @@ -1681,7 +2331,7 @@ class DoomLauncher(QMainWindow): def get_flags_from_file(self) -> List[str]: """Read additional launch flags from doom_flags.txt""" flags = [] - + # Check multiple possible locations for the flags file flag_file_locations = [ Path.cwd() / "doom_flags.txt", # Current directory @@ -1690,7 +2340,7 @@ class DoomLauncher(QMainWindow): Path.home() / ".local/doom/doom_flags.txt", # ~/.local/doom directory Path.home() / ".local/share/doom/doom_flags.txt" # ~/.local/share/doom directory ] - + for flag_file in flag_file_locations: if flag_file.exists(): try: @@ -1702,19 +2352,19 @@ class DoomLauncher(QMainWindow): # Split each line by whitespace to get individual flags for line in lines: flags.extend(line.split()) - + print(f"Loaded {len(flags)} flags from {flag_file}") break # Use the first file found except Exception as e: print(f"Error reading flags file {flag_file}: {e}", file=sys.stderr) - + return flags def launch_game(self, gameFiles: List[str], gameFlags: List[str] = None): """Launch game with speech processing""" if not gameFiles: return - + gzdoomPath = self.find_gzdoom() if not gzdoomPath: QMessageBox.critical(self, "Error", "GZDoom executable not found") @@ -1725,13 +2375,13 @@ class DoomLauncher(QMainWindow): if iwadIndex < 0: QMessageBox.critical(self, "Error", "Please select an IWAD first") return - + iwadPath = self.iwadCombo.itemData(iwadIndex) # Initialize gameFlags if None if gameFlags is None: gameFlags = [] - + # Get additional flags from doom_flags.txt additionalFlags = self.get_flags_from_file() if additionalFlags: @@ -1750,7 +2400,7 @@ class DoomLauncher(QMainWindow): startupinfo = subprocess.STARTUPINFO() startupinfo.dwFlags |= subprocess.STARTF_USESHOWWINDOW startupinfo.wShowWindow = subprocess.SW_HIDE - + process = subprocess.Popen( cmdLine, cwd=str(self.gamePath), @@ -1761,14 +2411,14 @@ class DoomLauncher(QMainWindow): env=dict(os.environ, PYTHONUNBUFFERED="1"), startupinfo=startupinfo ) - + else: # For Linux/Mac, use stdbuf to unbuffer output cmdLine = ["stdbuf", "-oL", gzdoomPath, "-stdout", "-iwad", iwadPath, "-file"] + gameFiles if gameFlags: cmdLine.extend(gameFlags) - + process = subprocess.Popen( cmdLine, cwd=str(self.gamePath), @@ -1778,7 +2428,7 @@ class DoomLauncher(QMainWindow): universal_newlines=True, # This handles text encoding env=dict(os.environ, PYTHONUNBUFFERED="1") ) - + # Start speech processing thread speechThread = threading.Thread( target=self.speechHandler.speak_thread, @@ -1786,7 +2436,7 @@ class DoomLauncher(QMainWindow): daemon=True ) speechThread.start() - + # Start process monitor thread monitorThread = threading.Thread( target=self.monitor_game_process, @@ -1794,10 +2444,10 @@ class DoomLauncher(QMainWindow): daemon=True ) monitorThread.start() - + # Hide the window self.hide() - + except Exception as e: QMessageBox.critical(self, "Error", f"Failed to launch game: {e}")