feat(frontend): added returnTo to login and signin page

This commit is contained in:
Maieul BOYER 2025-11-14 21:59:25 +01:00 committed by Maix0
parent 033d399fcb
commit b1d4f68453
14 changed files with 352 additions and 1460 deletions

View file

@ -15,7 +15,6 @@
"vite-tsconfig-paths": "^5.1.4"
},
"dependencies": {
"@openapitools/openapi-generator-cli": "^2.25.0",
"@tailwindcss/vite": "^4.1.17",
"js-cookie": "^3.0.5",
"openapi-fetch": "^0.15.0",

1376
frontend/pnpm-lock.yaml generated

File diff suppressed because it is too large Load diff

View file

@ -2,6 +2,7 @@ import { setTitle, handleRoute } from '@app/routing';
import './root/root.ts'
import './chat/chat.ts'
import './login/login.ts'
import './signin/signin.ts'
// ---- Initial load ----
setTitle("");

View file

@ -0,0 +1,24 @@
<div class="grid h-full place-items-center">
<div class="bg-white shadow-lg rounded-2xl p-8 w-full max-w-md">
<h1 class="text-2xl font-semibold text-center mb-6 text-gray-800">You are already logged in</h1>
<div id="returnToDiv" hidden>
<p class="text-center text-sm text-gray-500 mt-4">
We were asked to redirect you to somewhere when you logged in,
but you already are !
<br />
You can click the button below to go there
</p>
<button id="bReturnTo"
class="w-full bg-green-600 text-white font-medium py-2 rounded-xl hover:bg-gray-700 transition">
Get redirected
</button>
</div>
<p class="text-center text-sm text-gray-500 mt-4">Want to logout ? Click the big button bellow !</p>
<button id="bLogout"
class="w-full bg-gray-600 text-white font-medium py-2 rounded-xl hover:bg-gray-700 transition">
Logout
</button>
<p class="text-center text-sm text-gray-500 mt-4">Otherwise, here is a cute cat picture</p>
<img class="" id="cuteCatImage" hidden />
</div>
</div>

Binary file not shown.

After

Width:  |  Height:  |  Size: 840 KiB

View file

@ -22,7 +22,7 @@
<button type="submit"
class="w-full bg-blue-600 text-white font-medium py-2 rounded-xl hover:bg-blue-700 transition">
Sign In
Log In
</button>
</form>

View file

@ -1,86 +1,163 @@
import { addRoute, setTitle, type RouteHandlerParams, type RouteHandlerReturn } from "@app/routing";
import {
addRoute,
navigateTo,
setTitle,
type RouteHandlerParams,
type RouteHandlerReturn,
} from "@app/routing";
import { showError, showInfo, showSuccess } from "@app/toast";
import authHtml from './login.html?raw';
import client from '@app/api'
import authHtml from "./login.html?raw";
import client from "@app/api";
import { updateUser } from "@app/auth";
import Cookie from 'js-cookie';
import Cookie from "js-cookie";
import loggedInHtml from "./alreadyLoggedin.html?raw";
import cuteCat from "./cuteCat.png";
import { isNullish } from "@app/utils";
type Providers = {
name: string,
display_name: string,
icon_url?: string,
color?: { default: string, hover: string },
};
function handleLogin(_url: string, _args: RouteHandlerParams): RouteHandlerReturn {
setTitle('Login')
async function handleLogin(
_url: string,
_args: RouteHandlerParams,
): Promise<RouteHandlerReturn> {
setTitle("Login");
let user = await updateUser();
const urlParams = new URLSearchParams(window.location.search);
const returnTo = urlParams.get("returnTo");
if (user !== null) {
return {
html: loggedInHtml,
postInsert: async (app) => {
const bLogoutButton =
app?.querySelector<HTMLButtonElement>("button#bLogout");
if (isNullish(bLogoutButton))
return showError("Error while rending page");
const iCuteCat =
app?.querySelector<HTMLImageElement>("img#cuteCatImage");
if (isNullish(iCuteCat))
return showError("Error while rending page");
const bReturnTo =
app?.querySelector<HTMLButtonElement>("button#bReturnTo");
if (isNullish(bReturnTo))
return showError("Error while rending page");
iCuteCat.src = cuteCat;
iCuteCat.hidden = false;
bLogoutButton.addEventListener("click", async () => {
await client.logout();
navigateTo("/login");
});
if (returnTo !== null) {
bReturnTo.parentElement!.hidden = false;
bReturnTo.addEventListener("click", async () => {
if (returnTo !== null) navigateTo(returnTo);
});
}
},
};
}
return {
html: authHtml, postInsert: async (app) => {
const fLogin = document.querySelector<HTMLFormElement>('form#login-form');
html: authHtml,
postInsert: async (app) => {
const aHref =
app?.querySelector<HTMLAnchorElement>('a[href="/signin"]');
if (!isNullish(aHref) && returnTo !== null) {
aHref.href = `/signin?returnTo=${encodeURI(returnTo)}`;
}
const fLogin =
document.querySelector<HTMLFormElement>("form#login-form");
if (fLogin === null)
return showError('Error while rendering the page: no form found');
fLogin.addEventListener('submit', async function(e: SubmitEvent) {
return showError(
"Error while rendering the page: no form found",
);
fLogin.addEventListener("submit", async function (e: SubmitEvent) {
e.preventDefault();
let form = e.target as (HTMLFormElement | null);
if (form === null)
return showError('Failed to send form...');
let formData = Object.fromEntries((new FormData(form)).entries());
if (!('login' in formData) || typeof formData['login'] !== 'string' || (formData['login'] as string).length === 0)
return showError('Please enter a Login');
if (!('password' in formData) || typeof formData['password'] !== 'string' || (formData['password'] as string).length === 0)
return showError('Please enter a Password');
let form = e.target as HTMLFormElement | null;
if (form === null) return showError("Failed to send form...");
let formData = Object.fromEntries(new FormData(form).entries());
if (
!("login" in formData) ||
typeof formData["login"] !== "string" ||
(formData["login"] as string).length === 0
)
return showError("Please enter a Login");
if (
!("password" in formData) ||
typeof formData["password"] !== "string" ||
(formData["password"] as string).length === 0
)
return showError("Please enter a Password");
try {
const res = await client.login({ loginRequest: { name: formData.login, password: formData.password } });
const res = await client.login({
loginRequest: {
name: formData.login,
password: formData.password,
},
});
switch (res.kind) {
case 'success': {
Cookie.set('token', res.payload.token, { path: '/', sameSite: 'lax' });
case "success": {
Cookie.set("token", res.payload.token, {
path: "/",
sameSite: "lax",
});
let user = await updateUser();
if (user === null)
return showError('Failed to get user: no user ?');
setTitle(`Welcome ${user.guest ? '[GUEST] ' : ''}${user.name}`);
return showError(
"Failed to get user: no user ?",
);
setTitle(
`Welcome ${user.guest ? "[GUEST] " : ""}${user.name}`,
);
if (returnTo !== null) navigateTo(returnTo);
break;
}
case 'otpRequired': {
showInfo('Got ask OTP, not yet implemented');
case "otpRequired": {
showInfo("Got ask OTP, not yet implemented");
break;
}
case 'failed': {
case "failed": {
showError(`Failed to login: ${res.msg}`);
}
}
} catch (e) {
console.error("Login error:", e);
showError('Failed to login: Unknown error');
showError("Failed to login: Unknown error");
}
});
const bLoginAsGuest = document.querySelector<HTMLButtonElement>('#bGuestLogin');
bLoginAsGuest?.addEventListener('click', async () => {
const bLoginAsGuest =
document.querySelector<HTMLButtonElement>("#bGuestLogin");
bLoginAsGuest?.addEventListener("click", async () => {
try {
const res = await client.guestLogin();
switch (res.kind) {
case 'success': {
Cookie.set('token', res.payload.token, { path: '/', sameSite: 'lax' });
case "success": {
Cookie.set("token", res.payload.token, {
path: "/",
sameSite: "lax",
});
let user = await updateUser();
if (user === null)
return showError('Failed to get user: no user ?');
setTitle(`Welcome ${user.guest ? '[GUEST] ' : ''}${user.name}`);
return showError(
"Failed to get user: no user ?",
);
setTitle(
`Welcome ${user.guest ? "[GUEST] " : ""}${user.name}`,
);
if (returnTo !== null) navigateTo(returnTo);
break;
}
case 'failed': {
case "failed": {
showError(`Failed to login: ${res.msg}`);
}
}
} catch (e) {
console.error("Login error:", e);
showError('Failed to login: Unknown error');
showError("Failed to login: Unknown error");
}
});
const dOtherLoginArea = document.querySelector<HTMLDivElement>('#otherLogin');
const dOtherLoginArea =
document.querySelector<HTMLDivElement>("#otherLogin");
if (dOtherLoginArea) {
let styleSheetElement = document.createElement('style');
let styleSheetElement = document.createElement("style");
styleSheetElement.innerText = "";
// TODO: fetch all the providers from an API ?
const providersReq = await client.providerList();
@ -92,37 +169,32 @@ function handleLogin(_url: string, _args: RouteHandlerParams): RouteHandlerRetur
]*/
let first = true;
for (const p of providers) {
let b = document.createElement('button');
if (first && providers.length % 2) b.classList.add('last:col-span-2');
let b = document.createElement("button");
if (first && providers.length % 2)
b.classList.add("last:col-span-2");
first = false;
b.classList.add(...(
'w-full text-white font-medium py-2 rounded-xl transition'
.split(' ')
));
b.classList.add(`providerButton-${p.name}`)
b.classList.add(
..."w-full text-white font-medium py-2 rounded-xl transition".split(
" ",
),
);
b.classList.add(`providerButton-${p.name}`);
const col = p.colors;
for (const k of Object.keys(col)) {
let c = (col as any)[k].trim();
if (c.startsWith('bg-')) {
c = c.replace(/^bg-/, '');
if (c.startsWith("bg-")) {
c = c.replace(/^bg-/, "");
const customProp = c.match(/^\((.+)\)$/);
const customVal = c.match(/^\[(.+)\]$/);
if (customProp)
c = `var(${customProp[1]})`
else if (customVal)
c = customVal[1];
else if (c === 'inherit')
c = 'inherit';
else if (c === 'current')
c = 'currentColor';
else if (c === 'transparent')
c = 'transparent';
else
c = `var(--color-${c})`
if (customProp) c = `var(${customProp[1]})`;
else if (customVal) c = customVal[1];
else if (c === "inherit") c = "inherit";
else if (c === "current") c = "currentColor";
else if (c === "transparent") c = "transparent";
else c = `var(--color-${c})`;
}
(col as any)[k] = c;
}
@ -134,19 +206,17 @@ function handleLogin(_url: string, _args: RouteHandlerParams): RouteHandlerRetur
b.dataset.name = p.name;
//if (p.icon_url) b.dataset.icon = p.icon_url;
b.innerHTML = `<span class="">${p.displayName}</span>`
b.addEventListener('click', () => {
b.innerHTML = `<span class="">${p.displayName}</span>`;
b.addEventListener("click", () => {
location.href = `/api/auth/oauth2/${p.name}/login`;
})
});
dOtherLoginArea.insertAdjacentElement('afterbegin', b);
dOtherLoginArea.insertAdjacentElement("afterbegin", b);
}
app?.appendChild(styleSheetElement);
}
}
},
};
}
addRoute('/login', handleLogin, { bypass_auth: true })
addRoute("/login", handleLogin, { bypass_auth: true });

View file

@ -1,14 +1,19 @@
import { addRoute, setTitle, type RouteHandlerParams } from "@app/routing";
import page from './root.html?raw'
import { updateUser } from "@app/auth";
addRoute('/', (_: string) => {
setTitle('ft boules')
addRoute('/', async (_: string): Promise<string> => {
let user = await updateUser();
if (user === null)
setTitle(`Welcome`)
else
setTitle(`Welcome ${user.guest ? '[GUEST] ' : ''}${user.name}`);
return page;
})
}, { bypass_auth: true })
addRoute('/with_title/:title', (_: string, args: RouteHandlerParams) => {
setTitle(args.title)
console.log(`title should be '${args.title}'`);
return page;
})
}, { bypass_auth: false })

View file

@ -0,0 +1,24 @@
<div class="grid h-full place-items-center">
<div class="bg-white shadow-lg rounded-2xl p-8 w-full max-w-md">
<h1 class="text-2xl font-semibold text-center mb-6 text-gray-800">You are already logged in</h1>
<div id="returnToDiv" hidden>
<p class="text-center text-sm text-gray-500 mt-4">
We were asked to redirect you to somewhere when you logged in,
but you already are !
<br />
You can click the button below to go there
</p>
<button id="bReturnTo"
class="w-full bg-green-600 text-white font-medium py-2 rounded-xl hover:bg-gray-700 transition">
Get redirected
</button>
</div>
<p class="text-center text-sm text-gray-500 mt-4">Want to logout ? Click the big button bellow !</p>
<button id="bLogout"
class="w-full bg-gray-600 text-white font-medium py-2 rounded-xl hover:bg-gray-700 transition">
Logout
</button>
<p class="text-center text-sm text-gray-500 mt-4">Otherwise, here is a cute cat picture</p>
<img class="" id="cuteCatImage" hidden />
</div>
</div>

Binary file not shown.

After

Width:  |  Height:  |  Size: 840 KiB

View file

@ -0,0 +1,24 @@
<div class="grid h-full place-items-center">
<div class="bg-white shadow-lg rounded-2xl p-8 w-full max-w-md">
<h1 class="text-2xl font-semibold text-center mb-6 text-gray-800">Welcome to <span>ft boules</span></h1>
<form class="space-y-5 pt-3" id="signin-form">
<div>
<label class="block text-sm font-medium text-gray-700 mb-1">Username</label>
<input type="text" placeholder="Enter your username" name="login"
class="w-full px-4 py-2 border border-gray-300 text-gray-700 rounded-xl focus:outline-none focus:ring-2 focus:ring-blue-500" />
</div>
<div>
<label class="block text-sm font-medium text-gray-700 mb-1">Password</label>
<input type="password" placeholder="Enter your password" name="password"
class="w-full px-4 py-2 border border-gray-300 text-gray-700 rounded-xl focus:outline-none focus:ring-2 focus:ring-blue-500" />
</div>
<button type="submit"
class="w-full bg-blue-600 text-white font-medium py-2 rounded-xl hover:bg-blue-700 transition">
Register
</button>
</form>
</div>
</div>
</div>

View file

@ -0,0 +1,88 @@
import { addRoute, setTitle, navigateTo, type RouteHandlerParams, type RouteHandlerReturn } from "@app/routing";
import { showError, showInfo, showSuccess } from "@app/toast";
import page from './signin.html?raw';
import client from '@app/api'
import { updateUser } from "@app/auth";
import Cookie from 'js-cookie';
import loggedInHtml from './alreadyLoggedin.html?raw';
import { isNullish } from "@app/utils";
import cuteCat from './cuteCat.png';
async function handleSignin(_url: string, _args: RouteHandlerParams): Promise<RouteHandlerReturn> {
setTitle('Signin')
let user = await updateUser();
const urlParams = new URLSearchParams(window.location.search);
const returnTo = urlParams.get("returnTo");
if (user !== null) {
return {
html: loggedInHtml,
postInsert: async (app) => {
const bLogoutButton =
app?.querySelector<HTMLButtonElement>("button#bLogout");
if (isNullish(bLogoutButton))
return showError("Error while rending page");
const iCuteCat =
app?.querySelector<HTMLImageElement>("img#cuteCatImage");
if (isNullish(iCuteCat))
return showError("Error while rending page");
const bReturnTo =
app?.querySelector<HTMLButtonElement>("button#bReturnTo");
if (isNullish(bReturnTo))
return showError("Error while rending page");
iCuteCat.src = cuteCat;
iCuteCat.hidden = false;
bLogoutButton.addEventListener("click", async () => {
await client.logout();
navigateTo("/signin");
});
if (returnTo !== null) {
bReturnTo.parentElement!.hidden = false;
bReturnTo.addEventListener("click", async () => {
if (returnTo !== null) navigateTo(returnTo);
});
}
},
};
}
return {
html: page, postInsert: async (app) => {
const fSignin = document.querySelector<HTMLFormElement>('form#signin-form');
if (fSignin === null)
return showError('Error while rendering the page: no form found');
fSignin.addEventListener('submit', async function(e: SubmitEvent) {
e.preventDefault();
let form = e.target as (HTMLFormElement | null);
if (form === null)
return showError('Failed to send form...');
let formData = Object.fromEntries((new FormData(form)).entries());
if (!('login' in formData) || typeof formData['login'] !== 'string' || (formData['login'] as string).length === 0)
return showError('Please enter a Login');
if (!('password' in formData) || typeof formData['password'] !== 'string' || (formData['password'] as string).length === 0)
return showError('Please enter a Password');
try {
const res = await client.signin({ loginRequest: { name: formData.login, password: formData.password } });
switch (res.kind) {
case 'success': {
Cookie.set('token', res.payload.token, { path: '/', sameSite: 'lax' });
let user = await updateUser();
if (user === null)
return showError('Failed to get user: no user ?');
navigateTo(returnTo !== null ? returnTo : '/')
break;
}
case 'failed': {
showError(`Failed to signin: ${res.msg}`);
}
}
} catch (e) {
console.error("Signin error:", e);
showError('Failed to signin: Unknown error');
}
});
}
}
};
addRoute('/signin', handleSignin, { bypass_auth: true })

View file

@ -1,8 +1,11 @@
import { updateUser } from '@app/auth';
import { route_404 } from './special_routes'
// ---- Router logic ----
function navigateTo(url: string) {
history.pushState(null, "", `${url.startsWith('/') ? '/app' : ""}${url}`);
export function navigateTo(url: string) {
if (url.startsWith('/') && !url.startsWith('/app'))
url = `/app${url}`;
history.pushState(null, "", url);
handleRoute();
}
@ -40,8 +43,9 @@ export class RouteHandlerData {
}
constructor(url: string, handler: RouteHandler, special_args: Partial<RouteHandlerSpecialArgs>) {
this.special_args = RouteHandlerData.SPECIAL_ARGS_DEFAULT;
this.special_args = Object.assign({}, RouteHandlerData.SPECIAL_ARGS_DEFAULT);
Object.assign(this.special_args, special_args);
console.log(url, this.special_args);
let parsed = RouteHandlerData.parseUrl(url);
this.handler = handler;
@ -184,6 +188,11 @@ export async function handleRoute() {
break;
}
let user = await updateUser();
console.log(route_handler);
console.log(user, !route_handler.special_args.bypass_auth, user === null && !route_handler.special_args.bypass_auth);
if (user === null && !route_handler.special_args.bypass_auth)
return navigateTo(`/login?returnTo=${encodeURIComponent(window.location.pathname)}`)
const app = document.getElementById('app')!;
let ret = await executeRouteHandler(route_handler, window.location.pathname, args)
app.innerHTML = ret.html;

View file

@ -0,0 +1,24 @@
<div class="grid h-full place-items-center">
<div class="bg-white shadow-lg rounded-2xl p-8 w-full max-w-md">
<h1 class="text-2xl font-semibold text-center mb-6 text-gray-800">You are already logged in</h1>
<div id="returnToDiv" hidden>
<p class="text-center text-sm text-gray-500 mt-4">
We were asked to redirect you to somewhere when you logged in,
but you already are !
<br />
You can click the button below to go there
</p>
<button id="bReturnTo"
class="w-full bg-green-600 text-white font-medium py-2 rounded-xl hover:bg-gray-700 transition">
Get redirected
</button>
</div>
<p class="text-center text-sm text-gray-500 mt-4">Want to logout ? Click the big button bellow !</p>
<button id="bLogout"
class="w-full bg-gray-600 text-white font-medium py-2 rounded-xl hover:bg-gray-700 transition">
Logout
</button>
<p class="text-center text-sm text-gray-500 mt-4">Otherwise, here is a cute cat picture</p>
<img class="" id="cuteCatImage" hidden />
</div>
</div>