Merge pull request #948 from hydralauncher/feat/search-games-from-api

feat: search games from api
This commit is contained in:
Zamitto 2024-09-12 19:57:53 -03:00 committed by GitHub
commit 87cacdf16c
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
10 changed files with 140 additions and 78 deletions

View file

@ -7,7 +7,8 @@
"featured": "Featured", "featured": "Featured",
"trending": "Trending", "trending": "Trending",
"surprise_me": "Surprise me", "surprise_me": "Surprise me",
"no_results": "No results found" "no_results": "No results found",
"start_typing": "Starting typing to search..."
}, },
"sidebar": { "sidebar": {
"catalogue": "Catalogue", "catalogue": "Catalogue",

View file

@ -7,7 +7,8 @@
"featured": "Destaques", "featured": "Destaques",
"trending": "Populares", "trending": "Populares",
"surprise_me": "Surpreenda-me", "surprise_me": "Surpreenda-me",
"no_results": "Nenhum resultado encontrado" "no_results": "Nenhum resultado encontrado",
"start_typing": "Comece a digitar para pesquisar…"
}, },
"sidebar": { "sidebar": {
"catalogue": "Catálogo", "catalogue": "Catálogo",

View file

@ -7,7 +7,8 @@
"featured": "Destaques", "featured": "Destaques",
"trending": "Populares", "trending": "Populares",
"surprise_me": "Surpreende-me", "surprise_me": "Surpreende-me",
"no_results": "Nenhum resultado encontrado" "no_results": "Nenhum resultado encontrado",
"start_typing": "Comece a digitar para pesquisar…"
}, },
"sidebar": { "sidebar": {
"catalogue": "Catálogo", "catalogue": "Catálogo",

View file

@ -3,7 +3,7 @@ import { shuffle } from "lodash-es";
import { getSteam250List } from "@main/services"; import { getSteam250List } from "@main/services";
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { searchSteamGames } from "../helpers/search-games"; import { getSteamGameById } from "../helpers/search-games";
import type { Steam250Game } from "@types"; import type { Steam250Game } from "@types";
const state = { games: Array<Steam250Game>(), index: 0 }; const state = { games: Array<Steam250Game>(), index: 0 };
@ -12,16 +12,12 @@ const filterGames = async (games: Steam250Game[]) => {
const results: Steam250Game[] = []; const results: Steam250Game[] = [];
for (const game of games) { for (const game of games) {
const catalogue = await searchSteamGames({ query: game.title }); const steamGame = await getSteamGameById(game.objectID);
if (catalogue.length) { if (steamGame?.repacks.length) {
const [steamGame] = catalogue;
if (steamGame.repacks.length) {
results.push(game); results.push(game);
} }
} }
}
return results; return results;
}; };

View file

@ -1,10 +1,25 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { searchSteamGames } from "../helpers/search-games"; import { convertSteamGameToCatalogueEntry } from "../helpers/search-games";
import { CatalogueEntry } from "@types"; import { CatalogueEntry } from "@types";
import { HydraApi, RepacksManager } from "@main/services";
const searchGamesEvent = async ( const searchGamesEvent = async (
_event: Electron.IpcMainInvokeEvent, _event: Electron.IpcMainInvokeEvent,
query: string query: string
): Promise<CatalogueEntry[]> => searchSteamGames({ query, limit: 12 }); ): Promise<CatalogueEntry[]> => {
const games = await HydraApi.get<
{ objectId: string; title: string; shop: string }[]
>("/games/search", { title: query, take: 12, skip: 0 }, { needsAuth: false });
const steamGames = games.map((game) => {
return convertSteamGameToCatalogueEntry({
id: Number(game.objectId),
name: game.title,
clientIcon: null,
});
});
return RepacksManager.findRepacksForCatalogueEntries(steamGames);
};
registerEvent("searchGames", searchGamesEvent); registerEvent("searchGames", searchGamesEvent);

View file

@ -1,6 +1,3 @@
import { orderBy } from "lodash-es";
import flexSearch from "flexsearch";
import type { GameShop, CatalogueEntry, SteamGame } from "@types"; import type { GameShop, CatalogueEntry, SteamGame } from "@types";
import { getSteamAppAsset } from "@main/helpers"; import { getSteamAppAsset } from "@main/helpers";
@ -23,20 +20,18 @@ export const convertSteamGameToCatalogueEntry = (
repacks: [], repacks: [],
}); });
export const searchSteamGames = async ( export const getSteamGameById = async (
options: flexSearch.SearchOptions objectId: string
): Promise<CatalogueEntry[]> => { ): Promise<CatalogueEntry | null> => {
const steamGames = (await steamGamesWorker.run(options, { const steamGame = await steamGamesWorker.run(Number(objectId), {
name: "search", name: "getById",
})) as SteamGame[]; });
const result = RepacksManager.findRepacksForCatalogueEntries( if (!steamGame) return null;
steamGames.map((game) => convertSteamGameToCatalogueEntry(game))
);
return orderBy( const catalogueEntry = convertSteamGameToCatalogueEntry(steamGame);
result,
[({ repacks }) => repacks.length, "repacks"], const result = RepacksManager.findRepacksForCatalogueEntry(catalogueEntry);
["desc"]
); return result;
}; };

