Compare commits

..

15 Commits

Author SHA1 Message Date
Moyasee
335f4d33b9 feat: implement deep link handling and game shortcut creation with icon download 2026-01-21 16:52:34 +02:00
Chubby Granny Chaser
039df43123 Merge pull request #1945 from hydralauncher/feat/LBX-399
feat: add automatic executable path binding upon download finish
2026-01-21 09:20:17 +00:00
Moyasee
2108a523bc refactor: streamline game scanning logic and enhance notification handling 2026-01-19 18:01:55 +02:00
Moyasee
fbbb2520e0 feat: enhance game scanning notifications and UI updates 2026-01-19 17:57:49 +02:00
Moyasee
049a989e85 fix: deleted unnecessary import and fixed assertion 2026-01-19 15:19:50 +02:00
Moyasee
88b2581797 feat: add scan installed games functionality with UI integration 2026-01-19 15:17:27 +02:00
Moyasee
c9801644ac fix: prevent processing downloads without a folder name 2026-01-19 04:22:44 +02:00
Moyasee
98cfe7be98 feat: add automatic executable path binding upon download finish 2026-01-19 04:01:21 +02:00
Zamitto
7293afb618 Merge branch 'release/v3.8.0' 2026-01-15 08:43:06 -03:00
Zamitto
194e7918ca feat: dont setup ww feedback widget if user has no token 2026-01-15 08:42:33 -03:00
Zamitto
979958aca6 feat: update ww webRequest interceptor 2026-01-14 19:37:17 -03:00
Zamitto
6e92e0f79f fix: getLibrary throwing error 2026-01-14 00:37:22 -03:00
Zamitto
aef069d4c7 Merge branch 'release/v3.8.1' 2026-01-14 00:07:53 -03:00
Zamitto
5d2dc3616c Merge pull request #1938 from hydralauncher/release/v3.8.1
sync main
2026-01-13 23:43:48 -03:00
Zamitto
96140e614c Merge pull request #1917 from hydralauncher/fix/friends-box-display
hotfix: add empty state for friends box and new translation key
2026-01-04 02:59:53 -03:00
21 changed files with 765 additions and 35 deletions

View File

