/* This file is part of the Notesnook project (https://notesnook.com/) Copyright (C) 2023 Streetwriters (Private) Limited This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program. If not, see . */ import "../types"; import http from "../utils/http"; import constants from "../utils/constants"; import TokenManager from "./token-manager"; import { EV, EVENTS } from "../common"; import { HealthCheck } from "./healthcheck"; import Database from "."; import { Cipher, SerializedKey } from "@notesnook/crypto"; export type AuthenticatorType = "app" | "sms" | "email"; export type User = { id: string; email: string; isEmailConfirmed: boolean; salt: string; attachmentsKey?: Cipher<"base64">; marketingConsent?: boolean; mfa: { isEnabled: boolean; primaryMethod: AuthenticatorType; secondaryMethod?: AuthenticatorType; remainingValidCodes: number; }; subscription: { appId: 0; cancelURL: string | null; expiry: number; productId: string; provider: 0 | 1 | 2 | 3; start: number; type: 0 | 1 | 2 | 5 | 6 | 7; updateURL: string | null; }; }; const ENDPOINTS = { signup: "/users", token: "/connect/token", user: "/users", deleteUser: "/users/delete", patchUser: "/account", verifyUser: "/account/verify", revoke: "/connect/revocation", recoverAccount: "/account/recover", resetUser: "/users/reset", activateTrial: "/subscriptions/trial" }; class UserManager { private tokenManager: TokenManager; constructor(private readonly db: Database) { this.tokenManager = new TokenManager(this.db.kv); EV.subscribe(EVENTS.userUnauthorized, async (url: string) => { if (url.includes("/connect/token") || !(await HealthCheck.auth())) return; try { await this.tokenManager._refreshToken(true); } catch (e) { if ( e instanceof Error && (e.message === "invalid_grant" || e.message === "invalid_client") ) { await this.logout( false, `Your token has been revoked. Error: ${e.message}.` ); } } }); } async init() { const user = await this.getUser(); if (!user) return; } async signup(email: string, password: string) { email = email.toLowerCase(); const hashedPassword = await this.db.storage().hash(password, email); await http.post(`${constants.API_HOST}${ENDPOINTS.signup}`, { email, password: hashedPassword, client_id: "notesnook" }); EV.publish(EVENTS.userSignedUp); return await this._login({ email, password, hashedPassword }); } async authenticateEmail(email: string) { if (!email) throw new Error("Email is required."); email = email.toLowerCase(); const result = await http.post(`${constants.AUTH_HOST}${ENDPOINTS.token}`, { email, grant_type: "email", client_id: "notesnook" }); await this.tokenManager.saveToken(result); return result.additional_data; } async authenticateMultiFactorCode(code: string, method: string) { if (!code || !method) throw new Error("code & method are required."); const token = await this.tokenManager.getAccessToken(); if (!token) throw new Error("Unauthorized."); await this.tokenManager.saveToken( await http.post( `${constants.AUTH_HOST}${ENDPOINTS.token}`, { grant_type: "mfa", client_id: "notesnook", "mfa:code": code, "mfa:method": method }, token ) ); return true; } async authenticatePassword( email: string, password: string, hashedPassword?: string, sessionExpired?: boolean ) { if (!email || !password) throw new Error("email & password are required."); const token = await this.tokenManager.getToken(); if (!token) throw new Error("No token found."); email = email.toLowerCase(); if (!hashedPassword) { hashedPassword = await this.db.storage().hash(password, email); } try { await this.tokenManager.saveToken( await http.post( `${constants.AUTH_HOST}${ENDPOINTS.token}`, { grant_type: "mfa_password", client_id: "notesnook", scope: "notesnook.sync offline_access IdentityServerApi", password: hashedPassword }, token.access_token ) ); const user = await this.fetchUser(); if (!user) throw new Error("Unauthorized."); if (!sessionExpired) { await this.db.setLastSynced(0); await this.db.syncer.devices.register(); } await this.db.storage().deriveCryptoKey(`_uk_@${user.email}`, { password, salt: user.salt }); EV.publish(EVENTS.userLoggedIn, user); } catch (e) { await this.tokenManager.saveToken(token); throw e; } } async _login({ email, password, hashedPassword, code, method }: { email: string; password: string; hashedPassword?: string; code?: string; method?: string; }) { email = email && email.toLowerCase(); if (!hashedPassword && password) { hashedPassword = await this.db.storage().hash(password, email); } await this.tokenManager.saveToken( await http.post(`${constants.AUTH_HOST}${ENDPOINTS.token}`, { username: email, password: hashedPassword, grant_type: code ? "mfa" : "password", scope: "notesnook.sync offline_access openid IdentityServerApi", client_id: "notesnook", "mfa:code": code, "mfa:method": method }) ); const user = await this.fetchUser(); if (!user) return; await this.db.storage().deriveCryptoKey(`_uk_@${user.email}`, { password, salt: user.salt }); await this.db.setLastSynced(0); await this.db.syncer.devices.register(); EV.publish(EVENTS.userLoggedIn, user); } async getSessions() { const token = await this.tokenManager.getAccessToken(); if (!token) return; await http.get(`${constants.AUTH_HOST}/account/sessions`, token); } async clearSessions(all = false) { const token = await this.tokenManager.getToken(); if (!token) return; const { access_token, refresh_token } = token; await http.post( `${constants.AUTH_HOST}/account/sessions/clear?all=${all}`, { refresh_token }, access_token ); } async activateTrial() { const token = await this.tokenManager.getAccessToken(); if (!token) return false; await http.post( `${constants.SUBSCRIPTIONS_HOST}${ENDPOINTS.activateTrial}`, null, token ); return true; } async logout(revoke = true, reason?: string) { try { await this.db.syncer.devices.unregister(); if (revoke) await this.tokenManager.revokeToken(); } catch (e) { console.error(e); } finally { await this.db.reset(); EV.publish(EVENTS.userLoggedOut, reason); EV.publish(EVENTS.appRefreshRequested); } } setUser(user: User) { return this.db.kv().write("user", user); } getUser() { return this.db.kv().read("user"); } async resetUser(removeAttachments = true) { const token = await this.tokenManager.getAccessToken(); if (!token) return; await http.post( `${constants.API_HOST}${ENDPOINTS.resetUser}`, { removeAttachments }, token ); return true; } async updateUser(user: User) { const token = await this.tokenManager.getAccessToken(); await http.patch.json( `${constants.API_HOST}${ENDPOINTS.user}`, user, token ); await this.setUser(user); } async deleteUser(password: string) { const token = await this.tokenManager.getAccessToken(); const user = await this.getUser(); if (!token || !user) return; await http.post( `${constants.API_HOST}${ENDPOINTS.deleteUser}`, { password: await this.db.storage().hash(password, user.email) }, token ); await this.logout(false, "Account deleted."); return true; } async fetchUser(): Promise { try { const token = await this.tokenManager.getAccessToken(); if (!token) return; const user = await http.get( `${constants.API_HOST}${ENDPOINTS.user}`, token ); if (user) { await this.setUser(user); EV.publish(EVENTS.userFetched, user); return user; } else { return await this.getUser(); } } catch (e) { console.error("Error fetching user", e); return await this.getUser(); } } changePassword(oldPassword: string, newPassword: string) { return this._updatePassword("change_password", { old_password: oldPassword, new_password: newPassword }); } async changeMarketingConsent(enabled: boolean) { const token = await this.tokenManager.getAccessToken(); if (!token) return; await http.patch( `${constants.AUTH_HOST}${ENDPOINTS.patchUser}`, { type: "change_marketing_consent", enabled: enabled }, token ); } resetPassword(newPassword: string) { return this._updatePassword("reset_password", { new_password: newPassword }); } async getEncryptionKey(): Promise { const user = await this.getUser(); if (!user) return; const key = await this.db.storage().getCryptoKey(`_uk_@${user.email}`); if (!key) return; return { key, salt: user.salt }; } async getAttachmentsKey() { try { let user = await this.getUser(); if (!user) return; if (!user.attachmentsKey) { const token = await this.tokenManager.getAccessToken(); user = await http.get(`${constants.API_HOST}${ENDPOINTS.user}`, token); } if (!user) return; const userEncryptionKey = await this.getEncryptionKey(); if (!userEncryptionKey) return; if (!user.attachmentsKey) { const key = await this.db.crypto().generateRandomKey(); user.attachmentsKey = await this.db .storage() .encrypt(userEncryptionKey, JSON.stringify(key)); await this.updateUser(user); return key; } const plainData = await this.db .storage() .decrypt(userEncryptionKey, user.attachmentsKey); if (!plainData) return; return JSON.parse(plainData); } catch (e) { console.error(e); if (e instanceof Error) throw new Error( `Could not get attachments encryption key. Please make sure you have Internet access. Error: ${e.message}` ); } } async sendVerificationEmail(newEmail: string) { const token = await this.tokenManager.getAccessToken(); if (!token) return; await http.post( `${constants.AUTH_HOST}${ENDPOINTS.verifyUser}`, { newEmail }, token ); } async changeEmail(newEmail: string, password: string, code: string) { const token = await this.tokenManager.getAccessToken(); if (!token) return; const user = await this.getUser(); if (!user) return; const email = newEmail.toLowerCase(); await http.patch( `${constants.AUTH_HOST}${ENDPOINTS.patchUser}`, { type: "change_email", new_email: newEmail, password: await this.db.storage().hash(password, email), verification_code: code }, token ); await this.db.storage().deriveCryptoKey(`_uk_@${newEmail}`, { password, salt: user.salt }); } recoverAccount(email: string) { return http.post(`${constants.AUTH_HOST}${ENDPOINTS.recoverAccount}`, { email, client_id: "notesnook" }); } async verifyPassword(password: string) { try { const user = await this.getUser(); const key = await this.getEncryptionKey(); if (!user || !key) return false; const cipher = await this.db.storage().encrypt(key, "notesnook"); const plainText = await this.db.storage().decrypt({ password }, cipher); return plainText === "notesnook"; } catch (e) { return false; } } async _updatePassword( type: "change_password" | "reset_password", data: { new_password: string; old_password?: string; encryptionKey?: SerializedKey; } ) { const token = await this.tokenManager.getAccessToken(); const user = await this.getUser(); if (!token || !user) throw new Error("You are not logged in."); const { email, salt } = user; let { new_password, old_password } = data; if (old_password && !(await this.verifyPassword(old_password))) throw new Error("Incorrect old password."); if (!new_password) throw new Error("New password is required."); const attachmentsKey = await this.getAttachmentsKey(); data.encryptionKey = data.encryptionKey || (await this.getEncryptionKey()); await this.clearSessions(); if (data.encryptionKey) await this.db.sync({ type: "fetch", force: true }); await this.db.storage().deriveCryptoKey(`_uk_@${email}`, { password: new_password, salt }); if (!(await this.resetUser(false))) return; await this.db.sync({ type: "send", force: true }); if (attachmentsKey) { const userEncryptionKey = await this.getEncryptionKey(); if (!userEncryptionKey) return; user.attachmentsKey = await this.db .storage() .encrypt(userEncryptionKey, JSON.stringify(attachmentsKey)); await this.updateUser(user); } if (old_password) old_password = await this.db.storage().hash(old_password, email); if (new_password) new_password = await this.db.storage().hash(new_password, email); await http.patch( `${constants.AUTH_HOST}${ENDPOINTS.patchUser}`, { type, old_password, new_password }, token ); return true; } } export default UserManager;