View file

@ -7,6 +7,10 @@ import { clearGamesRemoteIds } from "./library-sync/clear-games-remote-id";
import { logger } from "./logger"; import { logger } from "./logger";
import { UserNotLoggedInError } from "@shared"; import { UserNotLoggedInError } from "@shared";
interface HydraApiOptions {
needsAuth: boolean;
}
export class HydraApi { export class HydraApi {
private static instance: AxiosInstance; private static instance: AxiosInstance;
@ -204,50 +208,76 @@ export class HydraApi {
throw err; throw err;
}; };
static async get<T = any>(url: string, params?: any) { static async get<T = any>(
url: string,
params?: any,
options?: HydraApiOptions
) {
if (!options || options.needsAuth) {
if (!this.isLoggedIn()) throw new UserNotLoggedInError(); if (!this.isLoggedIn()) throw new UserNotLoggedInError();
await this.revalidateAccessTokenIfExpired(); await this.revalidateAccessTokenIfExpired();
}
return this.instance return this.instance
.get<T>(url, { params, ...this.getAxiosConfig() }) .get<T>(url, { params, ...this.getAxiosConfig() })
.then((response) => response.data) .then((response) => response.data)
.catch(this.handleUnauthorizedError); .catch(this.handleUnauthorizedError);
} }
static async post<T = any>(url: string, data?: any) { static async post<T = any>(
url: string,
data?: any,
options?: HydraApiOptions
) {
if (!options || options.needsAuth) {
if (!this.isLoggedIn()) throw new UserNotLoggedInError(); if (!this.isLoggedIn()) throw new UserNotLoggedInError();
await this.revalidateAccessTokenIfExpired(); await this.revalidateAccessTokenIfExpired();
}
return this.instance return this.instance
.post<T>(url, data, this.getAxiosConfig()) .post<T>(url, data, this.getAxiosConfig())
.then((response) => response.data) .then((response) => response.data)
.catch(this.handleUnauthorizedError); .catch(this.handleUnauthorizedError);
} }
static async put<T = any>(url: string, data?: any) { static async put<T = any>(
url: string,
data?: any,
options?: HydraApiOptions
) {
if (!options || options.needsAuth) {
if (!this.isLoggedIn()) throw new UserNotLoggedInError(); if (!this.isLoggedIn()) throw new UserNotLoggedInError();
await this.revalidateAccessTokenIfExpired(); await this.revalidateAccessTokenIfExpired();
}
return this.instance return this.instance
.put<T>(url, data, this.getAxiosConfig()) .put<T>(url, data, this.getAxiosConfig())
.then((response) => response.data) .then((response) => response.data)
.catch(this.handleUnauthorizedError); .catch(this.handleUnauthorizedError);
} }
static async patch<T = any>(url: string, data?: any) { static async patch<T = any>(
url: string,
data?: any,
options?: HydraApiOptions
) {
if (!options || options.needsAuth) {
if (!this.isLoggedIn()) throw new UserNotLoggedInError(); if (!this.isLoggedIn()) throw new UserNotLoggedInError();
await this.revalidateAccessTokenIfExpired(); await this.revalidateAccessTokenIfExpired();
}
return this.instance return this.instance
.patch<T>(url, data, this.getAxiosConfig()) .patch<T>(url, data, this.getAxiosConfig())
.then((response) => response.data) .then((response) => response.data)
.catch(this.handleUnauthorizedError); .catch(this.handleUnauthorizedError);
} }
static async delete<T = any>(url: string) { static async delete<T = any>(url: string, options?: HydraApiOptions) {
if (!options || options.needsAuth) {
if (!this.isLoggedIn()) throw new UserNotLoggedInError(); if (!this.isLoggedIn()) throw new UserNotLoggedInError();
await this.revalidateAccessTokenIfExpired(); await this.revalidateAccessTokenIfExpired();
}
return this.instance return this.instance
.delete<T>(url, this.getAxiosConfig()) .delete<T>(url, this.getAxiosConfig())
.then((response) => response.data) .then((response) => response.data)

View file

@ -49,6 +49,11 @@ export class RepacksManager {
.map((index) => this.repacks[index]); .map((index) => this.repacks[index]);
} }
public static findRepacksForCatalogueEntry(entry: CatalogueEntry) {
const repacks = this.search({ query: formatName(entry.title) });
return { ...entry, repacks };
}
public static findRepacksForCatalogueEntries(entries: CatalogueEntry[]) { public static findRepacksForCatalogueEntries(entries: CatalogueEntry[]) {
return entries.map((entry) => { return entries.map((entry) => {
const repacks = this.search({ query: formatName(entry.title) }); const repacks = this.search({ query: formatName(entry.title) });

View file

@ -1,36 +1,15 @@
import { SteamGame } from "@types"; import { SteamGame } from "@types";
import { orderBy, slice } from "lodash-es"; import { slice } from "lodash-es";
import flexSearch from "flexsearch";
import fs from "node:fs"; import fs from "node:fs";
import { formatName } from "@shared";
import { workerData } from "node:worker_threads"; import { workerData } from "node:worker_threads";
const steamGamesIndex = new flexSearch.Index({
tokenize: "reverse",
});
const { steamGamesPath } = workerData; const { steamGamesPath } = workerData;
const data = fs.readFileSync(steamGamesPath, "utf-8"); const data = fs.readFileSync(steamGamesPath, "utf-8");
const steamGames = JSON.parse(data) as SteamGame[]; const steamGames = JSON.parse(data) as SteamGame[];
for (let i = 0; i < steamGames.length; i++) {
const steamGame = steamGames[i];
const formattedName = formatName(steamGame.name);
steamGamesIndex.add(i, formattedName);
}
export const search = (options: flexSearch.SearchOptions) => {
const results = steamGamesIndex.search(options);
const games = results.map((index) => steamGames[index]);
return orderBy(games, ["name"], ["asc"]);
};
export const getById = (id: number) => export const getById = (id: number) =>
steamGames.find((game) => game.id === id); steamGames.find((game) => game.id === id);

View file

@ -6,7 +6,7 @@ import type { CatalogueEntry } from "@types";
import type { DebouncedFunc } from "lodash"; import type { DebouncedFunc } from "lodash";
import { debounce } from "lodash"; import { debounce } from "lodash";
import { InboxIcon } from "@primer/octicons-react"; import { InboxIcon, SearchIcon } from "@primer/octicons-react";
import { clearSearch } from "@renderer/features"; import { clearSearch } from "@renderer/features";
import { useAppDispatch } from "@renderer/hooks"; import { useAppDispatch } from "@renderer/hooks";
import { useEffect, useRef, useState } from "react"; import { useEffect, useRef, useState } from "react";
@ -25,8 +25,10 @@ export function SearchResults() {
const [searchResults, setSearchResults] = useState<CatalogueEntry[]>([]); const [searchResults, setSearchResults] = useState<CatalogueEntry[]>([]);
const [isLoading, setIsLoading] = useState(false); const [isLoading, setIsLoading] = useState(false);
const [showTypingMessage, setShowTypingMessage] = useState(false);
const debouncedFunc = useRef<DebouncedFunc<() => void> | null>(null); const debouncedFunc = useRef<DebouncedFunc<() => void> | null>(null);
const abortControllerRef = useRef<AbortController | null>(null);
const navigate = useNavigate(); const navigate = useNavigate();
@ -38,21 +40,64 @@ export function SearchResults() {
useEffect(() => { useEffect(() => {
setIsLoading(true); setIsLoading(true);
if (debouncedFunc.current) debouncedFunc.current.cancel(); if (debouncedFunc.current) debouncedFunc.current.cancel();
if (abortControllerRef.current) abortControllerRef.current.abort();
const abortController = new AbortController();
abortControllerRef.current = abortController;
debouncedFunc.current = debounce(() => { debouncedFunc.current = debounce(() => {
const query = searchParams.get("query") ?? "";
if (query.length < 3) {
setIsLoading(false);
setShowTypingMessage(true);
setSearchResults([]);
return;
}
setShowTypingMessage(false);
window.electron window.electron
.searchGames(searchParams.get("query") ?? "") .searchGames(query)
.then((results) => { .then((results) => {
if (abortController.signal.aborted) return;
setSearchResults(results); setSearchResults(results);
setIsLoading(false);
}) })
.finally(() => { .catch(() => {
setIsLoading(false); setIsLoading(false);
}); });
}, 300); }, 500);
debouncedFunc.current(); debouncedFunc.current();
}, [searchParams, dispatch]); }, [searchParams, dispatch]);
const noResultsContent = () => {
if (isLoading) return null;
if (showTypingMessage) {
return (
<div className={styles.noResults}>
<SearchIcon size={56} />
<p>{t("start_typing")}</p>
</div>
);
}
if (searchResults.length === 0) {
return (
<div className={styles.noResults}>
<InboxIcon size={56} />
<p>{t("no_results")}</p>
</div>
);
}
return null;
};
return ( return (
<SkeletonTheme baseColor={vars.color.background} highlightColor="#444"> <SkeletonTheme baseColor={vars.color.background} highlightColor="#444">
<section className={styles.content}> <section className={styles.content}>
@ -75,13 +120,7 @@ export function SearchResults() {
)} )}
</section> </section>
{!isLoading && searchResults.length === 0 && ( {noResultsContent()}
<div className={styles.noResults}>
<InboxIcon size={56} />
<p>{t("no_results")}</p>
</div>
)}
</section> </section>
</SkeletonTheme> </SkeletonTheme>
); );