feat: loading from me endpoint and updating sidebar profile

This commit is contained in:
Zamitto 2024-06-15 19:52:37 -03:00
parent aeaeb1f086
commit 76259c2b54
12 changed files with 178 additions and 59 deletions

View File

@ -11,6 +11,15 @@ export class UserAuth {
@PrimaryGeneratedColumn() @PrimaryGeneratedColumn()
id: number; id: number;
@Column("text", { default: "" })
userId: string;
@Column("text", { default: "" })
displayName: string;
@Column("text", { default: "" })
profileImageUrl: string;
@Column("text", { default: "" }) @Column("text", { default: "" })
accessToken: string; accessToken: string;

View File

@ -12,20 +12,3 @@ export const downloadSourceSchema = z.object({
}) })
), ),
}); });
const gamesArray = z.array(
z.object({
id: z.string().length(8),
objectId: z.string().max(255),
playTimeInSeconds: z.number().int(),
shop: z.enum(["steam", "epic"]),
lastTimePlayed: z.coerce.date().nullable(),
})
);
export const userProfileSchema = z.object({
displayName: z.string(),
profileImageUrl: z.string().url().nullable(),
libraryGames: gamesArray,
recentGames: gamesArray,
});

View File

@ -1,5 +1,6 @@
import { defaultDownloadsPath } from "@main/constants"; import { defaultDownloadsPath } from "@main/constants";
import { app, ipcMain } from "electron"; import { app, ipcMain } from "electron";
import { HydraApi } from "@main/services/hydra-api";
import "./catalogue/get-catalogue"; import "./catalogue/get-catalogue";
import "./catalogue/get-game-shop-details"; import "./catalogue/get-game-shop-details";
@ -40,7 +41,9 @@ import "./download-sources/add-download-source";
import "./download-sources/remove-download-source"; import "./download-sources/remove-download-source";
import "./download-sources/sync-download-sources"; import "./download-sources/sync-download-sources";
import "./profile/get-user-profile"; import "./profile/get-user-profile";
import "./profile/get-me";
ipcMain.handle("ping", () => "pong"); ipcMain.handle("ping", () => "pong");
ipcMain.handle("getVersion", () => app.getVersion()); ipcMain.handle("getVersion", () => app.getVersion());
ipcMain.handle("isUserLoggedIn", () => HydraApi.isLoggedIn());
ipcMain.handle("getDefaultDownloadsPath", () => defaultDownloadsPath); ipcMain.handle("getDefaultDownloadsPath", () => defaultDownloadsPath);

View File

@ -0,0 +1,30 @@
import { registerEvent } from "../register-event";
import { HydraApi } from "@main/services/hydra-api";
import { UserProfile } from "@types";
import { userAuthRepository } from "@main/repository";
const getMe = async (
_event: Electron.IpcMainInvokeEvent
): Promise<UserProfile | null> => {
return HydraApi.get(`/profile/me`)
.then((response) => {
const me = response.data;
userAuthRepository.upsert(
{
id: 1,
displayName: me.displayName,
profileImageUrl: me.displayName,
userId: me.id,
},
["id"]
);
return me;
})
.catch(() => {
return userAuthRepository.findOne({ where: { id: 1 } });
});
};
registerEvent("getMe", getMe);

View File

