2
0
mirror of https://github.com/frappe/books.git synced 2024-09-20 19:29:02 +00:00
books/fyo/core/authHandler.ts

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

124 lines
2.4 KiB
TypeScript
Raw Normal View History

import { Fyo } from 'fyo';
import { AuthDemux } from 'fyo/demux/auth';
import { AuthDemuxBase } from 'utils/auth/types';
import { Creds } from 'utils/types';
import { AuthDemuxConstructor } from './types';
2022-03-22 09:28:36 +00:00
2022-03-22 05:31:03 +00:00
interface AuthConfig {
serverURL: string;
backend: string;
port: number;
}
interface Session {
user: string;
token: string;
}
2022-03-22 09:28:36 +00:00
export class AuthHandler {
2022-03-22 05:31:03 +00:00
#config: AuthConfig;
#session: Session;
fyo: Fyo;
#demux: AuthDemuxBase;
#creds?: Creds;
2022-03-22 05:31:03 +00:00
constructor(fyo: Fyo, Demux?: AuthDemuxConstructor) {
this.fyo = fyo;
2022-03-22 05:31:03 +00:00
this.#config = {
serverURL: '',
backend: 'sqlite',
port: 8000,
};
this.#session = {
user: '',
token: '',
};
if (Demux !== undefined) {
this.#demux = new Demux(fyo.isElectron);
} else {
this.#demux = new AuthDemux(fyo.isElectron);
}
2022-03-22 05:31:03 +00:00
}
set user(value: string) {
this.#session.user = value;
}
get user(): string {
return this.#session.user;
}
2022-03-22 05:31:03 +00:00
get session(): Readonly<Session> {
return { ...this.#session };
}
get config(): Readonly<AuthConfig> {
return { ...this.#config };
}
2022-03-22 09:28:36 +00:00
init() {}
2022-03-22 05:31:03 +00:00
async login(email: string, password: string) {
if (email === 'Administrator') {
this.#session.user = 'Administrator';
return;
}
const response = await fetch(this.#getServerURL() + '/api/login', {
method: 'POST',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({ email, password }),
});
if (response.status === 200) {
const res = await response.json();
this.#session.user = email;
this.#session.token = res.token;
return res;
}
return response;
}
async signup(email: string, fullName: string, password: string) {
const response = await fetch(this.#getServerURL() + '/api/signup', {
method: 'POST',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
body: JSON.stringify({ email, fullName, password }),
});
if (response.status === 200) {
return await response.json();
}
return response;
}
async logout() {
// TODO: Implement this with auth flow
}
2022-04-22 11:02:03 +00:00
purgeCache() {}
2022-03-22 05:31:03 +00:00
#getServerURL() {
return this.#config.serverURL || '';
}
async getCreds(): Promise<Creds> {
if (!this.#creds) {
this.#creds = await this.#demux.getCreds();
}
return this.#creds;
}
2022-03-22 05:31:03 +00:00
}