Merge branch 'feat/migration-to-leveldb' into feature/custom-themes

This commit is contained in:
Hachi-R 2025-01-23 15:45:23 -03:00
parent 44aed56461
commit 6bf049d136
131 changed files with 1918 additions and 2597 deletions

View file

@ -38,6 +38,13 @@ export default defineConfig(({ mode }) => {
build: { build: {
sourcemap: true, sourcemap: true,
}, },
css: {
preprocessorOptions: {
scss: {
api: "modern",
},
},
},
resolve: { resolve: {
alias: { alias: {
"@renderer": resolve("src/renderer/src"), "@renderer": resolve("src/renderer/src"),

View file

@ -47,6 +47,7 @@
"auto-launch": "^5.0.6", "auto-launch": "^5.0.6",
"axios": "^1.7.9", "axios": "^1.7.9",
"better-sqlite3": "^11.7.0", "better-sqlite3": "^11.7.0",
"classic-level": "^2.0.0",
"classnames": "^2.5.1", "classnames": "^2.5.1",
"color": "^4.2.3", "color": "^4.2.3",
"color.js": "^1.2.0", "color.js": "^1.2.0",
@ -74,7 +75,6 @@
"sound-play": "^1.1.0", "sound-play": "^1.1.0",
"sudo-prompt": "^9.2.1", "sudo-prompt": "^9.2.1",
"tar": "^7.4.3", "tar": "^7.4.3",
"typeorm": "^0.3.20",
"user-agents": "^1.1.387", "user-agents": "^1.1.387",
"yaml": "^2.6.1", "yaml": "^2.6.1",
"yup": "^1.5.0", "yup": "^1.5.0",

View file

@ -7,13 +7,18 @@ export const defaultDownloadsPath = app.getPath("downloads");
export const isStaging = import.meta.env.MAIN_VITE_API_URL.includes("staging"); export const isStaging = import.meta.env.MAIN_VITE_API_URL.includes("staging");
export const levelDatabasePath = path.join(
app.getPath("userData"),
`hydra-db${isStaging ? "-staging" : ""}`
);
export const databaseDirectory = path.join(app.getPath("appData"), "hydra"); export const databaseDirectory = path.join(app.getPath("appData"), "hydra");
export const databasePath = path.join( export const databasePath = path.join(
databaseDirectory, databaseDirectory,
isStaging ? "hydra_test.db" : "hydra.db" isStaging ? "hydra_test.db" : "hydra.db"
); );
export const logsPath = path.join(app.getPath("appData"), "hydra", "logs"); export const logsPath = path.join(app.getPath("userData"), "logs");
export const seedsPath = app.isPackaged export const seedsPath = app.isPackaged
? path.join(process.resourcesPath, "seeds") ? path.join(process.resourcesPath, "seeds")

View file

@ -1,27 +0,0 @@
import { DataSource } from "typeorm";
import {
DownloadQueue,
Game,
GameShopCache,
UserPreferences,
UserAuth,
GameAchievement,
UserSubscription,
} from "@main/entity";
import { databasePath } from "./constants";
export const dataSource = new DataSource({
type: "better-sqlite3",
entities: [
Game,
UserAuth,
UserPreferences,
UserSubscription,
GameShopCache,
DownloadQueue,
GameAchievement,
],
synchronize: false,
database: databasePath,
});

View file

@ -1,25 +0,0 @@
import {
Entity,
PrimaryGeneratedColumn,
CreateDateColumn,
UpdateDateColumn,
OneToOne,
JoinColumn,
} from "typeorm";
import type { Game } from "./game.entity";
@Entity("download_queue")
export class DownloadQueue {
@PrimaryGeneratedColumn()
id: number;
@OneToOne("Game", "downloadQueue")
@JoinColumn()
game: Game;
@CreateDateColumn()
createdAt: Date;
@UpdateDateColumn()
updatedAt: Date;
}

View file

@ -1,19 +0,0 @@
import { Column, Entity, PrimaryGeneratedColumn } from "typeorm";
@Entity("game_achievement")
export class GameAchievement {
@PrimaryGeneratedColumn()
id: number;
@Column("text")
objectId: string;
@Column("text")
shop: string;
@Column("text", { nullable: true })
unlockedAchievements: string | null;
@Column("text", { nullable: true })
achievements: string | null;
}

View file

@ -1,35 +0,0 @@
import {
Entity,
PrimaryColumn,
Column,
CreateDateColumn,
UpdateDateColumn,
} from "typeorm";
import type { GameShop } from "@types";
@Entity("game_shop_cache")
export class GameShopCache {
@PrimaryColumn("text", { unique: true })
objectID: string;
@Column("text")
shop: GameShop;
@Column("text", { nullable: true })
serializedData: string;
/**
* @deprecated Use IndexedDB's `howLongToBeatEntries` instead
*/
@Column("text", { nullable: true })
howLongToBeatSerializedData: string;
@Column("text", { nullable: true })
language: string;
@CreateDateColumn()
createdAt: Date;
@UpdateDateColumn()
updatedAt: Date;
}

View file

@ -1,90 +0,0 @@
import {
Entity,
PrimaryGeneratedColumn,
Column,
CreateDateColumn,
UpdateDateColumn,
OneToOne,
} from "typeorm";
import type { GameShop, GameStatus } from "@types";
import { Downloader } from "@shared";
import type { DownloadQueue } from "./download-queue.entity";
@Entity("game")
export class Game {
@PrimaryGeneratedColumn()
id: number;
@Column("text", { unique: true })
objectID: string;
@Column("text", { unique: true, nullable: true })
remoteId: string | null;
@Column("text")
title: string;
@Column("text", { nullable: true })
iconUrl: string | null;
@Column("text", { nullable: true })
folderName: string | null;
@Column("text", { nullable: true })
downloadPath: string | null;
@Column("text", { nullable: true })
executablePath: string | null;
@Column("text", { nullable: true })
launchOptions: string | null;
@Column("text", { nullable: true })
winePrefixPath: string | null;
@Column("int", { default: 0 })
playTimeInMilliseconds: number;
@Column("text")
shop: GameShop;
@Column("text", { nullable: true })
status: GameStatus | null;
@Column("int", { default: Downloader.Torrent })
downloader: Downloader;
/**
* Progress is a float between 0 and 1
*/
@Column("float", { default: 0 })
progress: number;
@Column("int", { default: 0 })
bytesDownloaded: number;
@Column("datetime", { nullable: true })
lastTimePlayed: Date | null;
@Column("float", { default: 0 })
fileSize: number;
@Column("text", { nullable: true })
uri: string | null;
@OneToOne("DownloadQueue", "game")
downloadQueue: DownloadQueue;
@Column("boolean", { default: false })
isDeleted: boolean;
@Column("boolean", { default: false })
shouldSeed: boolean;
@CreateDateColumn()
createdAt: Date;
@UpdateDateColumn()
updatedAt: Date;
}

View file

@ -1,8 +0,0 @@
export * from "./game.entity";
export * from "./user-auth.entity";
export * from "./user-preferences.entity";
export * from "./user-subscription.entity";
export * from "./game-shop-cache.entity";
export * from "./game.entity";
export * from "./game-achievements.entity";
export * from "./download-queue.entity";

View file

@ -1,45 +0,0 @@
import {
Entity,
PrimaryGeneratedColumn,
Column,
CreateDateColumn,
UpdateDateColumn,
OneToOne,
} from "typeorm";
import { UserSubscription } from "./user-subscription.entity";
@Entity("user_auth")
export class UserAuth {
@PrimaryGeneratedColumn()
id: number;
@Column("text", { default: "" })
userId: string;
@Column("text", { default: "" })
displayName: string;
@Column("text", { nullable: true })
profileImageUrl: string | null;
@Column("text", { nullable: true })
backgroundImageUrl: string | null;
@Column("text", { default: "" })
accessToken: string;
@Column("text", { default: "" })
refreshToken: string;
@Column("int", { default: 0 })
tokenExpirationTimestamp: number;
@OneToOne("UserSubscription", "user")
subscription: UserSubscription | null;
@CreateDateColumn()
createdAt: Date;
@UpdateDateColumn()
updatedAt: Date;
}

View file

@ -1,55 +0,0 @@
import {
Entity,
PrimaryGeneratedColumn,
Column,
CreateDateColumn,
UpdateDateColumn,
} from "typeorm";
@Entity("user_preferences")
export class UserPreferences {
@PrimaryGeneratedColumn()
id: number;
@Column("text", { nullable: true })
downloadsPath: string | null;
@Column("text", { default: "en" })
language: string;
@Column("text", { nullable: true })
realDebridApiToken: string | null;
@Column("boolean", { default: false })
downloadNotificationsEnabled: boolean;
@Column("boolean", { default: false })
repackUpdatesNotificationsEnabled: boolean;
@Column("boolean", { default: true })
achievementNotificationsEnabled: boolean;
@Column("boolean", { default: false })
preferQuitInsteadOfHiding: boolean;
@Column("boolean", { default: false })
runAtStartup: boolean;
@Column("boolean", { default: false })
startMinimized: boolean;
@Column("boolean", { default: false })
disableNsfwAlert: boolean;
@Column("boolean", { default: true })
seedAfterDownloadComplete: boolean;
@Column("boolean", { default: false })
showHiddenAchievementsDescription: boolean;
@CreateDateColumn()
createdAt: Date;
@UpdateDateColumn()
updatedAt: Date;
}

View file

@ -1,42 +0,0 @@
import type { SubscriptionStatus } from "@types";
import {
Entity,
PrimaryGeneratedColumn,
Column,
CreateDateColumn,
UpdateDateColumn,
OneToOne,
JoinColumn,
} from "typeorm";
import { UserAuth } from "./user-auth.entity";
@Entity("user_subscription")
export class UserSubscription {
@PrimaryGeneratedColumn()
id: number;
@Column("text", { default: "" })
subscriptionId: string;
@OneToOne("UserAuth", "subscription")
@JoinColumn()
user: UserAuth;
@Column("text", { default: "" })
status: SubscriptionStatus;
@Column("text", { default: "" })
planId: string;
@Column("text", { default: "" })
planName: string;
@Column("datetime", { nullable: true })
expiresAt: Date | null;
@CreateDateColumn()
createdAt: Date;
@UpdateDateColumn()
updatedAt: Date;
}

View file

@ -1,13 +1,19 @@
import jwt from "jsonwebtoken"; import jwt from "jsonwebtoken";
import { userAuthRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { db, levelKeys } from "@main/level";
import type { Auth } from "@types";
import { Crypto } from "@main/services";
const getSessionHash = async (_event: Electron.IpcMainInvokeEvent) => { const getSessionHash = async (_event: Electron.IpcMainInvokeEvent) => {
const auth = await userAuthRepository.findOne({ where: { id: 1 } }); const auth = await db.get<string, Auth>(levelKeys.auth, {
valueEncoding: "json",
});
if (!auth) return null; if (!auth) return null;
const payload = jwt.decode(auth.accessToken) as jwt.JwtPayload; const payload = jwt.decode(
Crypto.decrypt(auth.accessToken)
) as jwt.JwtPayload;
if (!payload) return null; if (!payload) return null;

View file

@ -1,27 +1,25 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { DownloadManager, HydraApi, gamesPlaytime } from "@main/services"; import { DownloadManager, HydraApi, gamesPlaytime } from "@main/services";
import { dataSource } from "@main/data-source";
import { DownloadQueue, Game, UserAuth, UserSubscription } from "@main/entity";
import { PythonRPC } from "@main/services/python-rpc"; import { PythonRPC } from "@main/services/python-rpc";
import { db, downloadsSublevel, gamesSublevel, levelKeys } from "@main/level";
const signOut = async (_event: Electron.IpcMainInvokeEvent) => { const signOut = async (_event: Electron.IpcMainInvokeEvent) => {
const databaseOperations = dataSource const databaseOperations = db
.transaction(async (transactionalEntityManager) => { .batch([
await transactionalEntityManager.getRepository(DownloadQueue).delete({}); {
type: "del",
await transactionalEntityManager.getRepository(Game).delete({}); key: levelKeys.auth,
},
await transactionalEntityManager {
.getRepository(UserAuth) type: "del",
.delete({ id: 1 }); key: levelKeys.user,
},
await transactionalEntityManager ])
.getRepository(UserSubscription)
.delete({ id: 1 });
})
.then(() => { .then(() => {
/* Removes all games being played */ /* Removes all games being played */
gamesPlaytime.clear(); gamesPlaytime.clear();
return Promise.all([gamesSublevel.clear(), downloadsSublevel.clear()]);
}); });
/* Cancels any ongoing downloads */ /* Cancels any ongoing downloads */

View file

@ -1,10 +1,10 @@
import { gameShopCacheRepository } from "@main/repository"; import { getSteamAppDetails, logger } from "@main/services";
import { getSteamAppDetails } from "@main/services";
import type { ShopDetails, GameShop, SteamAppDetails } from "@types"; import type { ShopDetails, GameShop } from "@types";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { steamGamesWorker } from "@main/workers"; import { steamGamesWorker } from "@main/workers";
import { gamesShopCacheSublevel, levelKeys } from "@main/level";
const getLocalizedSteamAppDetails = async ( const getLocalizedSteamAppDetails = async (
objectId: string, objectId: string,
@ -39,35 +39,27 @@ const getGameShopDetails = async (
language: string language: string
): Promise<ShopDetails | null> => { ): Promise<ShopDetails | null> => {
if (shop === "steam") { if (shop === "steam") {
const cachedData = await gameShopCacheRepository.findOne({ const cachedData = await gamesShopCacheSublevel.get(
where: { objectID: objectId, language }, levelKeys.gameShopCacheItem(shop, objectId, language)
}); );
const appDetails = getLocalizedSteamAppDetails(objectId, language).then( const appDetails = getLocalizedSteamAppDetails(objectId, language).then(
(result) => { (result) => {
if (result) { if (result) {
gameShopCacheRepository.upsert( gamesShopCacheSublevel
{ .put(levelKeys.gameShopCacheItem(shop, objectId, language), result)
objectID: objectId, .catch((err) => {
shop: "steam", logger.error("Could not cache game details", err);
language, });
serializedData: JSON.stringify(result),
},
["objectID"]
);
} }
return result; return result;
} }
); );
const cachedGame = cachedData?.serializedData if (cachedData) {
? (JSON.parse(cachedData?.serializedData) as SteamAppDetails)
: null;
if (cachedGame) {
return { return {
...cachedGame, ...cachedData,
objectId, objectId,
} as ShopDetails; } as ShopDetails;
} }

View file

@ -1,14 +1,14 @@
import { db, levelKeys } from "@main/level";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { HydraApi } from "@main/services"; import { HydraApi } from "@main/services";
import { userPreferencesRepository } from "@main/repository";
import type { TrendingGame } from "@types"; import type { TrendingGame } from "@types";
const getTrendingGames = async (_event: Electron.IpcMainInvokeEvent) => { const getTrendingGames = async (_event: Electron.IpcMainInvokeEvent) => {
const userPreferences = await userPreferencesRepository.findOne({ const language = await db
where: { id: 1 }, .get<string, string>(levelKeys.language, {
}); valueEncoding: "utf-8",
})
const language = userPreferences?.language || "en"; .then((language) => language || "en");
const trendingGames = await HydraApi.get<TrendingGame[]>( const trendingGames = await HydraApi.get<TrendingGame[]>(
"/games/trending", "/games/trending",

View file

@ -1,19 +1,14 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import type { GameShop } from "@types"; import type { GameShop } from "@types";
import { Ludusavi } from "@main/services"; import { Ludusavi } from "@main/services";
import { gameRepository } from "@main/repository"; import { gamesSublevel, levelKeys } from "@main/level";
const getGameBackupPreview = async ( const getGameBackupPreview = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
objectId: string, objectId: string,
shop: GameShop shop: GameShop
) => { ) => {
const game = await gameRepository.findOne({ const game = await gamesSublevel.get(levelKeys.game(shop, objectId));
where: {
objectID: objectId,
shop,
},
});
return Ludusavi.getBackupPreview(shop, objectId, game?.winePrefixPath); return Ludusavi.getBackupPreview(shop, objectId, game?.winePrefixPath);
}; };

View file

@ -10,7 +10,7 @@ import os from "node:os";
import { backupsPath } from "@main/constants"; import { backupsPath } from "@main/constants";
import { app } from "electron"; import { app } from "electron";
import { normalizePath } from "@main/helpers"; import { normalizePath } from "@main/helpers";
import { gameRepository } from "@main/repository"; import { gamesSublevel, levelKeys } from "@main/level";
const bundleBackup = async ( const bundleBackup = async (
shop: GameShop, shop: GameShop,
@ -46,12 +46,7 @@ const uploadSaveGame = async (
shop: GameShop, shop: GameShop,
downloadOptionTitle: string | null downloadOptionTitle: string | null
) => { ) => {
const game = await gameRepository.findOne({ const game = await gamesSublevel.get(levelKeys.game(shop, objectId));
where: {
objectID: objectId,
shop,
},
});
const bundleLocation = await bundleBackup( const bundleLocation = await bundleBackup(
shop, shop,

View file

@ -1,44 +0,0 @@
import { Document as YMLDocument } from "yaml";
import { Game } from "@main/entity";
import path from "node:path";
export const generateYML = (game: Game) => {
const slugifiedGameTitle = game.title.replace(/\s/g, "-").toLocaleLowerCase();
const doc = new YMLDocument({
name: game.title,
game_slug: slugifiedGameTitle,
slug: `${slugifiedGameTitle}-installer`,
version: "Installer",
runner: "wine",
script: {
game: {
prefix: "$GAMEDIR",
arch: "win64",
working_dir: "$GAMEDIR",
},
installer: [
{
task: {
name: "create_prefix",
arch: "win64",
prefix: "$GAMEDIR",
},
},
{
task: {
executable: path.join(
game.downloadPath!,
game.folderName!,
"setup.exe"
),
name: "wineexec",
prefix: "$GAMEDIR",
},
},
],
},
});
return doc.toString();
};

View file

@ -1,12 +1,14 @@
import { userPreferencesRepository } from "@main/repository";
import { defaultDownloadsPath } from "@main/constants"; import { defaultDownloadsPath } from "@main/constants";
import { db, levelKeys } from "@main/level";
import type { UserPreferences } from "@types";
export const getDownloadsPath = async () => { export const getDownloadsPath = async () => {
const userPreferences = await userPreferencesRepository.findOne({ const userPreferences = await db.get<string, UserPreferences>(
where: { levelKeys.userPreferences,
id: 1, {
}, valueEncoding: "json",
}); }
);
if (userPreferences && userPreferences.downloadsPath) if (userPreferences && userPreferences.downloadsPath)
return userPreferences.downloadsPath; return userPreferences.downloadsPath;

View file

@ -1,33 +1,30 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import type { GameShop } from "@types"; import type { Game, GameShop } from "@types";
import { steamGamesWorker } from "@main/workers"; import { steamGamesWorker } from "@main/workers";
import { createGame } from "@main/services/library-sync"; import { createGame } from "@main/services/library-sync";
import { steamUrlBuilder } from "@shared"; import { steamUrlBuilder } from "@shared";
import { updateLocalUnlockedAchivements } from "@main/services/achievements/update-local-unlocked-achivements"; import { updateLocalUnlockedAchivements } from "@main/services/achievements/update-local-unlocked-achivements";
import { downloadsSublevel, gamesSublevel, levelKeys } from "@main/level";
const addGameToLibrary = async ( const addGameToLibrary = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
shop: GameShop,
objectId: string, objectId: string,
title: string, title: string
shop: GameShop
) => { ) => {
return gameRepository const gameKey = levelKeys.game(shop, objectId);
.update( const game = await gamesSublevel.get(gameKey);
{
objectID: objectId, if (game) {
}, await downloadsSublevel.del(gameKey);
{
shop, await gamesSublevel.put(gameKey, {
status: null, ...game,
isDeleted: false, isDeleted: false,
} });
) } else {
.then(async ({ affected }) => {
if (!affected) {
const steamGame = await steamGamesWorker.run(Number(objectId), { const steamGame = await steamGamesWorker.run(Number(objectId), {
name: "getById", name: "getById",
}); });
@ -36,22 +33,23 @@ const addGameToLibrary = async (
? steamUrlBuilder.icon(objectId, steamGame.clientIcon) ? steamUrlBuilder.icon(objectId, steamGame.clientIcon)
: null; : null;
await gameRepository.insert({ const game: Game = {
title, title,
iconUrl, iconUrl,
objectID: objectId, objectId,
shop, shop,
}); remoteId: null,
} isDeleted: false,
playTimeInMilliseconds: 0,
lastTimePlayed: null,
};
const game = await gameRepository.findOne({ await gamesSublevel.put(levelKeys.game(shop, objectId), game);
where: { objectID: objectId },
});
updateLocalUnlockedAchivements(game!); updateLocalUnlockedAchivements(game!);
createGame(game!).catch(() => {}); createGame(game!).catch(() => {});
}); }
}; };
registerEvent("addGameToLibrary", addGameToLibrary); registerEvent("addGameToLibrary", addGameToLibrary);

View file

@ -1,10 +1,11 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { logger } from "@main/services"; import { logger } from "@main/services";
import sudo from "sudo-prompt"; import sudo from "sudo-prompt";
import { app } from "electron"; import { app } from "electron";
import { PythonRPC } from "@main/services/python-rpc"; import { PythonRPC } from "@main/services/python-rpc";
import { ProcessPayload } from "@main/services/download/types"; import { ProcessPayload } from "@main/services/download/types";
import { gamesSublevel, levelKeys } from "@main/level";
import { GameShop } from "@types";
const getKillCommand = (pid: number) => { const getKillCommand = (pid: number) => {
if (process.platform == "win32") { if (process.platform == "win32") {
@ -16,15 +17,14 @@ const getKillCommand = (pid: number) => {
const closeGame = async ( const closeGame = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
const processes = const processes =
(await PythonRPC.rpc.get<ProcessPayload[] | null>("/process-list")).data || (await PythonRPC.rpc.get<ProcessPayload[] | null>("/process-list")).data ||
[]; [];
const game = await gameRepository.findOne({ const game = await gamesSublevel.get(levelKeys.game(shop, objectId));
where: { id: gameId, isDeleted: false },
});
if (!game) return; if (!game) return;

View file

@ -1,18 +1,18 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { IsNull, Not } from "typeorm";
import createDesktopShortcut from "create-desktop-shortcuts"; import createDesktopShortcut from "create-desktop-shortcuts";
import path from "node:path"; import path from "node:path";
import { app } from "electron"; import { app } from "electron";
import { removeSymbolsFromName } from "@shared"; import { removeSymbolsFromName } from "@shared";
import { GameShop } from "@types";
import { gamesSublevel, levelKeys } from "@main/level";
const createGameShortcut = async ( const createGameShortcut = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
id: number shop: GameShop,
objectId: string
): Promise<boolean> => { ): Promise<boolean> => {
const game = await gameRepository.findOne({ const gameKey = levelKeys.game(shop, objectId);
where: { id, executablePath: Not(IsNull()) }, const game = await gamesSublevel.get(gameKey);
});
if (game) { if (game) {
const filePath = game.executablePath; const filePath = game.executablePath;

View file

@ -1,37 +1,27 @@
import path from "node:path"; import path from "node:path";
import fs from "node:fs"; import fs from "node:fs";
import { gameRepository } from "@main/repository";
import { getDownloadsPath } from "../helpers/get-downloads-path"; import { getDownloadsPath } from "../helpers/get-downloads-path";
import { logger } from "@main/services"; import { logger } from "@main/services";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { GameShop } from "@types";
import { downloadsSublevel, levelKeys } from "@main/level";
const deleteGameFolder = async ( const deleteGameFolder = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
): Promise<void> => { ): Promise<void> => {
const game = await gameRepository.findOne({ const downloadKey = levelKeys.game(shop, objectId);
where: [
{
id: gameId,
isDeleted: false,
status: "removed",
},
{
id: gameId,
progress: 1,
isDeleted: false,
},
],
});
if (!game) return; const download = await downloadsSublevel.get(downloadKey);
if (game.folderName) { if (!download) return;
if (download.folderName) {
const folderPath = path.join( const folderPath = path.join(
game.downloadPath ?? (await getDownloadsPath()), download.downloadPath ?? (await getDownloadsPath()),
game.folderName download.folderName
); );
if (fs.existsSync(folderPath)) { if (fs.existsSync(folderPath)) {
@ -52,10 +42,7 @@ const deleteGameFolder = async (
} }
} }
await gameRepository.update( await downloadsSublevel.del(downloadKey);
{ id: gameId },
{ downloadPath: null, folderName: null, status: null, progress: 0 }
);
}; };
registerEvent("deleteGameFolder", deleteGameFolder); registerEvent("deleteGameFolder", deleteGameFolder);

View file

@ -1,16 +1,21 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gamesSublevel, downloadsSublevel, levelKeys } from "@main/level";
import type { GameShop } from "@types";
const getGameByObjectId = async ( const getGameByObjectId = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
shop: GameShop,
objectId: string objectId: string
) => ) => {
gameRepository.findOne({ const gameKey = levelKeys.game(shop, objectId);
where: { const [game, download] = await Promise.all([
objectID: objectId, gamesSublevel.get(gameKey),
isDeleted: false, downloadsSublevel.get(gameKey),
}, ]);
});
if (!game || game.isDeleted) return null;
return { id: gameKey, ...game, download };
};
registerEvent("getGameByObjectId", getGameByObjectId); registerEvent("getGameByObjectId", getGameByObjectId);

View file

@ -1,17 +1,26 @@
import { gameRepository } from "@main/repository"; import type { LibraryGame } from "@types";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { downloadsSublevel, gamesSublevel } from "@main/level";
const getLibrary = async () => const getLibrary = async (): Promise<LibraryGame[]> => {
gameRepository.find({ return gamesSublevel
where: { .iterator()
isDeleted: false, .all()
}, .then((results) => {
relations: { return Promise.all(
downloadQueue: true, results
}, .filter(([_key, game]) => game.isDeleted === false)
order: { .map(async ([key, game]) => {
createdAt: "desc", const download = await downloadsSublevel.get(key);
},
return {
id: key,
...game,
download: download ?? null,
};
})
);
}); });
};
registerEvent("getLibrary", getLibrary); registerEvent("getLibrary", getLibrary);

View file

@ -1,14 +1,14 @@
import { shell } from "electron"; import { shell } from "electron";
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gamesSublevel, levelKeys } from "@main/level";
import { GameShop } from "@types";
const openGameExecutablePath = async ( const openGameExecutablePath = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
const game = await gameRepository.findOne({ const game = await gamesSublevel.get(levelKeys.game(shop, objectId));
where: { id: gameId, isDeleted: false },
});
if (!game || !game.executablePath) return; if (!game || !game.executablePath) return;

View file

@ -1,22 +1,22 @@
import { shell } from "electron"; import { shell } from "electron";
import path from "node:path"; import path from "node:path";
import { gameRepository } from "@main/repository";
import { getDownloadsPath } from "../helpers/get-downloads-path"; import { getDownloadsPath } from "../helpers/get-downloads-path";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { GameShop } from "@types";
import { downloadsSublevel, levelKeys } from "@main/level";
const openGameInstallerPath = async ( const openGameInstallerPath = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
const game = await gameRepository.findOne({ const download = await downloadsSublevel.get(levelKeys.game(shop, objectId));
where: { id: gameId, isDeleted: false },
});
if (!game || !game.folderName || !game.downloadPath) return true; if (!download || !download.folderName || !download.downloadPath) return true;
const gamePath = path.join( const gamePath = path.join(
game.downloadPath ?? (await getDownloadsPath()), download.downloadPath ?? (await getDownloadsPath()),
game.folderName! download.folderName!
); );
shell.showItemInFolder(gamePath); shell.showItemInFolder(gamePath);

View file

@ -1,14 +1,12 @@
import { shell } from "electron"; import { shell } from "electron";
import path from "node:path"; import path from "node:path";
import fs from "node:fs"; import fs from "node:fs";
import { writeFile } from "node:fs/promises";
import { spawnSync, exec } from "node:child_process"; import { spawnSync, exec } from "node:child_process";
import { gameRepository } from "@main/repository";
import { generateYML } from "../helpers/generate-lutris-yaml";
import { getDownloadsPath } from "../helpers/get-downloads-path"; import { getDownloadsPath } from "../helpers/get-downloads-path";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { downloadsSublevel, levelKeys } from "@main/level";
import { GameShop } from "@types";
const executeGameInstaller = (filePath: string) => { const executeGameInstaller = (filePath: string) => {
if (process.platform === "win32") { if (process.platform === "win32") {
@ -26,21 +24,21 @@ const executeGameInstaller = (filePath: string) => {
const openGameInstaller = async ( const openGameInstaller = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
const game = await gameRepository.findOne({ const downloadKey = levelKeys.game(shop, objectId);
where: { id: gameId, isDeleted: false }, const download = await downloadsSublevel.get(downloadKey);
});
if (!game || !game.folderName) return true; if (!download?.folderName) return true;
const gamePath = path.join( const gamePath = path.join(
game.downloadPath ?? (await getDownloadsPath()), download.downloadPath ?? (await getDownloadsPath()),
game.folderName! download.folderName
); );
if (!fs.existsSync(gamePath)) { if (!fs.existsSync(gamePath)) {
await gameRepository.update({ id: gameId }, { status: null }); await downloadsSublevel.del(downloadKey);
return true; return true;
} }
@ -70,13 +68,6 @@ const openGameInstaller = async (
); );
} }
if (spawnSync("which", ["lutris"]).status === 0) {
const ymlPath = path.join(gamePath, "setup.yml");
await writeFile(ymlPath, generateYML(game));
exec(`lutris --install "${ymlPath}"`);
return true;
}
shell.openPath(gamePath); shell.openPath(gamePath);
return true; return true;
}; };

View file

@ -1,22 +1,30 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { shell } from "electron"; import { shell } from "electron";
import { parseExecutablePath } from "../helpers/parse-executable-path"; import { parseExecutablePath } from "../helpers/parse-executable-path";
import { gamesSublevel, levelKeys } from "@main/level";
import { GameShop } from "@types";
const openGame = async ( const openGame = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number, shop: GameShop,
objectId: string,
executablePath: string, executablePath: string,
launchOptions: string | null launchOptions?: string | null
) => { ) => {
// TODO: revisit this for launchOptions // TODO: revisit this for launchOptions
const parsedPath = parseExecutablePath(executablePath); const parsedPath = parseExecutablePath(executablePath);
await gameRepository.update( const gameKey = levelKeys.game(shop, objectId);
{ id: gameId },
{ executablePath: parsedPath, launchOptions } const game = await gamesSublevel.get(gameKey);
);
if (!game) return;
await gamesSublevel.put(gameKey, {
...game,
executablePath: parsedPath,
launchOptions,
});
shell.openPath(parsedPath); shell.openPath(parsedPath);
}; };

View file

@ -1,27 +1,27 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gameRepository } from "../../repository"; import { HydraApi } from "@main/services";
import { HydraApi, logger } from "@main/services"; import { gamesSublevel, levelKeys } from "@main/level";
import type { GameShop } from "@types";
const removeGameFromLibrary = async ( const removeGameFromLibrary = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
gameRepository.update( const gameKey = levelKeys.game(shop, objectId);
{ id: gameId }, const game = await gamesSublevel.get(gameKey);
{ isDeleted: true, executablePath: null }
);
removeRemoveGameFromLibrary(gameId).catch((err) => { if (game) {
logger.error("removeRemoveGameFromLibrary", err); await gamesSublevel.put(gameKey, {
...game,
isDeleted: true,
executablePath: null,
}); });
};
const removeRemoveGameFromLibrary = async (gameId: number) => {
const game = await gameRepository.findOne({ where: { id: gameId } });
if (game?.remoteId) { if (game?.remoteId) {
HydraApi.delete(`/profile/games/${game.remoteId}`).catch(() => {}); HydraApi.delete(`/profile/games/${game.remoteId}`).catch(() => {});
} }
}
}; };
registerEvent("removeGameFromLibrary", removeGameFromLibrary); registerEvent("removeGameFromLibrary", removeGameFromLibrary);

View file

@ -1,21 +1,14 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gameRepository } from "../../repository"; import { levelKeys, downloadsSublevel } from "@main/level";
import { GameShop } from "@types";
const removeGame = async ( const removeGame = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
await gameRepository.update( const downloadKey = levelKeys.game(shop, objectId);
{ await downloadsSublevel.del(downloadKey);
id: gameId,
},
{
status: "removed",
downloadPath: null,
bytesDownloaded: 0,
progress: 0,
}
);
}; };
registerEvent("removeGame", removeGame); registerEvent("removeGame", removeGame);

View file

@ -1,16 +1,22 @@
import { gameAchievementRepository, gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { findAchievementFiles } from "@main/services/achievements/find-achivement-files"; import { findAchievementFiles } from "@main/services/achievements/find-achivement-files";
import fs from "fs"; import fs from "fs";
import { achievementsLogger, HydraApi, WindowManager } from "@main/services"; import { achievementsLogger, HydraApi, WindowManager } from "@main/services";
import { getUnlockedAchievements } from "../user/get-unlocked-achievements"; import { getUnlockedAchievements } from "../user/get-unlocked-achievements";
import {
gameAchievementsSublevel,
gamesSublevel,
levelKeys,
} from "@main/level";
import type { GameShop } from "@types";
const resetGameAchievements = async ( const resetGameAchievements = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
try { try {
const game = await gameRepository.findOne({ where: { id: gameId } }); const game = await gamesSublevel.get(levelKeys.game(shop, objectId));
if (!game) return; if (!game) return;
@ -23,28 +29,34 @@ const resetGameAchievements = async (
} }
} }
await gameAchievementRepository.update( const levelKey = levelKeys.game(game.shop, game.objectId);
{ objectId: game.objectID },
{ await gameAchievementsSublevel
unlockedAchievements: null, .get(levelKey)
.then(async (gameAchievements) => {
if (gameAchievements) {
await gameAchievementsSublevel.put(levelKey, {
...gameAchievements,
unlockedAchievements: [],
});
} }
); });
await HydraApi.delete(`/profile/games/achievements/${game.remoteId}`).then( await HydraApi.delete(`/profile/games/achievements/${game.remoteId}`).then(
() => () =>
achievementsLogger.log( achievementsLogger.log(
`Deleted achievements from ${game.remoteId} - ${game.objectID} - ${game.title}` `Deleted achievements from ${game.remoteId} - ${game.objectId} - ${game.title}`
) )
); );
const gameAchievements = await getUnlockedAchievements( const gameAchievements = await getUnlockedAchievements(
game.objectID, game.objectId,
game.shop, game.shop,
true true
); );
WindowManager.mainWindow?.webContents.send( WindowManager.mainWindow?.webContents.send(
`on-update-achievements-${game.objectID}-${game.shop}`, `on-update-achievements-${game.objectId}-${game.shop}`,
gameAchievements gameAchievements
); );
} catch (error) { } catch (error) {

View file

@ -1,13 +1,23 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { levelKeys, gamesSublevel } from "@main/level";
import type { GameShop } from "@types";
const selectGameWinePrefix = async ( const selectGameWinePrefix = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
id: number, shop: GameShop,
objectId: string,
winePrefixPath: string | null winePrefixPath: string | null
) => { ) => {
return gameRepository.update({ id }, { winePrefixPath: winePrefixPath }); const gameKey = levelKeys.game(shop, objectId);
const game = await gamesSublevel.get(gameKey);
if (!game) return;
await gamesSublevel.put(gameKey, {
...game,
winePrefixPath: winePrefixPath,
});
}; };
registerEvent("selectGameWinePrefix", selectGameWinePrefix); registerEvent("selectGameWinePrefix", selectGameWinePrefix);

View file

@ -1,25 +1,27 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { parseExecutablePath } from "../helpers/parse-executable-path"; import { parseExecutablePath } from "../helpers/parse-executable-path";
import { gamesSublevel, levelKeys } from "@main/level";
import type { GameShop } from "@types";
const updateExecutablePath = async ( const updateExecutablePath = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
id: number, shop: GameShop,
objectId: string,
executablePath: string | null executablePath: string | null
) => { ) => {
const parsedPath = executablePath const parsedPath = executablePath
? parseExecutablePath(executablePath) ? parseExecutablePath(executablePath)
: null; : null;
return gameRepository.update( const gameKey = levelKeys.game(shop, objectId);
{
id, const game = await gamesSublevel.get(gameKey);
}, if (!game) return;
{
await gamesSublevel.put(gameKey, {
...game,
executablePath: parsedPath, executablePath: parsedPath,
} });
);
}; };
registerEvent("updateExecutablePath", updateExecutablePath); registerEvent("updateExecutablePath", updateExecutablePath);

View file

@ -1,19 +1,23 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gamesSublevel, levelKeys } from "@main/level";
import { GameShop } from "@types";
const updateLaunchOptions = async ( const updateLaunchOptions = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
id: number, shop: GameShop,
objectId: string,
launchOptions: string | null launchOptions: string | null
) => { ) => {
return gameRepository.update( const gameKey = levelKeys.game(shop, objectId);
{
id, const game = await gamesSublevel.get(gameKey);
},
{ if (game) {
await gamesSublevel.put(gameKey, {
...game,
launchOptions: launchOptions?.trim() != "" ? launchOptions : null, launchOptions: launchOptions?.trim() != "" ? launchOptions : null,
});
} }
);
}; };
registerEvent("updateLaunchOptions", updateLaunchOptions); registerEvent("updateLaunchOptions", updateLaunchOptions);

View file

@ -1,13 +1,17 @@
import { gameRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gamesSublevel } from "@main/level";
const verifyExecutablePathInUse = async ( const verifyExecutablePathInUse = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
executablePath: string executablePath: string
) => { ) => {
return gameRepository.findOne({ for await (const game of gamesSublevel.values()) {
where: { executablePath }, if (game.executablePath === executablePath) {
}); return true;
}
}
return false;
}; };
registerEvent("verifyExecutablePathInUse", verifyExecutablePathInUse); registerEvent("verifyExecutablePathInUse", verifyExecutablePathInUse);

View file

@ -1,17 +1,20 @@
import { shell } from "electron"; import { shell } from "electron";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { userAuthRepository } from "@main/repository"; import { Crypto, HydraApi } from "@main/services";
import { HydraApi } from "@main/services"; import { db, levelKeys } from "@main/level";
import type { Auth } from "@types";
const openCheckout = async (_event: Electron.IpcMainInvokeEvent) => { const openCheckout = async (_event: Electron.IpcMainInvokeEvent) => {
const userAuth = await userAuthRepository.findOne({ where: { id: 1 } }); const auth = await db.get<string, Auth>(levelKeys.auth, {
valueEncoding: "json",
});
if (!userAuth) { if (!auth) {
return; return;
} }
const paymentToken = await HydraApi.post("/auth/payment", { const paymentToken = await HydraApi.post("/auth/payment", {
refreshToken: userAuth.refreshToken, refreshToken: Crypto.decrypt(auth.refreshToken),
}).then((response) => response.accessToken); }).then((response) => response.accessToken);
const params = new URLSearchParams({ const params = new URLSearchParams({

View file

@ -1,7 +1,8 @@
import { Notification } from "electron"; import { Notification } from "electron";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { userPreferencesRepository } from "@main/repository";
import { t } from "i18next"; import { t } from "i18next";
import { db, levelKeys } from "@main/level";
import type { UserPreferences } from "@types";
const publishNewRepacksNotification = async ( const publishNewRepacksNotification = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
@ -9,9 +10,12 @@ const publishNewRepacksNotification = async (
) => { ) => {
if (newRepacksCount < 1) return; if (newRepacksCount < 1) return;
const userPreferences = await userPreferencesRepository.findOne({ const userPreferences = await db.get<string, UserPreferences>(
where: { id: 1 }, levelKeys.userPreferences,
}); {
valueEncoding: "json",
}
);
if (userPreferences?.repackUpdatesNotificationsEnabled) { if (userPreferences?.repackUpdatesNotificationsEnabled) {
new Notification({ new Notification({

View file

@ -1,31 +1,19 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { DownloadManager } from "@main/services"; import { DownloadManager } from "@main/services";
import { dataSource } from "@main/data-source"; import { GameShop } from "@types";
import { DownloadQueue, Game } from "@main/entity"; import { downloadsSublevel, levelKeys } from "@main/level";
const cancelGameDownload = async ( const cancelGameDownload = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
await dataSource.transaction(async (transactionalEntityManager) => { const downloadKey = levelKeys.game(shop, objectId);
await DownloadManager.cancelDownload(gameId);
await transactionalEntityManager.getRepository(DownloadQueue).delete({ await DownloadManager.cancelDownload(downloadKey);
game: { id: gameId },
});
await transactionalEntityManager.getRepository(Game).update( await downloadsSublevel.del(downloadKey);
{
id: gameId,
},
{
status: "removed",
bytesDownloaded: 0,
progress: 0,
}
);
});
}; };
registerEvent("cancelGameDownload", cancelGameDownload); registerEvent("cancelGameDownload", cancelGameDownload);

View file

@ -1,24 +1,27 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { DownloadManager } from "@main/services"; import { DownloadManager } from "@main/services";
import { dataSource } from "@main/data-source"; import { GameShop } from "@types";
import { DownloadQueue, Game } from "@main/entity"; import { downloadsSublevel, levelKeys } from "@main/level";
const pauseGameDownload = async ( const pauseGameDownload = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
await dataSource.transaction(async (transactionalEntityManager) => { const gameKey = levelKeys.game(shop, objectId);
await DownloadManager.pauseDownload();
await transactionalEntityManager.getRepository(DownloadQueue).delete({ const download = await downloadsSublevel.get(gameKey);
game: { id: gameId },
});
await transactionalEntityManager if (download) {
.getRepository(Game) await DownloadManager.pauseDownload(gameKey);
.update({ id: gameId }, { status: "paused" });
await downloadsSublevel.put(gameKey, {
...download,
status: "paused",
queued: false,
}); });
}
}; };
registerEvent("pauseGameDownload", pauseGameDownload); registerEvent("pauseGameDownload", pauseGameDownload);

View file

@ -1,17 +1,24 @@
import { downloadsSublevel, levelKeys } from "@main/level";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { DownloadManager } from "@main/services"; import { DownloadManager } from "@main/services";
import { gameRepository } from "@main/repository"; import type { GameShop } from "@types";
const pauseGameSeed = async ( const pauseGameSeed = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
await gameRepository.update(gameId, { const downloadKey = levelKeys.game(shop, objectId);
status: "complete", const download = await downloadsSublevel.get(downloadKey);
if (!download) return;
await downloadsSublevel.put(downloadKey, {
...download,
shouldSeed: false, shouldSeed: false,
}); });
await DownloadManager.pauseSeeding(gameId); await DownloadManager.pauseSeeding(downloadKey);
}; };
registerEvent("pauseGameSeed", pauseGameSeed); registerEvent("pauseGameSeed", pauseGameSeed);

View file

@ -1,46 +1,37 @@
import { Not } from "typeorm";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gameRepository } from "../../repository";
import { DownloadManager } from "@main/services"; import { DownloadManager } from "@main/services";
import { dataSource } from "@main/data-source"; import { downloadsSublevel, levelKeys } from "@main/level";
import { DownloadQueue, Game } from "@main/entity"; import { GameShop } from "@types";
const resumeGameDownload = async ( const resumeGameDownload = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
const game = await gameRepository.findOne({ const gameKey = levelKeys.game(shop, objectId);
where: {
id: gameId,
isDeleted: false,
},
});
if (!game) return; const download = await downloadsSublevel.get(gameKey);
if (game.status === "paused") { if (download?.status === "paused") {
await dataSource.transaction(async (transactionalEntityManager) => {
await DownloadManager.pauseDownload(); await DownloadManager.pauseDownload();
await transactionalEntityManager for await (const [key, value] of downloadsSublevel.iterator()) {
.getRepository(Game) if (value.status === "active" && value.progress !== 1) {
.update({ status: "active", progress: Not(1) }, { status: "paused" }); await downloadsSublevel.put(key, {
...value,
status: "paused",
});
}
}
await DownloadManager.resumeDownload(game); await DownloadManager.resumeDownload(download);
await transactionalEntityManager await downloadsSublevel.put(gameKey, {
.getRepository(DownloadQueue) ...download,
.delete({ game: { id: gameId } }); status: "active",
timestamp: Date.now(),
await transactionalEntityManager queued: true,
.getRepository(DownloadQueue)
.insert({ game: { id: gameId } });
await transactionalEntityManager
.getRepository(Game)
.update({ id: gameId }, { status: "active" });
}); });
} }
}; };

View file

@ -1,29 +1,23 @@
import { downloadsSublevel, levelKeys } from "@main/level";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { gameRepository } from "../../repository";
import { DownloadManager } from "@main/services"; import { DownloadManager } from "@main/services";
import { Downloader } from "@shared"; import type { GameShop } from "@types";
const resumeGameSeed = async ( const resumeGameSeed = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
gameId: number shop: GameShop,
objectId: string
) => { ) => {
const game = await gameRepository.findOne({ const download = await downloadsSublevel.get(levelKeys.game(shop, objectId));
where: {
id: gameId,
isDeleted: false,
downloader: Downloader.Torrent,
progress: 1,
},
});
if (!game) return; if (!download) return;
await gameRepository.update(gameId, { await downloadsSublevel.put(levelKeys.game(shop, objectId), {
status: "seeding", ...download,
shouldSeed: true, shouldSeed: true,
}); });
await DownloadManager.resumeSeeding(game); await DownloadManager.resumeSeeding(download);
}; };
registerEvent("resumeGameSeed", resumeGameSeed); registerEvent("resumeGameSeed", resumeGameSeed);

View file

@ -1,13 +1,11 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import type { StartGameDownloadPayload } from "@types"; import type { Download, StartGameDownloadPayload } from "@types";
import { DownloadManager, HydraApi } from "@main/services"; import { DownloadManager, HydraApi } from "@main/services";
import { Not } from "typeorm";
import { steamGamesWorker } from "@main/workers"; import { steamGamesWorker } from "@main/workers";
import { createGame } from "@main/services/library-sync"; import { createGame } from "@main/services/library-sync";
import { steamUrlBuilder } from "@shared"; import { steamUrlBuilder } from "@shared";
import { dataSource } from "@main/data-source"; import { downloadsSublevel, gamesSublevel, levelKeys } from "@main/level";
import { DownloadQueue, Game } from "@main/entity";
const startGameDownload = async ( const startGameDownload = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
@ -15,40 +13,29 @@ const startGameDownload = async (
) => { ) => {
const { objectId, title, shop, downloadPath, downloader, uri } = payload; const { objectId, title, shop, downloadPath, downloader, uri } = payload;
return dataSource.transaction(async (transactionalEntityManager) => { const gameKey = levelKeys.game(shop, objectId);
const gameRepository = transactionalEntityManager.getRepository(Game);
const downloadQueueRepository =
transactionalEntityManager.getRepository(DownloadQueue);
const game = await gameRepository.findOne({
where: {
objectID: objectId,
shop,
},
});
await DownloadManager.pauseDownload(); await DownloadManager.pauseDownload();
await gameRepository.update( for await (const [key, value] of downloadsSublevel.iterator()) {
{ status: "active", progress: Not(1) }, if (value.status === "active" && value.progress !== 1) {
{ status: "paused" } await downloadsSublevel.put(key, {
); ...value,
status: "paused",
if (game) { });
await gameRepository.update(
{
id: game.id,
},
{
status: "active",
progress: 0,
bytesDownloaded: 0,
downloadPath,
downloader,
uri,
isDeleted: false,
} }
); }
const game = await gamesSublevel.get(gameKey);
/* Delete any previous download */
await downloadsSublevel.del(gameKey);
if (game?.isDeleted) {
await gamesSublevel.put(gameKey, {
...game,
isDeleted: false,
});
} else { } else {
const steamGame = await steamGamesWorker.run(Number(objectId), { const steamGame = await steamGamesWorker.run(Number(objectId), {
name: "getById", name: "getById",
@ -58,42 +45,53 @@ const startGameDownload = async (
? steamUrlBuilder.icon(objectId, steamGame.clientIcon) ? steamUrlBuilder.icon(objectId, steamGame.clientIcon)
: null; : null;
await gameRepository.insert({ await gamesSublevel.put(gameKey, {
title, title,
iconUrl, iconUrl,
objectID: objectId, objectId,
downloader,
shop, shop,
status: "active", remoteId: null,
downloadPath, playTimeInMilliseconds: 0,
uri, lastTimePlayed: null,
isDeleted: false,
}); });
} }
const updatedGame = await gameRepository.findOne({ await DownloadManager.cancelDownload(gameKey);
where: {
objectID: objectId,
},
});
await DownloadManager.cancelDownload(updatedGame!.id); const download: Download = {
await DownloadManager.startDownload(updatedGame!); shop,
objectId,
status: "active",
progress: 0,
bytesDownloaded: 0,
downloadPath,
downloader,
uri,
folderName: null,
fileSize: null,
shouldSeed: false,
timestamp: Date.now(),
queued: true,
};
await downloadQueueRepository.delete({ game: { id: updatedGame!.id } }); await downloadsSublevel.put(gameKey, download);
await downloadQueueRepository.insert({ game: { id: updatedGame!.id } });
await DownloadManager.startDownload(download);
const updatedGame = await gamesSublevel.get(gameKey);
await Promise.all([ await Promise.all([
createGame(updatedGame!).catch(() => {}), createGame(updatedGame!).catch(() => {}),
HydraApi.post( HydraApi.post(
"/games/download", "/games/download",
{ {
objectId: updatedGame!.objectID, objectId,
shop: updatedGame!.shop, shop,
}, },
{ needsAuth: false } { needsAuth: false }
).catch(() => {}), ).catch(() => {}),
]); ]);
});
}; };
registerEvent("startGameDownload", startGameDownload); registerEvent("startGameDownload", startGameDownload);

View file

@ -1,9 +1,21 @@
import { userPreferencesRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { db, levelKeys } from "@main/level";
import { Crypto } from "@main/services";
import type { UserPreferences } from "@types";
const getUserPreferences = async () => const getUserPreferences = async () =>
userPreferencesRepository.findOne({ db
where: { id: 1 }, .get<string, UserPreferences>(levelKeys.userPreferences, {
valueEncoding: "json",
})
.then((userPreferences) => {
if (userPreferences.realDebridApiToken) {
userPreferences.realDebridApiToken = Crypto.decrypt(
userPreferences.realDebridApiToken
);
}
return userPreferences;
}); });
registerEvent("getUserPreferences", getUserPreferences); registerEvent("getUserPreferences", getUserPreferences);

View file

@ -1,23 +1,35 @@
import { userPreferencesRepository } from "@main/repository";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import type { UserPreferences } from "@types"; import type { UserPreferences } from "@types";
import i18next from "i18next"; import i18next from "i18next";
import { db, levelKeys } from "@main/level";
const updateUserPreferences = async ( const updateUserPreferences = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
preferences: Partial<UserPreferences> preferences: Partial<UserPreferences>
) => { ) => {
const userPreferences = await db.get<string, UserPreferences>(
levelKeys.userPreferences,
{ valueEncoding: "json" }
);
if (preferences.language) { if (preferences.language) {
await db.put<string, string>(levelKeys.language, preferences.language, {
valueEncoding: "utf-8",
});
i18next.changeLanguage(preferences.language); i18next.changeLanguage(preferences.language);
} }
return userPreferencesRepository.upsert( await db.put<string, UserPreferences>(
levelKeys.userPreferences,
{ {
id: 1, ...userPreferences,
...preferences, ...preferences,
}, },
["id"] {
valueEncoding: "json",
}
); );
}; };

View file

@ -1,7 +1,8 @@
import type { ComparedAchievements, GameShop } from "@types"; import type { ComparedAchievements, GameShop, UserPreferences } from "@types";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { userPreferencesRepository } from "@main/repository";
import { HydraApi } from "@main/services"; import { HydraApi } from "@main/services";
import { db, levelKeys } from "@main/level";
const getComparedUnlockedAchievements = async ( const getComparedUnlockedAchievements = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
@ -9,9 +10,12 @@ const getComparedUnlockedAchievements = async (
shop: GameShop, shop: GameShop,
userId: string userId: string
) => { ) => {
const userPreferences = await userPreferencesRepository.findOne({ const userPreferences = await db.get<string, UserPreferences>(
where: { id: 1 }, levelKeys.userPreferences,
}); {
valueEncoding: "json",
}
);
const showHiddenAchievementsDescription = const showHiddenAchievementsDescription =
userPreferences?.showHiddenAchievementsDescription || false; userPreferences?.showHiddenAchievementsDescription || false;

View file

@ -1,23 +1,23 @@
import type { GameShop, UnlockedAchievement, UserAchievement } from "@types"; import type { GameShop, UserAchievement, UserPreferences } from "@types";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import {
gameAchievementRepository,
userPreferencesRepository,
} from "@main/repository";
import { getGameAchievementData } from "@main/services/achievements/get-game-achievement-data"; import { getGameAchievementData } from "@main/services/achievements/get-game-achievement-data";
import { db, gameAchievementsSublevel, levelKeys } from "@main/level";
export const getUnlockedAchievements = async ( export const getUnlockedAchievements = async (
objectId: string, objectId: string,
shop: GameShop, shop: GameShop,
useCachedData: boolean useCachedData: boolean
): Promise<UserAchievement[]> => { ): Promise<UserAchievement[]> => {
const cachedAchievements = await gameAchievementRepository.findOne({ const cachedAchievements = await gameAchievementsSublevel.get(
where: { objectId, shop }, levelKeys.game(shop, objectId)
}); );
const userPreferences = await userPreferencesRepository.findOne({ const userPreferences = await db.get<string, UserPreferences>(
where: { id: 1 }, levelKeys.userPreferences,
}); {
valueEncoding: "json",
}
);
const showHiddenAchievementsDescription = const showHiddenAchievementsDescription =
userPreferences?.showHiddenAchievementsDescription || false; userPreferences?.showHiddenAchievementsDescription || false;
@ -25,12 +25,10 @@ export const getUnlockedAchievements = async (
const achievementsData = await getGameAchievementData( const achievementsData = await getGameAchievementData(
objectId, objectId,
shop, shop,
useCachedData ? cachedAchievements : null useCachedData
); );
const unlockedAchievements = JSON.parse( const unlockedAchievements = cachedAchievements?.unlockedAchievements ?? [];
cachedAchievements?.unlockedAchievements || "[]"
) as UnlockedAchievement[];
return achievementsData return achievementsData
.map((achievementData) => { .map((achievementData) => {

View file

@ -1,16 +1,19 @@
import { userAuthRepository } from "@main/repository"; import { db } from "@main/level";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { HydraApi } from "@main/services"; import { HydraApi } from "@main/services";
import type { UserFriends } from "@types"; import type { User, UserFriends } from "@types";
import { levelKeys } from "@main/level/sublevels";
export const getUserFriends = async ( export const getUserFriends = async (
userId: string, userId: string,
take: number, take: number,
skip: number skip: number
): Promise<UserFriends> => { ): Promise<UserFriends> => {
const loggedUser = await userAuthRepository.findOne({ where: { id: 1 } }); const user = await db.get<string, User>(levelKeys.user, {
valueEncoding: "json",
});
if (loggedUser?.userId === userId) { if (user?.id === userId) {
return HydraApi.get(`/profile/friends`, { take, skip }); return HydraApi.get(`/profile/friends`, { take, skip });
} }

View file

@ -3,16 +3,12 @@ import updater from "electron-updater";
import i18n from "i18next"; import i18n from "i18next";
import path from "node:path"; import path from "node:path";
import url from "node:url"; import url from "node:url";
import fs from "node:fs";
import { electronApp, optimizer } from "@electron-toolkit/utils"; import { electronApp, optimizer } from "@electron-toolkit/utils";
import { logger, WindowManager } from "@main/services"; import { logger, WindowManager } from "@main/services";
import { dataSource } from "@main/data-source";
import resources from "@locales"; import resources from "@locales";
import { userPreferencesRepository } from "@main/repository";
import { knexClient, migrationConfig } from "./knex-client";
import { databaseDirectory } from "./constants";
import { PythonRPC } from "./services/python-rpc"; import { PythonRPC } from "./services/python-rpc";
import { Aria2 } from "./services/aria2"; import { Aria2 } from "./services/aria2";
import { db, levelKeys } from "./level";
const { autoUpdater } = updater; const { autoUpdater } = updater;
@ -50,21 +46,6 @@ if (process.defaultApp) {
app.setAsDefaultProtocolClient(PROTOCOL); app.setAsDefaultProtocolClient(PROTOCOL);
} }
const runMigrations = async () => {
if (!fs.existsSync(databaseDirectory)) {
fs.mkdirSync(databaseDirectory, { recursive: true });
}
await knexClient.migrate.list(migrationConfig).then((result) => {
logger.log(
"Migrations to run:",
result[1].map((migration) => migration.name)
);
});
await knexClient.migrate.latest(migrationConfig);
};
// This method will be called when Electron has finished // This method will be called when Electron has finished
// initialization and is ready to create browser windows. // initialization and is ready to create browser windows.
// Some APIs can only be used after this event occurs. // Some APIs can only be used after this event occurs.
@ -76,31 +57,19 @@ app.whenReady().then(async () => {
return net.fetch(url.pathToFileURL(decodeURI(filePath)).toString()); return net.fetch(url.pathToFileURL(decodeURI(filePath)).toString());
}); });
await runMigrations()
.then(() => {
logger.log("Migrations executed successfully");
})
.catch((err) => {
logger.log("Migrations failed to run:", err);
});
await dataSource.initialize();
await import("./main"); await import("./main");
const userPreferences = await userPreferencesRepository.findOne({ const language = await db.get<string, string>(levelKeys.language, {
where: { id: 1 }, valueEncoding: "utf-8",
}); });
if (userPreferences?.language) { if (language) i18n.changeLanguage(language);
i18n.changeLanguage(userPreferences.language);
}
if (!process.argv.includes("--hidden")) { if (!process.argv.includes("--hidden")) {
WindowManager.createMainWindow(); WindowManager.createMainWindow();
} }
WindowManager.createSystemTray(userPreferences?.language || "en"); WindowManager.createSystemTray(language || "en");
}); });
app.on("browser-window-created", (_, window) => { app.on("browser-window-created", (_, window) => {

View file

@ -1,53 +1,6 @@
import knex, { Knex } from "knex"; import knex from "knex";
import { databasePath } from "./constants"; import { databasePath } from "./constants";
import { Hydra2_0_3 } from "./migrations/20240830143811_Hydra_2_0_3";
import { RepackUris } from "./migrations/20240830143906_RepackUris";
import { UpdateUserLanguage } from "./migrations/20240913213944_update_user_language";
import { EnsureRepackUris } from "./migrations/20240915035339_ensure_repack_uris";
import { app } from "electron"; import { app } from "electron";
import { FixMissingColumns } from "./migrations/20240918001920_FixMissingColumns";
import { CreateGameAchievement } from "./migrations/20240919030940_create_game_achievement";
import { AddAchievementNotificationPreference } from "./migrations/20241013012900_add_achievement_notification_preference";
import { CreateUserSubscription } from "./migrations/20241015235142_create_user_subscription";
import { AddBackgroundImageUrl } from "./migrations/20241016100249_add_background_image_url";
import { AddWinePrefixToGame } from "./migrations/20241019081648_add_wine_prefix_to_game";
import { AddStartMinimizedColumn } from "./migrations/20241030171454_add_start_minimized_column";
import { AddDisableNsfwAlertColumn } from "./migrations/20241106053733_add_disable_nsfw_alert_column";
import { AddShouldSeedColumn } from "./migrations/20241108200154_add_should_seed_colum";
import { AddSeedAfterDownloadColumn } from "./migrations/20241108201806_add_seed_after_download";
import { AddHiddenAchievementDescriptionColumn } from "./migrations/20241216140633_add_hidden_achievement_description_column ";
import { AddLaunchOptionsColumnToGame } from "./migrations/20241226044022_add_launch_options_column_to_game";
export type HydraMigration = Knex.Migration & { name: string };
class MigrationSource implements Knex.MigrationSource<HydraMigration> {
getMigrations(): Promise<HydraMigration[]> {
return Promise.resolve([
Hydra2_0_3,
RepackUris,
UpdateUserLanguage,
EnsureRepackUris,
FixMissingColumns,
CreateGameAchievement,
AddAchievementNotificationPreference,
CreateUserSubscription,
AddBackgroundImageUrl,
AddWinePrefixToGame,
AddStartMinimizedColumn,
AddDisableNsfwAlertColumn,
AddShouldSeedColumn,
AddSeedAfterDownloadColumn,
AddHiddenAchievementDescriptionColumn,
AddLaunchOptionsColumnToGame,
]);
}
getMigrationName(migration: HydraMigration): string {
return migration.name;
}
getMigration(migration: HydraMigration): Promise<Knex.Migration> {
return Promise.resolve(migration);
}
}
export const knexClient = knex({ export const knexClient = knex({
debug: !app.isPackaged, debug: !app.isPackaged,
@ -56,7 +9,3 @@ export const knexClient = knex({
filename: databasePath, filename: databasePath,
}, },
}); });
export const migrationConfig: Knex.MigratorConfig = {
migrationSource: new MigrationSource(),
};

3
src/main/level/index.ts Normal file
View file

@ -0,0 +1,3 @@
export { db } from "./level";
export * from "./sublevels";

6
src/main/level/level.ts Normal file
View file

@ -0,0 +1,6 @@
import { levelDatabasePath } from "@main/constants";
import { ClassicLevel } from "classic-level";
export const db = new ClassicLevel(levelDatabasePath, {
valueEncoding: "json",
});

View file

@ -0,0 +1,11 @@
import type { Download } from "@types";
import { db } from "../level";
import { levelKeys } from "./keys";
export const downloadsSublevel = db.sublevel<string, Download>(
levelKeys.downloads,
{
valueEncoding: "json",
}
);

View file

@ -0,0 +1,11 @@
import type { GameAchievement } from "@types";
import { db } from "../level";
import { levelKeys } from "./keys";
export const gameAchievementsSublevel = db.sublevel<string, GameAchievement>(
levelKeys.gameAchievements,
{
valueEncoding: "json",
}
);

View file

@ -0,0 +1,11 @@
import type { ShopDetails } from "@types";
import { db } from "../level";
import { levelKeys } from "./keys";
export const gamesShopCacheSublevel = db.sublevel<string, ShopDetails>(
levelKeys.gameShopCache,
{
valueEncoding: "json",
}
);

View file

@ -0,0 +1,8 @@
import type { Game } from "@types";
import { db } from "../level";
import { levelKeys } from "./keys";
export const gamesSublevel = db.sublevel<string, Game>(levelKeys.games, {
valueEncoding: "json",
});

View file

@ -0,0 +1,6 @@
export * from "./downloads";
export * from "./games";
export * from "./game-shop-cache";
export * from "./game-achievements";
export * from "./keys";

View file

@ -0,0 +1,16 @@
import type { GameShop } from "@types";
export const levelKeys = {
games: "games",
game: (shop: GameShop, objectId: string) => `${shop}:${objectId}`,
user: "user",
auth: "auth",
gameShopCache: "gameShopCache",
gameShopCacheItem: (shop: GameShop, objectId: string, language: string) =>
`${shop}:${objectId}:${language}`,
gameAchievements: "gameAchievements",
downloads: "downloads",
userPreferences: "userPreferences",
language: "language",
sqliteMigrationDone: "sqliteMigrationDone",
};

View file

@ -1,16 +1,25 @@
import { DownloadManager, Ludusavi, startMainLoop } from "./services";
import { import {
downloadQueueRepository, Crypto,
gameRepository, DownloadManager,
userPreferencesRepository, logger,
} from "./repository"; Ludusavi,
import { UserPreferences } from "./entity"; startMainLoop,
} from "./services";
import { RealDebridClient } from "./services/download/real-debrid"; import { RealDebridClient } from "./services/download/real-debrid";
import { HydraApi } from "./services/hydra-api"; import { HydraApi } from "./services/hydra-api";
import { uploadGamesBatch } from "./services/library-sync"; import { uploadGamesBatch } from "./services/library-sync";
import { Aria2 } from "./services/aria2"; import { Aria2 } from "./services/aria2";
import { downloadsSublevel } from "./level/sublevels/downloads";
import { sortBy } from "lodash-es";
import { Downloader } from "@shared"; import { Downloader } from "@shared";
import { IsNull, Not } from "typeorm"; import {
gameAchievementsSublevel,
gamesSublevel,
levelKeys,
db,
} from "./level";
import { Auth, User, type UserPreferences } from "@types";
import { knexClient } from "./knex-client";
const loadState = async (userPreferences: UserPreferences | null) => { const loadState = async (userPreferences: UserPreferences | null) => {
import("./events"); import("./events");
@ -18,7 +27,9 @@ const loadState = async (userPreferences: UserPreferences | null) => {
Aria2.spawn(); Aria2.spawn();
if (userPreferences?.realDebridApiToken) { if (userPreferences?.realDebridApiToken) {
RealDebridClient.authorize(userPreferences?.realDebridApiToken); RealDebridClient.authorize(
Crypto.decrypt(userPreferences.realDebridApiToken)
);
} }
Ludusavi.addManifestToLudusaviConfig(); Ludusavi.addManifestToLudusaviConfig();
@ -27,33 +38,169 @@ const loadState = async (userPreferences: UserPreferences | null) => {
uploadGamesBatch(); uploadGamesBatch();
}); });
const [nextQueueItem] = await downloadQueueRepository.find({ const downloads = await downloadsSublevel
order: { .values()
id: "DESC", .all()
}, .then((games) => {
relations: { return sortBy(
game: true, games.filter((game) => game.queued),
}, "timestamp",
"DESC"
);
}); });
const seedList = await gameRepository.find({ const [nextItemOnQueue] = downloads;
where: {
shouldSeed: true,
downloader: Downloader.Torrent,
progress: 1,
uri: Not(IsNull()),
},
});
await DownloadManager.startRPC(nextQueueItem?.game, seedList); const downloadsToSeed = downloads.filter(
(download) =>
download.shouldSeed &&
download.downloader === Downloader.Torrent &&
download.progress === 1 &&
download.uri !== null
);
await DownloadManager.startRPC(nextItemOnQueue, downloadsToSeed);
startMainLoop(); startMainLoop();
}; };
userPreferencesRepository const migrateFromSqlite = async () => {
.findOne({ const sqliteMigrationDone = await db.get(levelKeys.sqliteMigrationDone);
where: { id: 1 },
if (sqliteMigrationDone) {
return;
}
const migrateGames = knexClient("game")
.select("*")
.then((games) => {
return gamesSublevel.batch(
games.map((game) => ({
type: "put",
key: levelKeys.game(game.shop, game.objectID),
value: {
objectId: game.objectID,
shop: game.shop,
title: game.title,
iconUrl: game.iconUrl,
playTimeInMilliseconds: game.playTimeInMilliseconds,
lastTimePlayed: game.lastTimePlayed,
remoteId: game.remoteId,
winePrefixPath: game.winePrefixPath,
launchOptions: game.launchOptions,
executablePath: game.executablePath,
isDeleted: game.isDeleted === 1,
},
}))
);
}) })
.then((userPreferences) => { .then(() => {
logger.info("Games migrated successfully");
});
const migrateUserPreferences = knexClient("user_preferences")
.select("*")
.then(async (userPreferences) => {
if (userPreferences.length > 0) {
const { realDebridApiToken, ...rest } = userPreferences[0];
await db.put(levelKeys.userPreferences, {
...rest,
realDebridApiToken: realDebridApiToken
? Crypto.encrypt(realDebridApiToken)
: null,
preferQuitInsteadOfHiding: rest.preferQuitInsteadOfHiding === 1,
runAtStartup: rest.runAtStartup === 1,
startMinimized: rest.startMinimized === 1,
disableNsfwAlert: rest.disableNsfwAlert === 1,
seedAfterDownloadComplete: rest.seedAfterDownloadComplete === 1,
showHiddenAchievementsDescription:
rest.showHiddenAchievementsDescription === 1,
downloadNotificationsEnabled: rest.downloadNotificationsEnabled === 1,
repackUpdatesNotificationsEnabled:
rest.repackUpdatesNotificationsEnabled === 1,
achievementNotificationsEnabled:
rest.achievementNotificationsEnabled === 1,
});
if (rest.language) {
await db.put(levelKeys.language, rest.language);
}
}
})
.then(() => {
logger.info("User preferences migrated successfully");
});
const migrateAchievements = knexClient("game_achievement")
.select("*")
.then((achievements) => {
return gameAchievementsSublevel.batch(
achievements.map((achievement) => ({
type: "put",
key: levelKeys.game(achievement.shop, achievement.objectId),
value: {
achievements: JSON.parse(achievement.achievements),
unlockedAchievements: JSON.parse(achievement.unlockedAchievements),
},
}))
);
})
.then(() => {
logger.info("Achievements migrated successfully");
});
const migrateUser = knexClient("user_auth")
.select("*")
.then(async (users) => {
if (users.length > 0) {
await db.put<string, User>(
levelKeys.user,
{
id: users[0].userId,
displayName: users[0].displayName,
profileImageUrl: users[0].profileImageUrl,
backgroundImageUrl: users[0].backgroundImageUrl,
subscription: users[0].subscription,
},
{
valueEncoding: "json",
}
);
await db.put<string, Auth>(
levelKeys.auth,
{
accessToken: Crypto.encrypt(users[0].accessToken),
refreshToken: Crypto.encrypt(users[0].refreshToken),
tokenExpirationTimestamp: users[0].tokenExpirationTimestamp,
},
{
valueEncoding: "json",
}
);
}
})
.then(() => {
logger.info("User data migrated successfully");
});
return Promise.allSettled([
migrateGames,
migrateUserPreferences,
migrateAchievements,
migrateUser,
]);
};
migrateFromSqlite().then(async () => {
await db.put<string, boolean>(levelKeys.sqliteMigrationDone, true, {
valueEncoding: "json",
});
db.get<string, UserPreferences>(levelKeys.userPreferences, {
valueEncoding: "json",
}).then((userPreferences) => {
loadState(userPreferences); loadState(userPreferences);
}); });
});

View file

@ -1,171 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const Hydra2_0_3: HydraMigration = {
name: "Hydra_2_0_3",
up: async (knex: Knex) => {
const timestamp = new Date().getTime();
await knex.schema.hasTable("migrations").then(async (exists) => {
if (exists) {
await knex.schema.dropTable("migrations");
}
});
await knex.schema.hasTable("download_source").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("download_source", (table) => {
table.increments("id").primary();
table
.text("url")
.unique({ indexName: "download_source_url_unique_" + timestamp });
table.text("name").notNullable();
table.text("etag");
table.integer("downloadCount").notNullable().defaultTo(0);
table.text("status").notNullable().defaultTo(0);
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
});
}
});
await knex.schema.hasTable("repack").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("repack", (table) => {
table.increments("id").primary();
table
.text("title")
.notNullable()
.unique({ indexName: "repack_title_unique_" + timestamp });
table
.text("magnet")
.notNullable()
.unique({ indexName: "repack_magnet_unique_" + timestamp });
table.integer("page");
table.text("repacker").notNullable();
table.text("fileSize").notNullable();
table.datetime("uploadDate").notNullable();
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
table
.integer("downloadSourceId")
.references("download_source.id")
.onDelete("CASCADE");
});
}
});
await knex.schema.hasTable("game").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("game", (table) => {
table.increments("id").primary();
table
.text("objectID")
.notNullable()
.unique({ indexName: "game_objectID_unique_" + timestamp });
table
.text("remoteId")
.unique({ indexName: "game_remoteId_unique_" + timestamp });
table.text("title").notNullable();
table.text("iconUrl");
table.text("folderName");
table.text("downloadPath");
table.text("executablePath");
table.integer("playTimeInMilliseconds").notNullable().defaultTo(0);
table.text("shop").notNullable();
table.text("status");
table.integer("downloader").notNullable().defaultTo(1);
table.float("progress").notNullable().defaultTo(0);
table.integer("bytesDownloaded").notNullable().defaultTo(0);
table.datetime("lastTimePlayed");
table.float("fileSize").notNullable().defaultTo(0);
table.text("uri");
table.boolean("isDeleted").notNullable().defaultTo(0);
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
table
.integer("repackId")
.references("repack.id")
.unique("repack_repackId_unique_" + timestamp);
});
}
});
await knex.schema.hasTable("user_preferences").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("user_preferences", (table) => {
table.increments("id").primary();
table.text("downloadsPath");
table.text("language").notNullable().defaultTo("en");
table.text("realDebridApiToken");
table
.boolean("downloadNotificationsEnabled")
.notNullable()
.defaultTo(0);
table
.boolean("repackUpdatesNotificationsEnabled")
.notNullable()
.defaultTo(0);
table.boolean("preferQuitInsteadOfHiding").notNullable().defaultTo(0);
table.boolean("runAtStartup").notNullable().defaultTo(0);
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
});
}
});
await knex.schema.hasTable("game_shop_cache").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("game_shop_cache", (table) => {
table.text("objectID").primary().notNullable();
table.text("shop").notNullable();
table.text("serializedData");
table.text("howLongToBeatSerializedData");
table.text("language");
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
});
}
});
await knex.schema.hasTable("download_queue").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("download_queue", (table) => {
table.increments("id").primary();
table
.integer("gameId")
.references("game.id")
.unique("download_queue_gameId_unique_" + timestamp);
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
});
}
});
await knex.schema.hasTable("user_auth").then(async (exists) => {
if (!exists) {
await knex.schema.createTable("user_auth", (table) => {
table.increments("id").primary();
table.text("userId").notNullable().defaultTo("");
table.text("displayName").notNullable().defaultTo("");
table.text("profileImageUrl");
table.text("accessToken").notNullable().defaultTo("");
table.text("refreshToken").notNullable().defaultTo("");
table.integer("tokenExpirationTimestamp").notNullable().defaultTo(0);
table.datetime("createdAt").notNullable().defaultTo(knex.fn.now());
table.datetime("updatedAt").notNullable().defaultTo(knex.fn.now());
});
}
});
},
down: async (knex: Knex) => {
await knex.schema.dropTableIfExists("game");
await knex.schema.dropTableIfExists("repack");
await knex.schema.dropTableIfExists("download_queue");
await knex.schema.dropTableIfExists("user_auth");
await knex.schema.dropTableIfExists("game_shop_cache");
await knex.schema.dropTableIfExists("user_preferences");
await knex.schema.dropTableIfExists("download_source");
},
};

View file

@ -1,18 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const RepackUris: HydraMigration = {
name: "RepackUris",
up: async (knex: Knex) => {
await knex.schema.alterTable("repack", (table) => {
table.text("uris").notNullable().defaultTo("[]");
});
},
down: async (knex: Knex) => {
await knex.schema.alterTable("repack", (table) => {
table.integer("page");
table.dropColumn("uris");
});
},
};

View file

@ -1,13 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const UpdateUserLanguage: HydraMigration = {
name: "UpdateUserLanguage",
up: async (knex: Knex) => {
await knex("user_preferences")
.update("language", "pt-BR")
.where("language", "pt");
},
down: async (_knex: Knex) => {},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const EnsureRepackUris: HydraMigration = {
name: "EnsureRepackUris",
up: async (knex: Knex) => {
await knex.schema.hasColumn("repack", "uris").then(async (exists) => {
if (!exists) {
await knex.schema.table("repack", (table) => {
table.text("uris").notNullable().defaultTo("[]");
});
}
});
},
down: async (_knex: Knex) => {},
};

View file

@ -1,41 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const FixMissingColumns: HydraMigration = {
name: "FixMissingColumns",
up: async (knex: Knex) => {
const timestamp = new Date().getTime();
await knex.schema
.hasColumn("repack", "downloadSourceId")
.then(async (exists) => {
if (!exists) {
await knex.schema.table("repack", (table) => {
table
.integer("downloadSourceId")
.references("download_source.id")
.onDelete("CASCADE");
});
}
});
await knex.schema.hasColumn("game", "remoteId").then(async (exists) => {
if (!exists) {
await knex.schema.table("game", (table) => {
table
.text("remoteId")
.unique({ indexName: "game_remoteId_unique_" + timestamp });
});
}
});
await knex.schema.hasColumn("game", "uri").then(async (exists) => {
if (!exists) {
await knex.schema.table("game", (table) => {
table.text("uri");
});
}
});
},
down: async (_knex: Knex) => {},
};

View file

@ -1,20 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const CreateGameAchievement: HydraMigration = {
name: "CreateGameAchievement",
up: (knex: Knex) => {
return knex.schema.createTable("game_achievement", (table) => {
table.increments("id").primary();
table.text("objectId").notNullable();
table.text("shop").notNullable();
table.text("achievements");
table.text("unlockedAchievements");
table.unique(["objectId", "shop"]);
});
},
down: (knex: Knex) => {
return knex.schema.dropTable("game_achievement");
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddAchievementNotificationPreference: HydraMigration = {
name: "AddAchievementNotificationPreference",
up: (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.boolean("achievementNotificationsEnabled").defaultTo(true);
});
},
down: (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.dropColumn("achievementNotificationsEnabled");
});
},
};

View file

@ -1,27 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const CreateUserSubscription: HydraMigration = {
name: "CreateUserSubscription",
up: async (knex: Knex) => {
return knex.schema.createTable("user_subscription", (table) => {
table.increments("id").primary();
table.string("subscriptionId").defaultTo("");
table
.text("userId")
.notNullable()
.references("user_auth.id")
.onDelete("CASCADE");
table.string("status").defaultTo("");
table.string("planId").defaultTo("");
table.string("planName").defaultTo("");
table.dateTime("expiresAt").nullable();
table.dateTime("createdAt").defaultTo(knex.fn.now());
table.dateTime("updatedAt").defaultTo(knex.fn.now());
});
},
down: async (knex: Knex) => {
return knex.schema.dropTable("user_subscription");
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddBackgroundImageUrl: HydraMigration = {
name: "AddBackgroundImageUrl",
up: (knex: Knex) => {
return knex.schema.alterTable("user_auth", (table) => {
return table.text("backgroundImageUrl").nullable();
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("user_auth", (table) => {
return table.dropColumn("backgroundImageUrl");
});
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddWinePrefixToGame: HydraMigration = {
name: "AddWinePrefixToGame",
up: (knex: Knex) => {
return knex.schema.alterTable("game", (table) => {
return table.text("winePrefixPath").nullable();
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("game", (table) => {
return table.dropColumn("winePrefixPath");
});
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddStartMinimizedColumn: HydraMigration = {
name: "AddStartMinimizedColumn",
up: (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.boolean("startMinimized").notNullable().defaultTo(0);
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.dropColumn("startMinimized");
});
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddDisableNsfwAlertColumn: HydraMigration = {
name: "AddDisableNsfwAlertColumn",
up: (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.boolean("disableNsfwAlert").notNullable().defaultTo(0);
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.dropColumn("disableNsfwAlert");
});
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddShouldSeedColumn: HydraMigration = {
name: "AddShouldSeedColumn",
up: (knex: Knex) => {
return knex.schema.alterTable("game", (table) => {
return table.boolean("shouldSeed").notNullable().defaultTo(true);
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("game", (table) => {
return table.dropColumn("shouldSeed");
});
},
};

View file

@ -1,20 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddSeedAfterDownloadColumn: HydraMigration = {
name: "AddSeedAfterDownloadColumn",
up: (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table
.boolean("seedAfterDownloadComplete")
.notNullable()
.defaultTo(true);
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.dropColumn("seedAfterDownloadComplete");
});
},
};

View file

@ -1,20 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddHiddenAchievementDescriptionColumn: HydraMigration = {
name: "AddHiddenAchievementDescriptionColumn",
up: (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table
.boolean("showHiddenAchievementsDescription")
.notNullable()
.defaultTo(0);
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("user_preferences", (table) => {
return table.dropColumn("showHiddenAchievementsDescription");
});
},
};

View file

@ -1,17 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const AddLaunchOptionsColumnToGame: HydraMigration = {
name: "AddLaunchOptionsColumnToGame",
up: (knex: Knex) => {
return knex.schema.alterTable("game", (table) => {
return table.string("launchOptions").nullable();
});
},
down: async (knex: Knex) => {
return knex.schema.alterTable("game", (table) => {
return table.dropColumn("launchOptions");
});
},
};

View file

@ -1,11 +0,0 @@
import type { HydraMigration } from "@main/knex-client";
import type { Knex } from "knex";
export const MigrationName: HydraMigration = {
name: "MigrationName",
up: (knex: Knex) => {
return knex.schema.createTable("table_name", async (table) => {});
},
down: async (knex: Knex) => {},
};

View file

@ -1,27 +0,0 @@
import { dataSource } from "./data-source";
import {
DownloadQueue,
Game,
GameShopCache,
UserPreferences,
UserAuth,
GameAchievement,
UserSubscription,
} from "@main/entity";
export const gameRepository = dataSource.getRepository(Game);
export const userPreferencesRepository =
dataSource.getRepository(UserPreferences);
export const gameShopCacheRepository = dataSource.getRepository(GameShopCache);
export const downloadQueueRepository = dataSource.getRepository(DownloadQueue);
export const userAuthRepository = dataSource.getRepository(UserAuth);
export const userSubscriptionRepository =
dataSource.getRepository(UserSubscription);
export const gameAchievementRepository =
dataSource.getRepository(GameAchievement);

View file

@ -1,6 +1,4 @@
import { gameRepository } from "@main/repository";
import { parseAchievementFile } from "./parse-achievement-file"; import { parseAchievementFile } from "./parse-achievement-file";
import { Game } from "@main/entity";
import { mergeAchievements } from "./merge-achievements"; import { mergeAchievements } from "./merge-achievements";
import fs, { readdirSync } from "node:fs"; import fs, { readdirSync } from "node:fs";
import { import {
@ -9,21 +7,20 @@ import {
findAllAchievementFiles, findAllAchievementFiles,
getAlternativeObjectIds, getAlternativeObjectIds,
} from "./find-achivement-files"; } from "./find-achivement-files";
import type { AchievementFile, UnlockedAchievement } from "@types"; import type { AchievementFile, Game, UnlockedAchievement } from "@types";
import { achievementsLogger } from "../logger"; import { achievementsLogger } from "../logger";
import { Cracker } from "@shared"; import { Cracker } from "@shared";
import { IsNull, Not } from "typeorm";
import { publishCombinedNewAchievementNotification } from "../notifications"; import { publishCombinedNewAchievementNotification } from "../notifications";
import { gamesSublevel } from "@main/level";
const fileStats: Map<string, number> = new Map(); const fileStats: Map<string, number> = new Map();
const fltFiles: Map<string, Set<string>> = new Map(); const fltFiles: Map<string, Set<string>> = new Map();
const watchAchievementsWindows = async () => { const watchAchievementsWindows = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { .values()
isDeleted: false, .all()
}, .then((games) => games.filter((game) => !game.isDeleted));
});
if (games.length === 0) return; if (games.length === 0) return;
@ -32,7 +29,7 @@ const watchAchievementsWindows = async () => {
for (const game of games) { for (const game of games) {
const gameAchievementFiles: AchievementFile[] = []; const gameAchievementFiles: AchievementFile[] = [];
for (const objectId of getAlternativeObjectIds(game.objectID)) { for (const objectId of getAlternativeObjectIds(game.objectId)) {
gameAchievementFiles.push(...(achievementFiles.get(objectId) || [])); gameAchievementFiles.push(...(achievementFiles.get(objectId) || []));
gameAchievementFiles.push( gameAchievementFiles.push(
@ -47,12 +44,12 @@ const watchAchievementsWindows = async () => {
}; };
const watchAchievementsWithWine = async () => { const watchAchievementsWithWine = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { .values()
isDeleted: false, .all()
winePrefixPath: Not(IsNull()), .then((games) =>
}, games.filter((game) => !game.isDeleted && game.winePrefixPath)
}); );
for (const game of games) { for (const game of games) {
const gameAchievementFiles = findAchievementFiles(game); const gameAchievementFiles = findAchievementFiles(game);
@ -188,11 +185,10 @@ export class AchievementWatcherManager {
}; };
private static preSearchAchievementsWindows = async () => { private static preSearchAchievementsWindows = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { .values()
isDeleted: false, .all()
}, .then((games) => games.filter((game) => !game.isDeleted));
});
const gameAchievementFilesMap = findAllAchievementFiles(); const gameAchievementFilesMap = findAllAchievementFiles();
@ -200,7 +196,7 @@ export class AchievementWatcherManager {
games.map((game) => { games.map((game) => {
const gameAchievementFiles: AchievementFile[] = []; const gameAchievementFiles: AchievementFile[] = [];
for (const objectId of getAlternativeObjectIds(game.objectID)) { for (const objectId of getAlternativeObjectIds(game.objectId)) {
gameAchievementFiles.push( gameAchievementFiles.push(
...(gameAchievementFilesMap.get(objectId) || []) ...(gameAchievementFilesMap.get(objectId) || [])
); );
@ -216,11 +212,10 @@ export class AchievementWatcherManager {
}; };
private static preSearchAchievementsWithWine = async () => { private static preSearchAchievementsWithWine = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { .values()
isDeleted: false, .all()
}, .then((games) => games.filter((game) => !game.isDeleted));
});
return Promise.all( return Promise.all(
games.map((game) => { games.map((game) => {

View file

@ -1,9 +1,8 @@
import path from "node:path"; import path from "node:path";
import fs from "node:fs"; import fs from "node:fs";
import { app } from "electron"; import { app } from "electron";
import type { AchievementFile } from "@types"; import type { Game, AchievementFile } from "@types";
import { Cracker } from "@shared"; import { Cracker } from "@shared";
import { Game } from "@main/entity";
import { achievementsLogger } from "../logger"; import { achievementsLogger } from "../logger";
const getAppDataPath = () => { const getAppDataPath = () => {
@ -254,7 +253,7 @@ export const findAchievementFiles = (game: Game) => {
for (const cracker of crackers) { for (const cracker of crackers) {
for (const { folderPath, fileLocation } of getPathFromCracker(cracker)) { for (const { folderPath, fileLocation } of getPathFromCracker(cracker)) {
for (const objectId of getAlternativeObjectIds(game.objectID)) { for (const objectId of getAlternativeObjectIds(game.objectId)) {
const filePath = path.join( const filePath = path.join(
game.winePrefixPath ?? "", game.winePrefixPath ?? "",
folderPath, folderPath,

View file

@ -1,56 +1,47 @@
import {
gameAchievementRepository,
userPreferencesRepository,
} from "@main/repository";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
import type { AchievementData, GameShop } from "@types"; import type { GameShop, SteamAchievement } from "@types";
import { UserNotLoggedInError } from "@shared"; import { UserNotLoggedInError } from "@shared";
import { logger } from "../logger"; import { logger } from "../logger";
import { GameAchievement } from "@main/entity"; import { db, gameAchievementsSublevel, levelKeys } from "@main/level";
export const getGameAchievementData = async ( export const getGameAchievementData = async (
objectId: string, objectId: string,
shop: GameShop, shop: GameShop,
cachedAchievements: GameAchievement | null useCachedData: boolean
) => { ) => {
if (cachedAchievements && cachedAchievements.achievements) { const cachedAchievements = await gameAchievementsSublevel.get(
return JSON.parse(cachedAchievements.achievements) as AchievementData[]; levelKeys.game(shop, objectId)
}
const userPreferences = await userPreferencesRepository.findOne({
where: { id: 1 },
});
return HydraApi.get<AchievementData[]>("/games/achievements", {
shop,
objectId,
language: userPreferences?.language || "en",
})
.then((achievements) => {
gameAchievementRepository.upsert(
{
objectId,
shop,
achievements: JSON.stringify(achievements),
},
["objectId", "shop"]
); );
if (cachedAchievements && useCachedData)
return cachedAchievements.achievements;
const language = await db
.get<string, string>(levelKeys.language, {
valueEncoding: "utf-8",
})
.then((language) => language || "en");
return HydraApi.get<SteamAchievement[]>("/games/achievements", {
shop,
objectId,
language,
})
.then(async (achievements) => {
await gameAchievementsSublevel.put(levelKeys.game(shop, objectId), {
unlockedAchievements: cachedAchievements?.unlockedAchievements ?? [],
achievements,
});
return achievements; return achievements;
}) })
.catch((err) => { .catch((err) => {
if (err instanceof UserNotLoggedInError) { if (err instanceof UserNotLoggedInError) {
throw err; throw err;
} }
logger.error("Failed to get game achievements", err); logger.error("Failed to get game achievements", err);
return gameAchievementRepository
.findOne({ return [];
where: { objectId, shop },
})
.then((gameAchievements) => {
return JSON.parse(
gameAchievements?.achievements || "[]"
) as AchievementData[];
});
}); });
}; };

View file

@ -1,32 +1,34 @@
import { import type {
gameAchievementRepository, Game,
userPreferencesRepository, GameShop,
} from "@main/repository"; UnlockedAchievement,
import type { AchievementData, GameShop, UnlockedAchievement } from "@types"; UserPreferences,
} from "@types";
import { WindowManager } from "../window-manager"; import { WindowManager } from "../window-manager";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
import { getUnlockedAchievements } from "@main/events/user/get-unlocked-achievements"; import { getUnlockedAchievements } from "@main/events/user/get-unlocked-achievements";
import { Game } from "@main/entity";
import { publishNewAchievementNotification } from "../notifications"; import { publishNewAchievementNotification } from "../notifications";
import { SubscriptionRequiredError } from "@shared"; import { SubscriptionRequiredError } from "@shared";
import { achievementsLogger } from "../logger"; import { achievementsLogger } from "../logger";
import { db, gameAchievementsSublevel, levelKeys } from "@main/level";
const saveAchievementsOnLocal = async ( const saveAchievementsOnLocal = async (
objectId: string, objectId: string,
shop: GameShop, shop: GameShop,
achievements: UnlockedAchievement[], unlockedAchievements: UnlockedAchievement[],
sendUpdateEvent: boolean sendUpdateEvent: boolean
) => { ) => {
return gameAchievementRepository const levelKey = levelKeys.game(shop, objectId);
.upsert(
{ return gameAchievementsSublevel
objectId, .get(levelKey)
shop, .then(async (gameAchievement) => {
unlockedAchievements: JSON.stringify(achievements), if (gameAchievement) {
}, await gameAchievementsSublevel.put(levelKey, {
["objectId", "shop"] ...gameAchievement,
) unlockedAchievements: unlockedAchievements,
.then(() => { });
if (!sendUpdateEvent) return; if (!sendUpdateEvent) return;
return getUnlockedAchievements(objectId, shop, true) return getUnlockedAchievements(objectId, shop, true)
@ -37,6 +39,7 @@ const saveAchievementsOnLocal = async (
); );
}) })
.catch(() => {}); .catch(() => {});
}
}); });
}; };
@ -46,22 +49,14 @@ export const mergeAchievements = async (
publishNotification: boolean publishNotification: boolean
) => { ) => {
const [localGameAchievement, userPreferences] = await Promise.all([ const [localGameAchievement, userPreferences] = await Promise.all([
gameAchievementRepository.findOne({ gameAchievementsSublevel.get(levelKeys.game(game.shop, game.objectId)),
where: { db.get<string, UserPreferences>(levelKeys.userPreferences, {
objectId: game.objectID, valueEncoding: "json",
shop: game.shop,
},
}), }),
userPreferencesRepository.findOne({ where: { id: 1 } }),
]); ]);
const achievementsData = JSON.parse( const achievementsData = localGameAchievement?.achievements ?? [];
localGameAchievement?.achievements || "[]" const unlockedAchievements = localGameAchievement?.unlockedAchievements ?? [];
) as AchievementData[];
const unlockedAchievements = JSON.parse(
localGameAchievement?.unlockedAchievements || "[]"
).filter((achievement) => achievement.name) as UnlockedAchievement[];
const newAchievementsMap = new Map( const newAchievementsMap = new Map(
achievements.reverse().map((achievement) => { achievements.reverse().map((achievement) => {
@ -141,13 +136,13 @@ export const mergeAchievements = async (
if (err! instanceof SubscriptionRequiredError) { if (err! instanceof SubscriptionRequiredError) {
achievementsLogger.log( achievementsLogger.log(
"Achievements not synchronized on API due to lack of subscription", "Achievements not synchronized on API due to lack of subscription",
game.objectID, game.objectId,
game.title game.title
); );
} }
return saveAchievementsOnLocal( return saveAchievementsOnLocal(
game.objectID, game.objectId,
game.shop, game.shop,
mergedLocalAchievements, mergedLocalAchievements,
publishNotification publishNotification
@ -155,7 +150,7 @@ export const mergeAchievements = async (
}); });
} else { } else {
await saveAchievementsOnLocal( await saveAchievementsOnLocal(
game.objectID, game.objectId,
game.shop, game.shop,
mergedLocalAchievements, mergedLocalAchievements,
publishNotification publishNotification

View file

@ -4,8 +4,7 @@ import {
} from "./find-achivement-files"; } from "./find-achivement-files";
import { parseAchievementFile } from "./parse-achievement-file"; import { parseAchievementFile } from "./parse-achievement-file";
import { mergeAchievements } from "./merge-achievements"; import { mergeAchievements } from "./merge-achievements";
import type { UnlockedAchievement } from "@types"; import type { Game, UnlockedAchievement } from "@types";
import { Game } from "@main/entity";
export const updateLocalUnlockedAchivements = async (game: Game) => { export const updateLocalUnlockedAchivements = async (game: Game) => {
const gameAchievementFiles = findAchievementFiles(game); const gameAchievementFiles = findAchievementFiles(game);

View file

@ -0,0 +1,28 @@
import { safeStorage } from "electron";
import { logger } from "./logger";
export class Crypto {
public static encrypt(str: string) {
if (safeStorage.isEncryptionAvailable()) {
return safeStorage.encryptString(str).toString("base64");
} else {
logger.warn(
"Encrypt method returned raw string because encryption is not available"
);
return str;
}
}
public static decrypt(b64: string) {
if (safeStorage.isEncryptionAvailable()) {
return safeStorage.decryptString(Buffer.from(b64, "base64"));
} else {
logger.warn(
"Decrypt method returned raw string because encryption is not available"
);
return b64;
}
}
}

View file

@ -1,13 +1,7 @@
import { Game } from "@main/entity";
import { Downloader } from "@shared"; import { Downloader } from "@shared";
import { WindowManager } from "../window-manager"; import { WindowManager } from "../window-manager";
import {
downloadQueueRepository,
gameRepository,
userPreferencesRepository,
} from "@main/repository";
import { publishDownloadCompleteNotification } from "../notifications"; import { publishDownloadCompleteNotification } from "../notifications";
import type { DownloadProgress } from "@types"; import type { Download, DownloadProgress, UserPreferences } from "@types";
import { GofileApi, QiwiApi, DatanodesApi } from "../hosters"; import { GofileApi, QiwiApi, DatanodesApi } from "../hosters";
import { PythonRPC } from "../python-rpc"; import { PythonRPC } from "../python-rpc";
import { import {
@ -16,37 +10,41 @@ import {
PauseDownloadPayload, PauseDownloadPayload,
} from "./types"; } from "./types";
import { calculateETA, getDirSize } from "./helpers"; import { calculateETA, getDirSize } from "./helpers";
import { QueryDeepPartialEntity } from "typeorm/query-builder/QueryPartialEntity";
import { RealDebridClient } from "./real-debrid"; import { RealDebridClient } from "./real-debrid";
import path from "path"; import path from "path";
import { logger } from "../logger"; import { logger } from "../logger";
import { db, downloadsSublevel, gamesSublevel, levelKeys } from "@main/level";
import { sortBy } from "lodash-es";
export class DownloadManager { export class DownloadManager {
private static downloadingGameId: number | null = null; private static downloadingGameId: string | null = null;
public static async startRPC(game?: Game, initialSeeding?: Game[]) { public static async startRPC(
download?: Download,
downloadsToSeed?: Download[]
) {
PythonRPC.spawn( PythonRPC.spawn(
game?.status === "active" download?.status === "active"
? await this.getDownloadPayload(game).catch(() => undefined) ? await this.getDownloadPayload(download).catch(() => undefined)
: undefined, : undefined,
initialSeeding?.map((game) => ({ downloadsToSeed?.map((download) => ({
game_id: game.id, game_id: `${download.shop}-${download.objectId}`,
url: game.uri!, url: download.uri,
save_path: game.downloadPath!, save_path: download.downloadPath,
})) }))
); );
this.downloadingGameId = game?.id ?? null; if (download) {
this.downloadingGameId = `${download.shop}-${download.objectId}`;
}
} }
private static async getDownloadStatus() { private static async getDownloadStatus() {
const response = await PythonRPC.rpc.get<LibtorrentPayload | null>( const response = await PythonRPC.rpc.get<LibtorrentPayload | null>(
"/status" "/status"
); );
if (response.data === null || !this.downloadingGameId) return null; if (response.data === null || !this.downloadingGameId) return null;
const downloadId = this.downloadingGameId;
const gameId = this.downloadingGameId;
try { try {
const { const {
@ -62,24 +60,21 @@ export class DownloadManager {
const isDownloadingMetadata = const isDownloadingMetadata =
status === LibtorrentStatus.DownloadingMetadata; status === LibtorrentStatus.DownloadingMetadata;
const isCheckingFiles = status === LibtorrentStatus.CheckingFiles; const isCheckingFiles = status === LibtorrentStatus.CheckingFiles;
const download = await downloadsSublevel.get(downloadId);
if (!isDownloadingMetadata && !isCheckingFiles) { if (!isDownloadingMetadata && !isCheckingFiles) {
const update: QueryDeepPartialEntity<Game> = { if (!download) return null;
await downloadsSublevel.put(downloadId, {
...download,
bytesDownloaded, bytesDownloaded,
fileSize, fileSize,
progress, progress,
status: "active",
};
await gameRepository.update(
{ id: gameId },
{
...update,
folderName, folderName,
} status: "active",
); });
} }
return { return {
@ -90,7 +85,8 @@ export class DownloadManager {
isDownloadingMetadata, isDownloadingMetadata,
isCheckingFiles, isCheckingFiles,
progress, progress,
gameId, gameId: downloadId,
download,
} as DownloadProgress; } as DownloadProgress;
} catch (err) { } catch (err) {
return null; return null;
@ -102,14 +98,22 @@ export class DownloadManager {
if (status) { if (status) {
const { gameId, progress } = status; const { gameId, progress } = status;
const game = await gameRepository.findOne({
where: { id: gameId, isDeleted: false },
});
const userPreferences = await userPreferencesRepository.findOneBy({
id: 1,
});
if (WindowManager.mainWindow && game) { const [download, game] = await Promise.all([
downloadsSublevel.get(gameId),
gamesSublevel.get(gameId),
]);
if (!download || !game) return;
const userPreferences = await db.get<string, UserPreferences>(
levelKeys.userPreferences,
{
valueEncoding: "json",
}
);
if (WindowManager.mainWindow && download) {
WindowManager.mainWindow.setProgressBar(progress === 1 ? -1 : progress); WindowManager.mainWindow.setProgressBar(progress === 1 ? -1 : progress);
WindowManager.mainWindow.webContents.send( WindowManager.mainWindow.webContents.send(
"on-download-progress", "on-download-progress",
@ -121,39 +125,48 @@ export class DownloadManager {
) )
); );
} }
if (progress === 1 && game) {
if (progress === 1 && download) {
publishDownloadCompleteNotification(game); publishDownloadCompleteNotification(game);
if ( if (
userPreferences?.seedAfterDownloadComplete && userPreferences?.seedAfterDownloadComplete &&
game.downloader === Downloader.Torrent download.downloader === Downloader.Torrent
) { ) {
gameRepository.update( downloadsSublevel.put(gameId, {
{ id: gameId }, ...download,
{ status: "seeding", shouldSeed: true } status: "seeding",
); shouldSeed: true,
queued: false,
});
} else { } else {
gameRepository.update( downloadsSublevel.put(gameId, {
{ id: gameId }, ...download,
{ status: "complete", shouldSeed: false } status: "complete",
); shouldSeed: false,
queued: false,
});
this.cancelDownload(gameId); this.cancelDownload(gameId);
} }
await downloadQueueRepository.delete({ game }); const downloads = await downloadsSublevel
const [nextQueueItem] = await downloadQueueRepository.find({ .values()
order: { .all()
id: "DESC", .then((games) => {
}, return sortBy(
relations: { games.filter((game) => game.status === "paused" && game.queued),
game: true, "timestamp",
}, "DESC"
);
}); });
if (nextQueueItem) {
this.resumeDownload(nextQueueItem.game); const [nextItemOnQueue] = downloads;
if (nextItemOnQueue) {
this.resumeDownload(nextItemOnQueue);
} else { } else {
this.downloadingGameId = -1; this.downloadingGameId = null;
} }
} }
} }
@ -169,20 +182,19 @@ export class DownloadManager {
logger.log(seedStatus); logger.log(seedStatus);
seedStatus.forEach(async (status) => { seedStatus.forEach(async (status) => {
const game = await gameRepository.findOne({ const download = await downloadsSublevel.get(status.gameId);
where: { id: status.gameId },
});
if (!game) return; if (!download) return;
const totalSize = await getDirSize( const totalSize = await getDirSize(
path.join(game.downloadPath!, status.folderName) path.join(download.downloadPath, status.folderName)
); );
if (totalSize < status.fileSize) { if (totalSize < status.fileSize) {
await this.cancelDownload(game.id); await this.cancelDownload(status.gameId);
await gameRepository.update(game.id, { await downloadsSublevel.put(status.gameId, {
...download,
status: "paused", status: "paused",
shouldSeed: false, shouldSeed: false,
progress: totalSize / status.fileSize, progress: totalSize / status.fileSize,
@ -195,123 +207,122 @@ export class DownloadManager {
WindowManager.mainWindow?.webContents.send("on-seeding-status", seedStatus); WindowManager.mainWindow?.webContents.send("on-seeding-status", seedStatus);
} }
static async pauseDownload() { static async pauseDownload(downloadKey = this.downloadingGameId) {
await PythonRPC.rpc await PythonRPC.rpc
.post("/action", { .post("/action", {
action: "pause", action: "pause",
game_id: this.downloadingGameId, game_id: downloadKey,
} as PauseDownloadPayload) } as PauseDownloadPayload)
.catch(() => {}); .catch(() => {});
WindowManager.mainWindow?.setProgressBar(-1); WindowManager.mainWindow?.setProgressBar(-1);
this.downloadingGameId = null; this.downloadingGameId = null;
} }
static async resumeDownload(game: Game) { static async resumeDownload(download: Download) {
return this.startDownload(game); return this.startDownload(download);
} }
static async cancelDownload(gameId = this.downloadingGameId!) { static async cancelDownload(downloadKey = this.downloadingGameId) {
await PythonRPC.rpc.post("/action", { await PythonRPC.rpc.post("/action", {
action: "cancel", action: "cancel",
game_id: gameId, game_id: downloadKey,
}); });
WindowManager.mainWindow?.setProgressBar(-1); WindowManager.mainWindow?.setProgressBar(-1);
if (downloadKey === this.downloadingGameId) {
if (gameId === this.downloadingGameId) {
this.downloadingGameId = null; this.downloadingGameId = null;
} }
} }
static async resumeSeeding(game: Game) { static async resumeSeeding(download: Download) {
await PythonRPC.rpc.post("/action", { await PythonRPC.rpc.post("/action", {
action: "resume_seeding", action: "resume_seeding",
game_id: game.id, game_id: levelKeys.game(download.shop, download.objectId),
url: game.uri, url: download.uri,
save_path: game.downloadPath, save_path: download.downloadPath,
}); });
} }
static async pauseSeeding(gameId: number) { static async pauseSeeding(downloadKey: string) {
await PythonRPC.rpc.post("/action", { await PythonRPC.rpc.post("/action", {
action: "pause_seeding", action: "pause_seeding",
game_id: gameId, game_id: downloadKey,
}); });
} }
private static async getDownloadPayload(game: Game) { private static async getDownloadPayload(download: Download) {
switch (game.downloader) { const downloadId = levelKeys.game(download.shop, download.objectId);
case Downloader.Gofile: {
const id = game.uri!.split("/").pop();
switch (download.downloader) {
case Downloader.Gofile: {
const id = download.uri.split("/").pop();
const token = await GofileApi.authorize(); const token = await GofileApi.authorize();
const downloadLink = await GofileApi.getDownloadLink(id!); const downloadLink = await GofileApi.getDownloadLink(id!);
return { return {
action: "start", action: "start",
game_id: game.id, game_id: downloadId,
url: downloadLink, url: downloadLink,
save_path: game.downloadPath!, save_path: download.downloadPath,
header: `Cookie: accountToken=${token}`, header: `Cookie: accountToken=${token}`,
}; };
} }
case Downloader.PixelDrain: { case Downloader.PixelDrain: {
const id = game.uri!.split("/").pop(); const id = download.uri.split("/").pop();
return { return {
action: "start", action: "start",
game_id: game.id, game_id: downloadId,
url: `https://pixeldrain.com/api/file/${id}?download`, url: `https://pixeldrain.com/api/file/${id}?download`,
save_path: game.downloadPath!, save_path: download.downloadPath,
}; };
} }
case Downloader.Qiwi: { case Downloader.Qiwi: {
const downloadUrl = await QiwiApi.getDownloadUrl(game.uri!); const downloadUrl = await QiwiApi.getDownloadUrl(download.uri);
return { return {
action: "start", action: "start",
game_id: game.id, game_id: downloadId,
url: downloadUrl, url: downloadUrl,
save_path: game.downloadPath!, save_path: download.downloadPath,
}; };
} }
case Downloader.Datanodes: { case Downloader.Datanodes: {
const downloadUrl = await DatanodesApi.getDownloadUrl(game.uri!); const downloadUrl = await DatanodesApi.getDownloadUrl(download.uri);
return { return {
action: "start", action: "start",
game_id: game.id, game_id: downloadId,
url: downloadUrl, url: downloadUrl,
save_path: game.downloadPath!, save_path: download.downloadPath,
}; };
} }
case Downloader.Torrent: case Downloader.Torrent:
return { return {
action: "start", action: "start",
game_id: game.id, game_id: downloadId,
url: game.uri!, url: download.uri,
save_path: game.downloadPath!, save_path: download.downloadPath,
}; };
case Downloader.RealDebrid: { case Downloader.RealDebrid: {
const downloadUrl = await RealDebridClient.getDownloadUrl(game.uri!); const downloadUrl = await RealDebridClient.getDownloadUrl(download.uri);
if (!downloadUrl)
throw new Error(
"This download is not available on Real-Debrid and polling download status from Real-Debrid is not yet available."
);
return { return {
action: "start", action: "start",
game_id: game.id, game_id: downloadId,
url: downloadUrl!, url: downloadUrl,
save_path: game.downloadPath!, save_path: download.downloadPath,
}; };
} }
} }
} }
static async startDownload(game: Game) { static async startDownload(download: Download) {
const payload = await this.getDownloadPayload(game); const payload = await this.getDownloadPayload(download);
await PythonRPC.rpc.post("/action", payload); await PythonRPC.rpc.post("/action", payload);
this.downloadingGameId = levelKeys.game(download.shop, download.objectId);
this.downloadingGameId = game.id;
} }
} }

View file

@ -1,9 +1,9 @@
export interface PauseDownloadPayload { export interface PauseDownloadPayload {
game_id: number; game_id: string;
} }
export interface CancelDownloadPayload { export interface CancelDownloadPayload {
game_id: number; game_id: string;
} }
export enum LibtorrentStatus { export enum LibtorrentStatus {
@ -24,7 +24,7 @@ export interface LibtorrentPayload {
fileSize: number; fileSize: number;
folderName: string; folderName: string;
status: LibtorrentStatus; status: LibtorrentStatus;
gameId: number; gameId: string;
} }
export interface ProcessPayload { export interface ProcessPayload {

View file

@ -1,7 +1,3 @@
import {
userAuthRepository,
userSubscriptionRepository,
} from "@main/repository";
import axios, { AxiosError, AxiosInstance } from "axios"; import axios, { AxiosError, AxiosInstance } from "axios";
import { WindowManager } from "./window-manager"; import { WindowManager } from "./window-manager";
import url from "url"; import url from "url";
@ -13,6 +9,10 @@ import { omit } from "lodash-es";
import { appVersion } from "@main/constants"; import { appVersion } from "@main/constants";
import { getUserData } from "./user/get-user-data"; import { getUserData } from "./user/get-user-data";
import { isFuture, isToday } from "date-fns"; import { isFuture, isToday } from "date-fns";
import { db } from "@main/level";
import { levelKeys } from "@main/level/sublevels";
import type { Auth, User } from "@types";
import { Crypto } from "./crypto";
interface HydraApiOptions { interface HydraApiOptions {
needsAuth?: boolean; needsAuth?: boolean;
@ -77,14 +77,14 @@ export class HydraApi {
tokenExpirationTimestamp tokenExpirationTimestamp
); );
await userAuthRepository.upsert( db.put<string, Auth>(
levelKeys.auth,
{ {
id: 1, accessToken: Crypto.encrypt(accessToken),
accessToken, refreshToken: Crypto.encrypt(refreshToken),
tokenExpirationTimestamp, tokenExpirationTimestamp,
refreshToken,
}, },
["id"] { valueEncoding: "json" }
); );
await getUserData().then((userDetails) => { await getUserData().then((userDetails) => {
@ -186,17 +186,23 @@ export class HydraApi {
); );
} }
const userAuth = await userAuthRepository.findOne({ const result = await db.getMany<string>([levelKeys.auth, levelKeys.user], {
where: { id: 1 }, valueEncoding: "json",
relations: { subscription: true },
}); });
const userAuth = result.at(0) as Auth | undefined;
const user = result.at(1) as User | undefined;
this.userAuth = { this.userAuth = {
authToken: userAuth?.accessToken ?? "", authToken: userAuth?.accessToken
refreshToken: userAuth?.refreshToken ?? "", ? Crypto.decrypt(userAuth.accessToken)
: "",
refreshToken: userAuth?.refreshToken
? Crypto.decrypt(userAuth.refreshToken)
: "",
expirationTimestamp: userAuth?.tokenExpirationTimestamp ?? 0, expirationTimestamp: userAuth?.tokenExpirationTimestamp ?? 0,
subscription: userAuth?.subscription subscription: user?.subscription
? { expiresAt: userAuth.subscription?.expiresAt } ? { expiresAt: user.subscription?.expiresAt }
: null, : null,
}; };
@ -216,11 +222,11 @@ export class HydraApi {
} }
public static async refreshToken() { public static async refreshToken() {
const { accessToken, expiresIn } = await this.instance const response = await this.instance.post(`/auth/refresh`, {
.post<{ accessToken: string; expiresIn: number }>(`/auth/refresh`, {
refreshToken: this.userAuth.refreshToken, refreshToken: this.userAuth.refreshToken,
}) });
.then((response) => response.data);
const { accessToken, expiresIn } = response.data;
const tokenExpirationTimestamp = const tokenExpirationTimestamp =
Date.now() + Date.now() +
@ -235,14 +241,19 @@ export class HydraApi {
this.userAuth.expirationTimestamp this.userAuth.expirationTimestamp
); );
userAuthRepository.upsert( await db
.get<string, Auth>(levelKeys.auth, { valueEncoding: "json" })
.then((auth) => {
return db.put<string, Auth>(
levelKeys.auth,
{ {
id: 1, ...auth,
accessToken, accessToken: Crypto.encrypt(accessToken),
tokenExpirationTimestamp, tokenExpirationTimestamp,
}, },
["id"] { valueEncoding: "json" }
); );
});
return { accessToken, expiresIn }; return { accessToken, expiresIn };
} }
@ -280,8 +291,16 @@ export class HydraApi {
subscription: null, subscription: null,
}; };
userAuthRepository.delete({ id: 1 }); db.batch([
userSubscriptionRepository.delete({ id: 1 }); {
type: "del",
key: levelKeys.auth,
},
{
type: "del",
key: levelKeys.user,
},
]);
this.sendSignOutEvent(); this.sendSignOutEvent();
} }

View file

@ -1,3 +1,4 @@
export * from "./crypto";
export * from "./logger"; export * from "./logger";
export * from "./steam"; export * from "./steam";
export * from "./steam-250"; export * from "./steam-250";

View file

@ -1,5 +1,16 @@
import { gameRepository } from "@main/repository"; import { gamesSublevel, levelKeys } from "@main/level";
export const clearGamesRemoteIds = () => { export const clearGamesRemoteIds = async () => {
return gameRepository.update({}, { remoteId: null }); const games = await gamesSublevel.values().all();
await gamesSublevel.batch(
games.map((game) => ({
type: "put",
key: levelKeys.game(game.shop, game.objectId),
value: {
...game,
remoteId: null,
},
}))
);
}; };

View file

@ -1,19 +1,21 @@
import { Game } from "@main/entity"; import type { Game } from "@types";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
import { gameRepository } from "@main/repository"; import { gamesSublevel, levelKeys } from "@main/level";
export const createGame = async (game: Game) => { export const createGame = async (game: Game) => {
return HydraApi.post(`/profile/games`, { return HydraApi.post(`/profile/games`, {
objectId: game.objectID, objectId: game.objectId,
playTimeInMilliseconds: Math.trunc(game.playTimeInMilliseconds), playTimeInMilliseconds: Math.trunc(game.playTimeInMilliseconds),
shop: game.shop, shop: game.shop,
lastTimePlayed: game.lastTimePlayed, lastTimePlayed: game.lastTimePlayed,
}).then((response) => { }).then((response) => {
const { id: remoteId, playTimeInMilliseconds, lastTimePlayed } = response; const { id: remoteId, playTimeInMilliseconds, lastTimePlayed } = response;
gameRepository.update( gamesSublevel.put(levelKeys.game(game.shop, game.objectId), {
{ objectID: game.objectID }, ...game,
{ remoteId, playTimeInMilliseconds, lastTimePlayed } remoteId,
); playTimeInMilliseconds,
lastTimePlayed,
});
}); });
}; };

View file

@ -1,17 +1,15 @@
import { gameRepository } from "@main/repository";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
import { steamGamesWorker } from "@main/workers"; import { steamGamesWorker } from "@main/workers";
import { steamUrlBuilder } from "@shared"; import { steamUrlBuilder } from "@shared";
import { gamesSublevel, levelKeys } from "@main/level";
export const mergeWithRemoteGames = async () => { export const mergeWithRemoteGames = async () => {
return HydraApi.get("/profile/games") return HydraApi.get("/profile/games")
.then(async (response) => { .then(async (response) => {
for (const game of response) { for (const game of response) {
const localGame = await gameRepository.findOne({ const localGame = await gamesSublevel.get(
where: { levelKeys.game(game.shop, game.objectId)
objectID: game.objectId, );
},
});
if (localGame) { if (localGame) {
const updatedLastTimePlayed = const updatedLastTimePlayed =
@ -26,17 +24,12 @@ export const mergeWithRemoteGames = async () => {
? game.playTimeInMilliseconds ? game.playTimeInMilliseconds
: localGame.playTimeInMilliseconds; : localGame.playTimeInMilliseconds;
gameRepository.update( gamesSublevel.put(levelKeys.game(game.shop, game.objectId), {
{ ...localGame,
objectID: game.objectId,
shop: "steam",
},
{
remoteId: game.id, remoteId: game.id,
lastTimePlayed: updatedLastTimePlayed, lastTimePlayed: updatedLastTimePlayed,
playTimeInMilliseconds: updatedPlayTime, playTimeInMilliseconds: updatedPlayTime,
} });
);
} else { } else {
const steamGame = await steamGamesWorker.run(Number(game.objectId), { const steamGame = await steamGamesWorker.run(Number(game.objectId), {
name: "getById", name: "getById",
@ -47,14 +40,15 @@ export const mergeWithRemoteGames = async () => {
? steamUrlBuilder.icon(game.objectId, steamGame.clientIcon) ? steamUrlBuilder.icon(game.objectId, steamGame.clientIcon)
: null; : null;
gameRepository.insert({ gamesSublevel.put(levelKeys.game(game.shop, game.objectId), {
objectID: game.objectId, objectId: game.objectId,
title: steamGame?.name, title: steamGame?.name,
remoteId: game.id, remoteId: game.id,
shop: game.shop, shop: game.shop,
iconUrl, iconUrl,
lastTimePlayed: game.lastTimePlayed, lastTimePlayed: game.lastTimePlayed,
playTimeInMilliseconds: game.playTimeInMilliseconds, playTimeInMilliseconds: game.playTimeInMilliseconds,
isDeleted: false,
}); });
} }
} }

View file

@ -1,4 +1,4 @@
import { Game } from "@main/entity"; import type { Game } from "@types";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
export const updateGamePlaytime = async ( export const updateGamePlaytime = async (

View file

@ -1,14 +1,18 @@
import { gameRepository } from "@main/repository";
import { chunk } from "lodash-es"; import { chunk } from "lodash-es";
import { IsNull } from "typeorm";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
import { mergeWithRemoteGames } from "./merge-with-remote-games"; import { mergeWithRemoteGames } from "./merge-with-remote-games";
import { WindowManager } from "../window-manager"; import { WindowManager } from "../window-manager";
import { AchievementWatcherManager } from "../achievements/achievement-watcher-manager"; import { AchievementWatcherManager } from "../achievements/achievement-watcher-manager";
import { gamesSublevel } from "@main/level";
export const uploadGamesBatch = async () => { export const uploadGamesBatch = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { remoteId: IsNull(), isDeleted: false }, .values()
.all()
.then((results) => {
return results.filter(
(game) => !game.isDeleted && game.remoteId === null
);
}); });
const gamesChunks = chunk(games, 200); const gamesChunks = chunk(games, 200);
@ -18,7 +22,7 @@ export const uploadGamesBatch = async () => {
"/profile/games/batch", "/profile/games/batch",
chunk.map((game) => { chunk.map((game) => {
return { return {
objectId: game.objectID, objectId: game.objectId,
playTimeInMilliseconds: Math.trunc(game.playTimeInMilliseconds), playTimeInMilliseconds: Math.trunc(game.playTimeInMilliseconds),
shop: game.shop, shop: game.shop,
lastTimePlayed: game.lastTimePlayed, lastTimePlayed: game.lastTimePlayed,

View file

@ -1,8 +1,6 @@
import { Notification, app } from "electron"; import { Notification, app } from "electron";
import { t } from "i18next"; import { t } from "i18next";
import trayIcon from "@resources/tray-icon.png?asset"; import trayIcon from "@resources/tray-icon.png?asset";
import { Game } from "@main/entity";
import { userPreferencesRepository } from "@main/repository";
import fs from "node:fs"; import fs from "node:fs";
import axios from "axios"; import axios from "axios";
import path from "node:path"; import path from "node:path";
@ -11,6 +9,8 @@ import { achievementSoundPath } from "@main/constants";
import icon from "@resources/icon.png?asset"; import icon from "@resources/icon.png?asset";
import { NotificationOptions, toXmlString } from "./xml"; import { NotificationOptions, toXmlString } from "./xml";
import { logger } from "../logger"; import { logger } from "../logger";
import type { Game, UserPreferences } from "@types";
import { db, levelKeys } from "@main/level";
async function downloadImage(url: string | null) { async function downloadImage(url: string | null) {
if (!url) return undefined; if (!url) return undefined;
@ -38,9 +38,12 @@ async function downloadImage(url: string | null) {
} }
export const publishDownloadCompleteNotification = async (game: Game) => { export const publishDownloadCompleteNotification = async (game: Game) => {
const userPreferences = await userPreferencesRepository.findOne({ const userPreferences = await db.get<string, UserPreferences>(
where: { id: 1 }, levelKeys.userPreferences,
}); {
valueEncoding: "json",
}
);
if (userPreferences?.downloadNotificationsEnabled) { if (userPreferences?.downloadNotificationsEnabled) {
new Notification({ new Notification({

View file

@ -1,12 +1,11 @@
import { gameRepository } from "@main/repository";
import { WindowManager } from "./window-manager"; import { WindowManager } from "./window-manager";
import { createGame, updateGamePlaytime } from "./library-sync"; import { createGame, updateGamePlaytime } from "./library-sync";
import type { GameRunning } from "@types"; import type { Game, GameRunning } from "@types";
import { PythonRPC } from "./python-rpc"; import { PythonRPC } from "./python-rpc";
import { Game } from "@main/entity";
import axios from "axios"; import axios from "axios";
import { exec } from "child_process"; import { exec } from "child_process";
import { ProcessPayload } from "./download/types"; import { ProcessPayload } from "./download/types";
import { gamesSublevel, levelKeys } from "@main/level";
const commands = { const commands = {
findWineDir: `lsof -c wine 2>/dev/null | grep '/drive_c/windows$' | head -n 1 | awk '{for(i=9;i<=NF;i++) printf "%s ", $i; print ""}'`, findWineDir: `lsof -c wine 2>/dev/null | grep '/drive_c/windows$' | head -n 1 | awk '{for(i=9;i<=NF;i++) printf "%s ", $i; print ""}'`,
@ -14,7 +13,7 @@ const commands = {
}; };
export const gamesPlaytime = new Map< export const gamesPlaytime = new Map<
number, string,
{ lastTick: number; firstTick: number; lastSyncTick: number } { lastTick: number; firstTick: number; lastSyncTick: number }
>(); >();
@ -82,23 +81,28 @@ const findGamePathByProcess = (
const pathSet = processMap.get(executable.exe); const pathSet = processMap.get(executable.exe);
if (pathSet) { if (pathSet) {
pathSet.forEach((path) => { pathSet.forEach(async (path) => {
if (path.toLowerCase().endsWith(executable.name)) { if (path.toLowerCase().endsWith(executable.name)) {
gameRepository.update( const gameKey = levelKeys.game("steam", gameId);
{ objectID: gameId, shop: "steam" }, const game = await gamesSublevel.get(gameKey);
{ executablePath: path }
); if (game) {
gamesSublevel.put(gameKey, {
...game,
executablePath: path,
});
}
if (isLinuxPlatform) { if (isLinuxPlatform) {
exec(commands.findWineDir, (err, out) => { exec(commands.findWineDir, (err, out) => {
if (err) return; if (err) return;
gameRepository.update( if (game) {
{ objectID: gameId, shop: "steam" }, gamesSublevel.put(gameKey, {
{ ...game,
winePrefixPath: out.trim().replace("/drive_c/windows", ""), winePrefixPath: out.trim().replace("/drive_c/windows", ""),
});
} }
);
}); });
} }
} }
@ -159,10 +163,11 @@ const getSystemProcessMap = async () => {
}; };
export const watchProcesses = async () => { export const watchProcesses = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { .values()
isDeleted: false, .all()
}, .then((results) => {
return results.filter((game) => game.isDeleted === false);
}); });
if (!games.length) return; if (!games.length) return;
@ -172,8 +177,8 @@ export const watchProcesses = async () => {
for (const game of games) { for (const game of games) {
const executablePath = game.executablePath; const executablePath = game.executablePath;
if (!executablePath) { if (!executablePath) {
if (gameExecutables[game.objectID]) { if (gameExecutables[game.objectId]) {
findGamePathByProcess(processMap, game.objectID); findGamePathByProcess(processMap, game.objectId);
} }
continue; continue;
} }
@ -185,12 +190,12 @@ export const watchProcesses = async () => {
const hasProcess = processMap.get(executable)?.has(executablePath); const hasProcess = processMap.get(executable)?.has(executablePath);
if (hasProcess) { if (hasProcess) {
if (gamesPlaytime.has(game.id)) { if (gamesPlaytime.has(levelKeys.game(game.shop, game.objectId))) {
onTickGame(game); onTickGame(game);
} else { } else {
onOpenGame(game); onOpenGame(game);
} }
} else if (gamesPlaytime.has(game.id)) { } else if (gamesPlaytime.has(levelKeys.game(game.shop, game.objectId))) {
onCloseGame(game); onCloseGame(game);
} }
} }
@ -202,20 +207,17 @@ export const watchProcesses = async () => {
return { return {
id: entry[0], id: entry[0],
sessionDurationInMillis: performance.now() - entry[1].firstTick, sessionDurationInMillis: performance.now() - entry[1].firstTick,
}; } as Pick<GameRunning, "id" | "sessionDurationInMillis">;
}); });
WindowManager.mainWindow.webContents.send( WindowManager.mainWindow.webContents.send("on-games-running", gamesRunning);
"on-games-running",
gamesRunning as Pick<GameRunning, "id" | "sessionDurationInMillis">[]
);
} }
}; };
function onOpenGame(game: Game) { function onOpenGame(game: Game) {
const now = performance.now(); const now = performance.now();
gamesPlaytime.set(game.id, { gamesPlaytime.set(levelKeys.game(game.shop, game.objectId), {
lastTick: now, lastTick: now,
firstTick: now, firstTick: now,
lastSyncTick: now, lastSyncTick: now,
@ -230,16 +232,25 @@ function onOpenGame(game: Game) {
function onTickGame(game: Game) { function onTickGame(game: Game) {
const now = performance.now(); const now = performance.now();
const gamePlaytime = gamesPlaytime.get(game.id)!; const gamePlaytime = gamesPlaytime.get(
levelKeys.game(game.shop, game.objectId)
)!;
const delta = now - gamePlaytime.lastTick; const delta = now - gamePlaytime.lastTick;
gameRepository.update(game.id, { gamesSublevel.put(levelKeys.game(game.shop, game.objectId), {
...game,
playTimeInMilliseconds: game.playTimeInMilliseconds + delta, playTimeInMilliseconds: game.playTimeInMilliseconds + delta,
lastTimePlayed: new Date(), lastTimePlayed: new Date(),
}); });
gamesPlaytime.set(game.id, { gamesSublevel.put(levelKeys.game(game.shop, game.objectId), {
...game,
playTimeInMilliseconds: game.playTimeInMilliseconds + delta,
lastTimePlayed: new Date(),
});
gamesPlaytime.set(levelKeys.game(game.shop, game.objectId), {
...gamePlaytime, ...gamePlaytime,
lastTick: now, lastTick: now,
}); });
@ -255,7 +266,7 @@ function onTickGame(game: Game) {
gamePromise gamePromise
.then(() => { .then(() => {
gamesPlaytime.set(game.id, { gamesPlaytime.set(levelKeys.game(game.shop, game.objectId), {
...gamePlaytime, ...gamePlaytime,
lastSyncTick: now, lastSyncTick: now,
}); });
@ -265,8 +276,10 @@ function onTickGame(game: Game) {
} }
const onCloseGame = (game: Game) => { const onCloseGame = (game: Game) => {
const gamePlaytime = gamesPlaytime.get(game.id)!; const gamePlaytime = gamesPlaytime.get(
gamesPlaytime.delete(game.id); levelKeys.game(game.shop, game.objectId)
)!;
gamesPlaytime.delete(levelKeys.game(game.shop, game.objectId));
if (game.remoteId) { if (game.remoteId) {
updateGamePlaytime( updateGamePlaytime(

View file

@ -10,7 +10,7 @@ import { Readable } from "node:stream";
import { app, dialog } from "electron"; import { app, dialog } from "electron";
interface GamePayload { interface GamePayload {
game_id: number; game_id: string;
url: string; url: string;
save_path: string; save_path: string;
} }

View file

@ -1,42 +1,29 @@
import type { ProfileVisibility, UserDetails } from "@types"; import { User, type ProfileVisibility, type UserDetails } from "@types";
import { HydraApi } from "../hydra-api"; import { HydraApi } from "../hydra-api";
import {
userAuthRepository,
userSubscriptionRepository,
} from "@main/repository";
import { UserNotLoggedInError } from "@shared"; import { UserNotLoggedInError } from "@shared";
import { logger } from "../logger"; import { logger } from "../logger";
import { db } from "@main/level";
import { levelKeys } from "@main/level/sublevels";
export const getUserData = () => { export const getUserData = async () => {
return HydraApi.get<UserDetails>(`/profile/me`) return HydraApi.get<UserDetails>(`/profile/me`)
.then(async (me) => { .then(async (me) => {
userAuthRepository.upsert( db.get<string, User>(levelKeys.user, { valueEncoding: "json" }).then(
(user) => {
return db.put<string, User>(
levelKeys.user,
{ {
id: 1, ...user,
id: me.id,
displayName: me.displayName, displayName: me.displayName,
profileImageUrl: me.profileImageUrl, profileImageUrl: me.profileImageUrl,
backgroundImageUrl: me.backgroundImageUrl, backgroundImageUrl: me.backgroundImageUrl,
userId: me.id, subscription: me.subscription,
}, },
["id"] { valueEncoding: "json" }
); );
if (me.subscription) {
await userSubscriptionRepository.upsert(
{
id: 1,
subscriptionId: me.subscription?.id || "",
status: me.subscription?.status || "",
planId: me.subscription?.plan.id || "",
planName: me.subscription?.plan.name || "",
expiresAt: me.subscription?.expiresAt || null,
user: { id: 1 },
},
["id"]
);
} else {
await userSubscriptionRepository.delete({ id: 1 });
} }
);
return me; return me;
}) })
@ -46,15 +33,14 @@ export const getUserData = () => {
return null; return null;
} }
logger.error("Failed to get logged user"); logger.error("Failed to get logged user");
const loggedUser = await userAuthRepository.findOne({
where: { id: 1 }, const loggedUser = await db.get<string, User>(levelKeys.user, {
relations: { subscription: true }, valueEncoding: "json",
}); });
if (loggedUser) { if (loggedUser) {
return { return {
...loggedUser, ...loggedUser,
id: loggedUser.userId,
username: "", username: "",
bio: "", bio: "",
email: null, email: null,
@ -64,11 +50,11 @@ export const getUserData = () => {
}, },
subscription: loggedUser.subscription subscription: loggedUser.subscription
? { ? {
id: loggedUser.subscription.subscriptionId, id: loggedUser.subscription.id,
status: loggedUser.subscription.status, status: loggedUser.subscription.status,
plan: { plan: {
id: loggedUser.subscription.planId, id: loggedUser.subscription.plan.id,
name: loggedUser.subscription.planName, name: loggedUser.subscription.plan.name,
}, },
expiresAt: loggedUser.subscription.expiresAt, expiresAt: loggedUser.subscription.expiresAt,
} }

View file

@ -13,10 +13,11 @@ import { t } from "i18next";
import path from "node:path"; import path from "node:path";
import icon from "@resources/icon.png?asset"; import icon from "@resources/icon.png?asset";
import trayIcon from "@resources/tray-icon.png?asset"; import trayIcon from "@resources/tray-icon.png?asset";
import { gameRepository, userPreferencesRepository } from "@main/repository";
import { IsNull, Not } from "typeorm";
import { HydraApi } from "./hydra-api"; import { HydraApi } from "./hydra-api";
import UserAgent from "user-agents"; import UserAgent from "user-agents";
import { db, gamesSublevel, levelKeys } from "@main/level";
import { slice, sortBy } from "lodash-es";
import type { UserPreferences } from "@types";
import { AuthPage } from "@shared"; import { AuthPage } from "@shared";
export class WindowManager { export class WindowManager {
@ -131,9 +132,12 @@ export class WindowManager {
}); });
this.mainWindow.on("close", async () => { this.mainWindow.on("close", async () => {
const userPreferences = await userPreferencesRepository.findOne({ const userPreferences = await db.get<string, UserPreferences>(
where: { id: 1 }, levelKeys.userPreferences,
}); {
valueEncoding: "json",
}
);
if (userPreferences?.preferQuitInsteadOfHiding) { if (userPreferences?.preferQuitInsteadOfHiding) {
app.quit(); app.quit();
@ -211,16 +215,18 @@ export class WindowManager {
} }
const updateSystemTray = async () => { const updateSystemTray = async () => {
const games = await gameRepository.find({ const games = await gamesSublevel
where: { .values()
isDeleted: false, .all()
executablePath: Not(IsNull()), .then((games) => {
lastTimePlayed: Not(IsNull()), const filteredGames = games.filter(
}, (game) =>
take: 5, !game.isDeleted && game.executablePath && game.lastTimePlayed
order: { );
lastTimePlayed: "DESC",
}, const sortedGames = sortBy(filteredGames, "lastTimePlayed", "DESC");
return slice(sortedGames, 5);
}); });
const recentlyPlayedGames: Array<MenuItemConstructorOptions | MenuItem> = const recentlyPlayedGames: Array<MenuItemConstructorOptions | MenuItem> =

View file

@ -22,16 +22,16 @@ contextBridge.exposeInMainWorld("electron", {
/* Torrenting */ /* Torrenting */
startGameDownload: (payload: StartGameDownloadPayload) => startGameDownload: (payload: StartGameDownloadPayload) =>
ipcRenderer.invoke("startGameDownload", payload), ipcRenderer.invoke("startGameDownload", payload),
cancelGameDownload: (gameId: number) => cancelGameDownload: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("cancelGameDownload", gameId), ipcRenderer.invoke("cancelGameDownload", shop, objectId),
pauseGameDownload: (gameId: number) => pauseGameDownload: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("pauseGameDownload", gameId), ipcRenderer.invoke("pauseGameDownload", shop, objectId),
resumeGameDownload: (gameId: number) => resumeGameDownload: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("resumeGameDownload", gameId), ipcRenderer.invoke("resumeGameDownload", shop, objectId),
pauseGameSeed: (gameId: number) => pauseGameSeed: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("pauseGameSeed", gameId), ipcRenderer.invoke("pauseGameSeed", shop, objectId),
resumeGameSeed: (gameId: number) => resumeGameSeed: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("resumeGameSeed", gameId), ipcRenderer.invoke("resumeGameSeed", shop, objectId),
onDownloadProgress: (cb: (value: DownloadProgress) => void) => { onDownloadProgress: (cb: (value: DownloadProgress) => void) => {
const listener = ( const listener = (
_event: Electron.IpcRendererEvent, _event: Electron.IpcRendererEvent,
@ -98,40 +98,61 @@ contextBridge.exposeInMainWorld("electron", {
ipcRenderer.invoke("putDownloadSource", objectIds), ipcRenderer.invoke("putDownloadSource", objectIds),
/* Library */ /* Library */
addGameToLibrary: (objectId: string, title: string, shop: GameShop) => addGameToLibrary: (shop: GameShop, objectId: string, title: string) =>
ipcRenderer.invoke("addGameToLibrary", objectId, title, shop), ipcRenderer.invoke("addGameToLibrary", shop, objectId, title),
createGameShortcut: (id: number) => createGameShortcut: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("createGameShortcut", id), ipcRenderer.invoke("createGameShortcut", shop, objectId),
updateExecutablePath: (id: number, executablePath: string | null) => updateExecutablePath: (
ipcRenderer.invoke("updateExecutablePath", id, executablePath), shop: GameShop,
updateLaunchOptions: (id: number, launchOptions: string | null) => objectId: string,
ipcRenderer.invoke("updateLaunchOptions", id, launchOptions), executablePath: string | null
selectGameWinePrefix: (id: number, winePrefixPath: string | null) => ) =>
ipcRenderer.invoke("selectGameWinePrefix", id, winePrefixPath), ipcRenderer.invoke("updateExecutablePath", shop, objectId, executablePath),
updateLaunchOptions: (
shop: GameShop,
objectId: string,
launchOptions: string | null
) => ipcRenderer.invoke("updateLaunchOptions", shop, objectId, launchOptions),
selectGameWinePrefix: (
shop: GameShop,
objectId: string,
winePrefixPath: string | null
) =>
ipcRenderer.invoke("selectGameWinePrefix", shop, objectId, winePrefixPath),
verifyExecutablePathInUse: (executablePath: string) => verifyExecutablePathInUse: (executablePath: string) =>
ipcRenderer.invoke("verifyExecutablePathInUse", executablePath), ipcRenderer.invoke("verifyExecutablePathInUse", executablePath),
getLibrary: () => ipcRenderer.invoke("getLibrary"), getLibrary: () => ipcRenderer.invoke("getLibrary"),
openGameInstaller: (gameId: number) => openGameInstaller: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("openGameInstaller", gameId), ipcRenderer.invoke("openGameInstaller", shop, objectId),
openGameInstallerPath: (gameId: number) => openGameInstallerPath: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("openGameInstallerPath", gameId), ipcRenderer.invoke("openGameInstallerPath", shop, objectId),
openGameExecutablePath: (gameId: number) => openGameExecutablePath: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("openGameExecutablePath", gameId), ipcRenderer.invoke("openGameExecutablePath", shop, objectId),
openGame: ( openGame: (
gameId: number, shop: GameShop,
objectId: string,
executablePath: string, executablePath: string,
launchOptions: string | null launchOptions?: string | null
) => ipcRenderer.invoke("openGame", gameId, executablePath, launchOptions), ) =>
closeGame: (gameId: number) => ipcRenderer.invoke("closeGame", gameId), ipcRenderer.invoke(
removeGameFromLibrary: (gameId: number) => "openGame",
ipcRenderer.invoke("removeGameFromLibrary", gameId), shop,
removeGame: (gameId: number) => ipcRenderer.invoke("removeGame", gameId), objectId,
deleteGameFolder: (gameId: number) => executablePath,
ipcRenderer.invoke("deleteGameFolder", gameId), launchOptions
getGameByObjectId: (objectId: string) => ),
ipcRenderer.invoke("getGameByObjectId", objectId), closeGame: (shop: GameShop, objectId: string) =>
resetGameAchievements: (gameId: number) => ipcRenderer.invoke("closeGame", shop, objectId),
ipcRenderer.invoke("resetGameAchievements", gameId), removeGameFromLibrary: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("removeGameFromLibrary", shop, objectId),
removeGame: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("removeGame", shop, objectId),
deleteGameFolder: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("deleteGameFolder", shop, objectId),
getGameByObjectId: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("getGameByObjectId", shop, objectId),
resetGameAchievements: (shop: GameShop, objectId: string) =>
ipcRenderer.invoke("resetGameAchievements", shop, objectId),
onGamesRunning: ( onGamesRunning: (
cb: ( cb: (
gamesRunning: Pick<GameRunning, "id" | "sessionDurationInMillis">[] gamesRunning: Pick<GameRunning, "id" | "sessionDurationInMillis">[]

Some files were not shown because too many files have changed in this diff Show more