-
Notifications
You must be signed in to change notification settings - Fork 861
/
Copy pathpassword.ts
91 lines (78 loc) · 2.29 KB
/
password.ts
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
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
import { BrowserStorage, isOldKey } from "./storage";
export async function argonHash(
value: string,
salt: string
): Promise<string | undefined> {
const iframe = document.getElementById("argon-sandbox");
const message = {
action: "hash",
value,
salt,
};
if (!iframe) {
throw new Error("argon-sandbox missing!");
}
const argonPromise: Promise<string | undefined> = new Promise((resolve) => {
window.addEventListener("message", (response) => {
resolve(response.data.response);
});
// @ts-expect-error bad typings
iframe.contentWindow.postMessage(message, "*");
});
return argonPromise;
}
export async function argonVerify(
value: string,
hash: string
): Promise<boolean> {
const iframe = document.getElementById("argon-sandbox");
const message = {
action: "verify",
value,
hash,
};
if (!iframe) {
throw new Error("argon-sandbox missing!");
}
const argonPromise: Promise<boolean> = new Promise((resolve) => {
window.addEventListener("message", (response) => {
resolve(response.data.response);
});
// @ts-expect-error bad typings
iframe.contentWindow.postMessage(message, "*");
});
return argonPromise;
}
// Verify a password using keys in BrowserStorage
export async function verifyPasswordUsingKeyID(
keyId: string,
password: string
): Promise<boolean> {
// Get key for current encryption
const keys = await BrowserStorage.getKeys();
if (isOldKey(keys)) {
throw new Error(
"v3 encryption not being used with verifyPassword. This should never happen!"
);
}
const key = keys.find((key) => key.id === keyId);
if (!key) {
throw new Error(`Key ${keyId} not in BrowserStorage`);
}
return verifyPasswordUsingKey(key, password);
}
export async function verifyPasswordUsingKey(
key: Key,
password: string
): Promise<boolean> {
// Hash password with argon
const rawHash = await argonHash(password, key.salt);
if (!rawHash) {
throw new Error("argon2 did not return a hash!");
}
// https://passlib.readthedocs.io/en/stable/lib/passlib.hash.argon2.html#format-algorithm
const possibleHash = rawHash.split("$")[5];
// verify user password by comparing their password hash with the
// hash of their password's hash
return await argonVerify(possibleHash, key.hash);
}