1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
|
import DBController from "./DBController.ts";
import { hash, compare, genSalt } from "https://deno.land/x/bcrypt/mod.ts";
class User {
private controller: DBController;
constructor() {
this.controller = new DBController();
}
/**
* Creates new user
* @param email
* @param username
* @param password
* @param isAdmin
*/
async createUser(email: string, username: string, password: string, isAdmin = false): Promise<boolean> {
const salt = await genSalt(12);
const passwordHash = await hash(password, salt);
const verification = this.generateId();
try {
await this.controller.execute(
"INSERT INTO users (email, username, password, verification, is_admin) VALUE (?, ?, ?, ?, ?)",
[email, username, passwordHash, verification, isAdmin]
);
return true;
} catch (e) {
throw e;
}
}
/**
* Checks if the user provided password is correct
* @param username
* @param plainTextPassword
*/
async login(username: string, plainTextPassword: string): Promise<loginData> {
const { uid, password, verification, darkTheme } = (
await this.controller.query(
"SELECT id as uid, password, verification, dark_theme as darkTheme FROM users WHERE username = ?",
[username]
)
)[0];
if (compare(plainTextPassword, password)) {
return {
success: true,
uid,
darkTheme,
verification,
};
} else {
return { success: false };
}
}
/**
* Generate random id
* @param len
* @private
*/
// TODO: Improve
private generateId(len = 64): string {
const values = new Uint8Array(len / 2);
crypto.getRandomValues(values);
return Array.from(values, (dec) => ("0" + dec.toString(36)).substr(-2)).join("");
}
}
export default new User();
export interface loginData {
success: boolean;
uid?: number;
verification?: string;
darkTheme?: string;
}
|