@ -1,6 +1,4 @@
import { registerEvent } from "../register-event"; import { registerEvent } from "../register-event";
import { userProfileSchema } from "../helpers/validators";
import { logger } from "@main/services";
import { HydraApi } from "@main/services/hydra-api"; import { HydraApi } from "@main/services/hydra-api";
import { steamGamesWorker } from "@main/workers"; import { steamGamesWorker } from "@main/workers";
import { UserProfile } from "@types"; import { UserProfile } from "@types";
@ -13,7 +11,7 @@ const getUserProfile = async (
): Promise<UserProfile | null> => { ): Promise<UserProfile | null> => {
try { try {
const response = await HydraApi.get(`/user/${username}`); const response = await HydraApi.get(`/user/${username}`);
const profile = userProfileSchema.parse(response.data); const profile = response.data;
const recentGames = await Promise.all( const recentGames = await Promise.all(
profile.recentGames.map(async (game) => { profile.recentGames.map(async (game) => {
@ -51,7 +49,6 @@ const getUserProfile = async (
return { ...profile, libraryGames, recentGames }; return { ...profile, libraryGames, recentGames };
} catch (err) { } catch (err) {
logger.error(`getUserProfile: ${username}`, err);
return null; return null;
} }
}; };

View File

@ -1,5 +1,5 @@
import { userAuthRepository } from "@main/repository"; import { userAuthRepository } from "@main/repository";
import axios, { AxiosInstance } from "axios"; import axios, { AxiosError, AxiosInstance } from "axios";
export class HydraApi { export class HydraApi {
private static instance: AxiosInstance; private static instance: AxiosInstance;
@ -12,6 +12,10 @@ export class HydraApi {
expirationTimestamp: 0, expirationTimestamp: 0,
}; };
static isLoggedIn() {
return this.userAuth.authToken !== "";
}
static async setupApi() { static async setupApi() {
this.instance = axios.create({ this.instance = axios.create({
baseURL: import.meta.env.MAIN_VITE_API_URL, baseURL: import.meta.env.MAIN_VITE_API_URL,
@ -31,6 +35,7 @@ export class HydraApi {
private static async revalidateAccessTokenIfExpired() { private static async revalidateAccessTokenIfExpired() {
const now = new Date(); const now = new Date();
if (this.userAuth.expirationTimestamp < now.getTime()) { if (this.userAuth.expirationTimestamp < now.getTime()) {
try {
const response = await this.instance.post(`/auth/refresh`, { const response = await this.instance.post(`/auth/refresh`, {
refreshToken: this.userAuth.refreshToken, refreshToken: this.userAuth.refreshToken,
}); });
@ -51,6 +56,27 @@ export class HydraApi {
}, },
["id"] ["id"]
); );
} catch (err) {
if (
err instanceof AxiosError &&
(err?.response?.status === 401 || err?.response?.status === 403)
) {
this.userAuth.authToken = "";
this.userAuth.expirationTimestamp = 0;
userAuthRepository.upsert(
{
id: 1,
accessToken: "",
refreshToken: "",
tokenExpirationTimestamp: 0,
},
["id"]
);
}
throw err;
}
} }
} }

View File

@ -104,6 +104,7 @@ contextBridge.exposeInMainWorld("electron", {
/* Misc */ /* Misc */
ping: () => ipcRenderer.invoke("ping"), ping: () => ipcRenderer.invoke("ping"),
getVersion: () => ipcRenderer.invoke("getVersion"), getVersion: () => ipcRenderer.invoke("getVersion"),
isUserLoggedIn: () => ipcRenderer.invoke("isUserLoggedIn"),
getDefaultDownloadsPath: () => ipcRenderer.invoke("getDefaultDownloadsPath"), getDefaultDownloadsPath: () => ipcRenderer.invoke("getDefaultDownloadsPath"),
openExternal: (src: string) => ipcRenderer.invoke("openExternal", src), openExternal: (src: string) => ipcRenderer.invoke("openExternal", src),
showOpenDialog: (options: Electron.OpenDialogOptions) => showOpenDialog: (options: Electron.OpenDialogOptions) =>
@ -129,4 +130,5 @@ contextBridge.exposeInMainWorld("electron", {
/* Profile */ /* Profile */
getUserProfile: (username: string) => getUserProfile: (username: string) =>
ipcRenderer.invoke("getUserProfile", username), ipcRenderer.invoke("getUserProfile", username),
getMe: () => ipcRenderer.invoke("getMe"),
}); });

View File

@ -0,0 +1,80 @@
import { useEffect, useState } from "react";
import { useNavigate } from "react-router-dom";
import { type UserProfile } from "@types";
import * as styles from "./sidebar.css";
import { PersonIcon } from "@primer/octicons-react";
export function SidebarProfile() {
const navigate = useNavigate();
const [userProfile, setUserProfile] = useState<UserProfile | null>(null);
const [isUserProfileLoading, setIsUserProfileLoading] = useState(true);
const handleClickProfile = () => {
navigate(`/profile/${userProfile!.id}`);
};
const handleClickLogin = () => {
window.electron.openExternal("https://losbroxas.org");
};
useEffect(() => {
setIsUserProfileLoading(true);
window.electron.isUserLoggedIn().then(async (isLoggedIn) => {
if (isLoggedIn) {
const userProfile = await window.electron.getMe();
setUserProfile(userProfile);
}
setIsUserProfileLoading(false);
});
}, []);
if (isUserProfileLoading) return null;
if (userProfile == null) {
return (
<>
<button
type="button"
className={styles.profileButton}
onClick={handleClickLogin}
>
<div className={styles.profileAvatar}>
<PersonIcon />
</div>
<div className={styles.profileButtonInformation}>
<p style={{ fontWeight: "bold" }}>Fazer login</p>
</div>
</button>
</>
);
}
return (
<>
<button
type="button"
className={styles.profileButton}
onClick={handleClickProfile}
>
<div className={styles.profileAvatar}>
{userProfile.profileImageUrl ? (
<img
className={styles.profileAvatar}
src={userProfile.profileImageUrl}
alt={userProfile.displayName}
/>
) : (
<PersonIcon />
)}
</div>
<div className={styles.profileButtonInformation}>
<p style={{ fontWeight: "bold" }}>{userProfile.displayName}</p>
</div>
</button>
</>
);
}

View File

@ -13,7 +13,7 @@ import * as styles from "./sidebar.css";
import { buildGameDetailsPath } from "@renderer/helpers"; import { buildGameDetailsPath } from "@renderer/helpers";
import SteamLogo from "@renderer/assets/steam-logo.svg?react"; import SteamLogo from "@renderer/assets/steam-logo.svg?react";
import { PersonIcon } from "@primer/octicons-react"; import { SidebarProfile } from "./sidebar-profile";
const SIDEBAR_MIN_WIDTH = 200; const SIDEBAR_MIN_WIDTH = 200;
const SIDEBAR_INITIAL_WIDTH = 250; const SIDEBAR_INITIAL_WIDTH = 250;
@ -143,10 +143,6 @@ export function Sidebar() {
} }
}; };
const handleClickProfile = () => {
navigate("/profile/olejRejN");
};
return ( return (
<> <>
<aside <aside
@ -158,22 +154,7 @@ export function Sidebar() {
maxWidth: sidebarWidth, maxWidth: sidebarWidth,
}} }}
> >
<button <SidebarProfile />
type="button"
className={styles.profileButton}
onClick={handleClickProfile}
>
<div className={styles.profileAvatar}>
<PersonIcon />
<div className={styles.statusBadge} />
</div>
<div className={styles.profileButtonInformation}>
<p style={{ fontWeight: "bold" }}>hydra</p>
<p style={{ fontSize: 12 }}>Jogando ABC</p>
</div>
</button>
<div <div
className={styles.content({ className={styles.content({

View File

@ -97,6 +97,7 @@ declare global {
/* Misc */ /* Misc */
openExternal: (src: string) => Promise<void>; openExternal: (src: string) => Promise<void>;
getVersion: () => Promise<string>; getVersion: () => Promise<string>;
isUserLoggedIn: () => Promise<boolean>;
ping: () => string; ping: () => string;
getDefaultDownloadsPath: () => Promise<string>; getDefaultDownloadsPath: () => Promise<string>;
showOpenDialog: ( showOpenDialog: (
@ -113,6 +114,7 @@ declare global {
/* Profile */ /* Profile */
getUserProfile: (username: string) => Promise<UserProfile | null>; getUserProfile: (username: string) => Promise<UserProfile | null>;
getMe: () => Promise<UserProfile | null>;
} }
interface Window { interface Window {

View File

@ -9,6 +9,7 @@ import { useDate } from "@renderer/hooks";
import { useNavigate } from "react-router-dom"; import { useNavigate } from "react-router-dom";
import { buildGameDetailsPath } from "@renderer/helpers"; import { buildGameDetailsPath } from "@renderer/helpers";
import { PersonIcon } from "@primer/octicons-react"; import { PersonIcon } from "@primer/octicons-react";
import { Button } from "@renderer/components";
const MAX_MINUTES_TO_SHOW_IN_PLAYTIME = 120; const MAX_MINUTES_TO_SHOW_IN_PLAYTIME = 120;
export interface ProfileContentProps { export interface ProfileContentProps {
@ -70,6 +71,10 @@ export const ProfileContent = ({ userProfile }: ProfileContentProps) => {
<div className={styles.profileInformation}> <div className={styles.profileInformation}>
<h2 style={{ fontWeight: "bold" }}>{userProfile.displayName}</h2> <h2 style={{ fontWeight: "bold" }}>{userProfile.displayName}</h2>
</div> </div>
<div style={{ flex: 1, display: "flex", justifyContent: "end" }}>
<Button theme="danger">Sair da conta</Button>
</div>
</section> </section>
<div className={styles.profileContent}> <div className={styles.profileContent}>

View File

@ -245,6 +245,7 @@ export interface RealDebridUser {
} }
export interface UserProfile { export interface UserProfile {
id: string;
displayName: string; displayName: string;
profileImageUrl: string | null; profileImageUrl: string | null;
libraryGames: ProfileGame[]; libraryGames: ProfileGame[];