@@ -108,7 +108,17 @@
"search_results": "Search results",
"settings": "Settings",
"version_available_install": "Version {{version}} available. Click here to restart and install.",
"version_available_download": "Version {{version}} available. Click here to download."
"version_available_download": "Version {{version}} available. Click here to download.",
"scan_games_tooltip": "Scan PC for installed games",
"scan_games_title": "Scan PC for installed games",
"scan_games_description": "This will scan your disks for known game executables. This may take several minutes.",
"scan_games_start": "Start Scan",
"scan_games_cancel": "Cancel",
"scan_games_result": "Found {{found}} of {{total}} games without executable path",
"scan_games_no_results": "We couldn't find any installed games.",
"scan_games_in_progress": "Scanning your disks for installed games...",
"scan_games_close": "Close",
"scan_games_scan_again": "Scan Again"
},
"bottom_panel": {
"no_downloads_in_progress": "No downloads in progress",
@@ -619,7 +629,11 @@
"game_extracted": "{{title}} extracted successfully",
"friend_started_playing_game": "{{displayName}} started playing a game",
"test_achievement_notification_title": "This is a test notification",
"test_achievement_notification_description": "Pretty cool, huh?"
"test_achievement_notification_description": "Pretty cool, huh?",
"scan_games_complete_title": "Scanning for games finished successfully",
"scan_games_complete_description": "Found {{count}} games without executable path set",
"scan_games_no_results_title": "Scanning for games finished",
"scan_games_no_results_description": "No installed games were found"
},
"system_tray": {
"open": "Open Hydra",

View File

@@ -1,12 +1,64 @@
import { registerEvent } from "../register-event";
import createDesktopShortcut from "create-desktop-shortcuts";
import path from "node:path";
import fs from "node:fs";
import { app } from "electron";
import axios from "axios";
import { removeSymbolsFromName } from "@shared";
import { GameShop, ShortcutLocation } from "@types";
import { gamesSublevel, levelKeys } from "@main/level";
import { SystemPath } from "@main/services/system-path";
import { windowsStartMenuPath } from "@main/constants";
import { ASSETS_PATH, windowsStartMenuPath } from "@main/constants";
import { getGameAssets } from "../catalogue/get-game-assets";
import { logger } from "@main/services";
const downloadIcon = async (
shop: GameShop,
objectId: string,
iconUrl?: string | null
): Promise<string | null> => {
const iconPath = path.join(ASSETS_PATH, `${shop}-${objectId}`, "icon.ico");
try {
if (fs.existsSync(iconPath)) {
return iconPath;
}
if (!iconUrl) {
return null;
}
fs.mkdirSync(path.dirname(iconPath), { recursive: true });
const response = await axios.get(iconUrl, { responseType: "arraybuffer" });
fs.writeFileSync(iconPath, response.data);
return iconPath;
} catch (error) {
logger.error("Failed to download game icon", error);
return null;
}
};
const createUrlShortcut = (
shortcutPath: string,
url: string,
iconPath?: string | null
): boolean => {
try {
let content = `[InternetShortcut]\nURL=${url}\n`;
if (iconPath) {
content += `IconFile=${iconPath}\nIconIndex=0\n`;
}
fs.writeFileSync(shortcutPath, content);
return true;
} catch (error) {
logger.error("Failed to create URL shortcut", error);
return false;
}
};
const createGameShortcut = async (
_event: Electron.IpcMainInvokeEvent,
@@ -17,30 +69,42 @@ const createGameShortcut = async (
const gameKey = levelKeys.game(shop, objectId);
const game = await gamesSublevel.get(gameKey);
if (game) {
const filePath = game.executablePath;
const windowVbsPath = app.isPackaged
? path.join(process.resourcesPath, "windows.vbs")
: undefined;
const options = {
filePath,
name: removeSymbolsFromName(game.title),
outputPath:
location === "desktop"
? SystemPath.getPath("desktop")
: windowsStartMenuPath,
};
return createDesktopShortcut({
windows: { ...options, VBScriptPath: windowVbsPath },
linux: options,
osx: options,
});
if (!game) {
return false;
}
return false;
const shortcutName = removeSymbolsFromName(game.title);
const deepLink = `hydralauncher://run?shop=${shop}&objectId=${objectId}`;
const outputPath =
location === "desktop"
? SystemPath.getPath("desktop")
: windowsStartMenuPath;
const assets = shop === "custom" ? null : await getGameAssets(objectId, shop);
const iconPath = await downloadIcon(shop, objectId, assets?.iconUrl);
if (process.platform === "win32") {
const shortcutPath = path.join(outputPath, `${shortcutName}.url`);
return createUrlShortcut(shortcutPath, deepLink, iconPath);
}
const windowVbsPath = app.isPackaged
? path.join(process.resourcesPath, "windows.vbs")
: undefined;
const options = {
filePath: process.execPath,
arguments: deepLink,
name: shortcutName,
outputPath,
icon: iconPath ?? undefined,
};
return createDesktopShortcut({
windows: { ...options, VBScriptPath: windowVbsPath },
linux: options,
osx: options,
});
};
registerEvent("createGameShortcut", createGameShortcut);

View File

@@ -25,7 +25,7 @@ const getLibrary = async (): Promise<LibraryGame[]> => {
const achievements = await gameAchievementsSublevel.get(key);
unlockedAchievementCount =
achievements?.unlockedAchievements.length ?? 0;
achievements?.unlockedAchievements?.length ?? 0;
}
return {

View File

@@ -24,6 +24,7 @@ import "./remove-game-from-favorites";
import "./remove-game-from-library";
import "./remove-game";
import "./reset-game-achievements";
import "./scan-installed-games";
import "./select-game-wine-prefix";
import "./toggle-automatic-cloud-sync";
import "./toggle-game-pin";

View File

@@ -0,0 +1,143 @@
import path from "node:path";
import fs from "node:fs";
import { t } from "i18next";
import { registerEvent } from "../register-event";
import { gamesSublevel } from "@main/level";
import {
GameExecutables,
LocalNotificationManager,
logger,
WindowManager,
} from "@main/services";
const SCAN_DIRECTORIES = [
String.raw`C:\Games`,
String.raw`D:\Games`,
String.raw`C:\Program Files (x86)\Steam\steamapps\common`,
String.raw`C:\Program Files\Steam\steamapps\common`,
String.raw`C:\Program Files (x86)\DODI-Repacks`,
];
interface FoundGame {
title: string;
executablePath: string;
}
interface ScanResult {
foundGames: FoundGame[];
total: number;
}
async function searchInDirectories(
executableNames: Set<string>
): Promise<string | null> {
for (const scanDir of SCAN_DIRECTORIES) {
if (!fs.existsSync(scanDir)) continue;
const foundPath = await findExecutableInFolder(scanDir, executableNames);
if (foundPath) return foundPath;
}
return null;
}
async function publishScanNotification(foundCount: number): Promise<void> {
const hasFoundGames = foundCount > 0;
await LocalNotificationManager.createNotification(
"SCAN_GAMES_COMPLETE",
t(
hasFoundGames
? "scan_games_complete_title"
: "scan_games_no_results_title",
{ ns: "notifications" }
),
t(
hasFoundGames
? "scan_games_complete_description"
: "scan_games_no_results_description",
{ ns: "notifications", count: foundCount }
),
{ url: "/library?openScanModal=true" }
);
}
const scanInstalledGames = async (
_event: Electron.IpcMainInvokeEvent
): Promise<ScanResult> => {
const games = await gamesSublevel
.iterator()
.all()
.then((results) =>
results
.filter(
([_key, game]) => game.isDeleted === false && game.shop !== "custom"
)
.map(([key, game]) => ({ key, game }))
);
const foundGames: FoundGame[] = [];
const gamesToScan = games.filter((g) => !g.game.executablePath);
for (const { key, game } of gamesToScan) {
const executableNames = GameExecutables.getExecutablesForGame(
game.objectId
);
if (!executableNames || executableNames.length === 0) continue;
const normalizedNames = new Set(
executableNames.map((name) => name.toLowerCase())
);
const foundPath = await searchInDirectories(normalizedNames);
if (foundPath) {
await gamesSublevel.put(key, { ...game, executablePath: foundPath });
logger.info(
`[ScanInstalledGames] Found executable for ${game.objectId}: ${foundPath}`
);
foundGames.push({ title: game.title, executablePath: foundPath });
}
}
WindowManager.mainWindow?.webContents.send("on-library-batch-complete");
await publishScanNotification(foundGames.length);
return { foundGames, total: gamesToScan.length };
};
async function findExecutableInFolder(
folderPath: string,
executableNames: Set<string>
): Promise<string | null> {
try {
const entries = await fs.promises.readdir(folderPath, {
withFileTypes: true,
recursive: true,
});
for (const entry of entries) {
if (!entry.isFile()) continue;
const fileName = entry.name.toLowerCase();
if (executableNames.has(fileName)) {
const parentPath =
"parentPath" in entry ? entry.parentPath : folderPath;
return path.join(parentPath, entry.name);
}
}
} catch (err) {
logger.error(
`[ScanInstalledGames] Error reading folder ${folderPath}:`,
err
);
}
return null;
}
registerEvent("scanInstalledGames", scanInstalledGames);

View File

@@ -1,8 +1,9 @@
import { app, BrowserWindow, net, protocol } from "electron";
import { app, BrowserWindow, net, protocol, shell } from "electron";
import updater from "electron-updater";
import i18n from "i18next";
import path from "node:path";
import url from "node:url";
import { spawn } from "node:child_process";
import { electronApp, optimizer } from "@electron-toolkit/utils";
import {
logger,
@@ -13,7 +14,10 @@ import {
} from "@main/services";
import resources from "@locales";
import { PythonRPC } from "./services/python-rpc";
import { db, levelKeys } from "./level";
import { db, gamesSublevel, levelKeys } from "./level";
import { GameShop } from "@types";
import { parseExecutablePath } from "./events/helpers/parse-executable-path";
import { parseLaunchOptions } from "./events/helpers/parse-launch-options";
import { loadState } from "./main";
const { autoUpdater } = updater;
@@ -146,18 +150,61 @@ app.whenReady().then(async () => {
WindowManager.createNotificationWindow();
WindowManager.createSystemTray(language || "en");
const deepLinkArg = process.argv.find((arg) =>
arg.startsWith("hydralauncher://")
);
if (deepLinkArg) {
handleDeepLinkPath(deepLinkArg);
}
});
app.on("browser-window-created", (_, window) => {
optimizer.watchWindowShortcuts(window);
});
const handleRunGame = async (shop: GameShop, objectId: string) => {
const gameKey = levelKeys.game(shop, objectId);
const game = await gamesSublevel.get(gameKey);
if (!game?.executablePath) {
logger.error("Game not found or no executable path", { shop, objectId });
return;
}
const parsedPath = parseExecutablePath(game.executablePath);
const parsedParams = parseLaunchOptions(game.launchOptions);
await gamesSublevel.put(gameKey, {
...game,
executablePath: parsedPath,
});
if (parsedParams.length === 0) {
shell.openPath(parsedPath);
return;
}
spawn(parsedPath, parsedParams, { shell: false, detached: true });
};
const handleDeepLinkPath = (uri?: string) => {
if (!uri) return;
try {
const url = new URL(uri);
if (url.host === "run") {
const shop = url.searchParams.get("shop") as GameShop | null;
const objectId = url.searchParams.get("objectId");
if (shop && objectId) {
handleRunGame(shop, objectId);
}
return;
}
if (url.host === "install-source") {
WindowManager.redirect(`settings${url.search}`);
return;

View File

@@ -362,6 +362,11 @@ export class DownloadManager {
if (download.automaticallyExtract) {
this.handleExtraction(download, game);
} else {
// For downloads without extraction (e.g., torrents with ready-to-play files),
// search for executable in the download folder
const gameFilesManager = new GameFilesManager(game.shop, game.objectId);
gameFilesManager.searchAndBindExecutable();
}
await this.processNextQueuedDownload();

View File

@@ -0,0 +1,13 @@
import { gameExecutables } from "./process-watcher";
export class GameExecutables {
static getExecutablesForGame(objectId: string): string[] | null {
const executables = gameExecutables[objectId];
if (!executables || executables.length === 0) {
return null;
}
return executables.map((exe) => exe.exe);
}
}

View File

@@ -7,6 +7,7 @@ import { SevenZip, ExtractionProgress } from "./7zip";
import { WindowManager } from "./window-manager";
import { publishExtractionCompleteNotification } from "./notifications";
import { logger } from "./logger";
import { GameExecutables } from "./game-executables";
const PROGRESS_THROTTLE_MS = 1000;
@@ -151,6 +152,100 @@ export class GameFilesManager {
if (publishNotification && game) {
publishExtractionCompleteNotification(game);
}
await this.searchAndBindExecutable();
}
async searchAndBindExecutable(): Promise<void> {
try {
const [download, game] = await Promise.all([
downloadsSublevel.get(this.gameKey),
gamesSublevel.get(this.gameKey),
]);
if (!download || !game || game.executablePath) {
return;
}
const executableNames = GameExecutables.getExecutablesForGame(
this.objectId
);
if (!executableNames || executableNames.length === 0) {
return;
}
if (!download.folderName) {
return;
}
const gameFolderPath = path.join(
download.downloadPath,
download.folderName
);
if (!fs.existsSync(gameFolderPath)) {
return;
}
const foundExePath = await this.findExecutableInFolder(
gameFolderPath,
executableNames
);
if (foundExePath) {
logger.info(
`[GameFilesManager] Auto-detected executable for ${this.objectId}: ${foundExePath}`
);
await gamesSublevel.put(this.gameKey, {
...game,
executablePath: foundExePath,
});
WindowManager.mainWindow?.webContents.send("on-library-batch-complete");
}
} catch (err) {
logger.error(
`[GameFilesManager] Error searching for executable: ${this.objectId}`,
err
);
}
}
private async findExecutableInFolder(
folderPath: string,
executableNames: string[]
): Promise<string | null> {
const normalizedNames = new Set(
executableNames.map((name) => name.toLowerCase())
);
try {
const entries = await fs.promises.readdir(folderPath, {
withFileTypes: true,
recursive: true,
});
for (const entry of entries) {
if (!entry.isFile()) continue;
const fileName = entry.name.toLowerCase();
if (normalizedNames.has(fileName)) {
const parentPath =
"parentPath" in entry
? entry.parentPath
: (entry as unknown as { path?: string }).path || folderPath;
return path.join(parentPath, entry.name);
}
}
} catch {
// Silently fail if folder cannot be read
}
return null;
}
async extractDownloadedFile() {

View File

@@ -10,6 +10,7 @@ export * from "./ludusavi";
export * from "./cloud-sync";
export * from "./7zip";
export * from "./game-files-manager";
export * from "./game-executables";
export * from "./common-redist-manager";
export * from "./aria2";
export * from "./ws";

View File

@@ -69,7 +69,7 @@ const getGameExecutables = async () => {
return gameExecutables;
};
const gameExecutables = await getGameExecutables();
export const gameExecutables = await getGameExecutables();
const findGamePathByProcess = async (
processMap: Map<string, Set<string>>,

View File

@@ -138,12 +138,21 @@ export class WindowManager {
(details, callback) => {
if (
details.webContentsId !== this.mainWindow?.webContents.id ||
details.url.includes("chatwoot") ||
details.url.includes("workwonders")
details.url.includes("chatwoot")
) {
return callback(details);
}
if (details.url.includes("workwonders")) {
return callback({
...details,
requestHeaders: {
Origin: "https://workwonders.app",
...details.requestHeaders,
},
});
}
const userAgent = new UserAgent();
callback({

View File

@@ -241,6 +241,7 @@ contextBridge.exposeInMainWorld("electron", {
ipcRenderer.invoke("changeGamePlayTime", shop, objectId, playtime),
extractGameDownload: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("extractGameDownload", shop, objectId),
scanInstalledGames: () => ipcRenderer.invoke("scanInstalledGames"),
getDefaultWinePrefixSelectionPath: () =>
ipcRenderer.invoke("getDefaultWinePrefixSelectionPath"),
createSteamShortcut: (shop: GameShop, objectId: string) =>

View File

@@ -61,10 +61,26 @@
cursor: pointer;
transition: all ease 0.2s;
padding: globals.$spacing-unit;
display: flex;
align-items: center;
justify-content: center;
&:hover {
color: #dadbe1;
}
&--scanning svg {
animation: spin 2s linear infinite;
}
}
@keyframes spin {
from {
transform: rotate(0deg);
}
to {
transform: rotate(360deg);
}
}
&__section {

View File

@@ -1,7 +1,13 @@
import { useTranslation } from "react-i18next";
import { useEffect, useMemo, useRef, useState } from "react";
import { useLocation, useNavigate } from "react-router-dom";
import { ArrowLeftIcon, SearchIcon, XIcon } from "@primer/octicons-react";
import { useEffect, useId, useMemo, useRef, useState } from "react";
import { useLocation, useNavigate, useSearchParams } from "react-router-dom";
import {
ArrowLeftIcon,
SearchIcon,
SyncIcon,
XIcon,
} from "@primer/octicons-react";
import { Tooltip } from "react-tooltip";
import {
useAppDispatch,
@@ -12,6 +18,7 @@ import {
import "./header.scss";
import { AutoUpdateSubHeader } from "./auto-update-sub-header";
import { ScanGamesModal } from "./scan-games-modal";
import { setFilters, setLibrarySearchQuery } from "@renderer/features";
import cn from "classnames";
import { SearchDropdown } from "@renderer/components";
@@ -29,9 +36,11 @@ const pathTitle: Record<string, string> = {
export function Header() {
const inputRef = useRef<HTMLInputElement>(null);
const searchContainerRef = useRef<HTMLDivElement>(null);
const scanButtonTooltipId = useId();
const navigate = useNavigate();
const location = useLocation();
const [searchParams, setSearchParams] = useSearchParams();
const { headerTitle, draggingDisabled } = useAppSelector(
(state) => state.window
@@ -61,6 +70,12 @@ export function Header() {
x: 0,
y: 0,
});
const [showScanModal, setShowScanModal] = useState(false);
const [isScanning, setIsScanning] = useState(false);
const [scanResult, setScanResult] = useState<{
foundGames: { title: string; executablePath: string }[];
total: number;
} | null>(null);
const { t } = useTranslation("header");
@@ -224,6 +239,25 @@ export function Header() {
setActiveIndex(-1);
};
const handleStartScan = async () => {
if (isScanning) return;
setIsScanning(true);
setScanResult(null);
setShowScanModal(false);
try {
const result = await window.electron.scanInstalledGames();
setScanResult(result);
} finally {
setIsScanning(false);
}
};
const handleClearScanResult = () => {
setScanResult(null);
};
useEffect(() => {
if (!isDropdownVisible) return;
@@ -235,6 +269,14 @@ export function Header() {
return () => window.removeEventListener("resize", handleResize);
}, [isDropdownVisible]);
useEffect(() => {
if (searchParams.get("openScanModal") === "true") {
setShowScanModal(true);
searchParams.delete("openScanModal");
setSearchParams(searchParams, { replace: true });
}
}, [searchParams, setSearchParams]);
return (
<>
<header
@@ -265,6 +307,21 @@ export function Header() {
</section>
<section className="header__section">
{isOnLibraryPage && window.electron.platform === "win32" && (
<button
type="button"
className={cn("header__action-button", {
"header__action-button--scanning": isScanning,
})}
onClick={() => setShowScanModal(true)}
data-tooltip-id={scanButtonTooltipId}
data-tooltip-content={t("scan_games_tooltip")}
data-tooltip-place="bottom"
>
<SyncIcon size={16} />
</button>
)}
<div
ref={searchContainerRef}
className={cn("header__search", {
@@ -304,6 +361,11 @@ export function Header() {
</div>
</section>
</header>
{isOnLibraryPage && window.electron.platform === "win32" && (
<Tooltip id={scanButtonTooltipId} style={{ zIndex: 1 }} />
)}
<AutoUpdateSubHeader />
<SearchDropdown
@@ -327,6 +389,15 @@ export function Header() {
currentQuery={searchValue}
searchContainerRef={searchContainerRef}
/>
<ScanGamesModal
visible={showScanModal}
onClose={() => setShowScanModal(false)}
isScanning={isScanning}
scanResult={scanResult}
onStartScan={handleStartScan}
onClearResult={handleClearScanResult}
/>
</>
);
}

View File

@@ -0,0 +1,107 @@
@use "../../scss/globals.scss";
.scan-games-modal {
display: flex;
flex-direction: column;
gap: calc(globals.$spacing-unit * 3);
min-width: 400px;
&__description {
color: globals.$muted-color;
font-size: 14px;
line-height: 1.5;
margin: 0;
}
&__results {
display: flex;
flex-direction: column;
gap: calc(globals.$spacing-unit * 2);
}
&__result {
color: globals.$body-color;
font-size: 14px;
margin: 0;
}
&__no-results {
color: globals.$muted-color;
font-size: 14px;
margin: 0;
text-align: center;
padding: calc(globals.$spacing-unit * 2) 0;
}
&__scanning {
display: flex;
flex-direction: column;
align-items: center;
gap: calc(globals.$spacing-unit * 2);
padding: calc(globals.$spacing-unit * 3) 0;
}
&__spinner {
color: globals.$muted-color;
animation: spin 2s linear infinite;
}
&__scanning-text {
color: globals.$muted-color;
font-size: 14px;
margin: 0;
}
@keyframes spin {
from {
transform: rotate(0deg);
}
to {
transform: rotate(360deg);
}
}
&__games-list {
list-style: none;
margin: 0;
max-height: 200px;
overflow-y: auto;
display: flex;
flex-direction: column;
gap: globals.$spacing-unit;
background-color: globals.$dark-background-color;
border-radius: 4px;
padding: calc(globals.$spacing-unit * 2);
}
&__game-item {
display: flex;
flex-direction: column;
gap: 4px;
padding-bottom: globals.$spacing-unit;
border-bottom: 1px solid globals.$border-color;
&:last-child {
border-bottom: none;
padding-bottom: 0;
}
}
&__game-title {
color: globals.$body-color;
font-size: 14px;
font-weight: 500;
}
&__game-path {
color: globals.$muted-color;
font-size: 12px;
word-break: break-all;
}
&__actions {
display: flex;
justify-content: flex-end;
gap: calc(globals.$spacing-unit * 2);
}
}

View File

@@ -0,0 +1,126 @@
import { useTranslation } from "react-i18next";
import { SyncIcon } from "@primer/octicons-react";
import { Button, Modal } from "@renderer/components";
import "./scan-games-modal.scss";
interface FoundGame {
title: string;
executablePath: string;
}
interface ScanResult {
foundGames: FoundGame[];
total: number;
}
export interface ScanGamesModalProps {
visible: boolean;
onClose: () => void;
isScanning: boolean;
scanResult: ScanResult | null;
onStartScan: () => void;
onClearResult: () => void;
}
export function ScanGamesModal({
visible,
onClose,
isScanning,
scanResult,
onStartScan,
onClearResult,
}: Readonly<ScanGamesModalProps>) {
const { t } = useTranslation("header");
const handleClose = () => {
onClose();
};
const handleStartScan = () => {
onStartScan();
};
const handleScanAgain = () => {
onClearResult();
onStartScan();
};
return (
<Modal
visible={visible}
title={t("scan_games_title")}
onClose={handleClose}
clickOutsideToClose={!isScanning}
>
<div className="scan-games-modal">
{!scanResult && !isScanning && (
<p className="scan-games-modal__description">
{t("scan_games_description")}
</p>
)}
{isScanning && !scanResult && (
<div className="scan-games-modal__scanning">
<SyncIcon size={24} className="scan-games-modal__spinner" />
<p className="scan-games-modal__scanning-text">
{t("scan_games_in_progress")}
</p>
</div>
)}
{scanResult && (
<div className="scan-games-modal__results">
{scanResult.foundGames.length > 0 ? (
<>
<p className="scan-games-modal__result">
{t("scan_games_result", {
found: scanResult.foundGames.length,
total: scanResult.total,
})}
</p>
<ul className="scan-games-modal__games-list">
{scanResult.foundGames.map((game) => (
<li
key={game.executablePath}
className="scan-games-modal__game-item"
>
<span className="scan-games-modal__game-title">
{game.title}
</span>
<span className="scan-games-modal__game-path">
{game.executablePath}
</span>
</li>
))}
</ul>
</>
) : (
<p className="scan-games-modal__no-results">
{t("scan_games_no_results")}
</p>
)}
</div>
)}
<div className="scan-games-modal__actions">
<Button theme="outline" onClick={handleClose}>
{scanResult ? t("scan_games_close") : t("scan_games_cancel")}
</Button>
{!scanResult && (
<Button onClick={handleStartScan} disabled={isScanning}>
{t("scan_games_start")}
</Button>
)}
{scanResult && (
<Button onClick={handleScanAgain}>
{t("scan_games_scan_again")}
</Button>
)}
</div>
</div>
</Modal>
);
}

View File

@@ -225,6 +225,16 @@ export function GameDetailsContextProvider({
};
}, [game?.id, isGameRunning, updateGame]);
useEffect(() => {
const unsubscribe = window.electron.onLibraryBatchComplete(() => {
updateGame();
});
return () => {
unsubscribe();
};
}, [updateGame]);
useEffect(() => {
const handler = (ev: Event) => {
try {

View File

@@ -211,6 +211,10 @@ declare global {
minimized: boolean;
}) => Promise<void>;
extractGameDownload: (shop: GameShop, objectId: string) => Promise<boolean>;
scanInstalledGames: () => Promise<{
foundGames: { title: string; executablePath: string }[];
total: number;
}>;
onExtractionComplete: (
cb: (shop: GameShop, objectId: string) => void
) => () => Electron.IpcRenderer;

View File

@@ -58,6 +58,8 @@ export function LocalNotificationItem({
return <SyncIcon size={24} />;
case "ACHIEVEMENT_UNLOCKED":
return <TrophyIcon size={24} />;
case "SCAN_GAMES_COMPLETE":
return <SyncIcon size={24} />;
default:
return <DownloadIcon size={24} />;
}

View File

@@ -330,7 +330,8 @@ export type LocalNotificationType =
| "EXTRACTION_COMPLETE"
| "DOWNLOAD_COMPLETE"
| "UPDATE_AVAILABLE"
| "ACHIEVEMENT_UNLOCKED";
| "ACHIEVEMENT_UNLOCKED"
| "SCAN_GAMES_COMPLETE";
export interface Notification {
id: string;