2
0
mirror of https://github.com/frappe/books.git synced 2024-11-08 14:50:56 +00:00
books/backend/database/manager.ts

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

240 lines
6.1 KiB
TypeScript
Raw Normal View History

import BetterSQLite3 from 'better-sqlite3';
2023-07-12 09:28:14 +00:00
import fs from 'fs-extra';
import { DatabaseError } from 'fyo/utils/errors';
2022-05-24 11:34:41 +00:00
import path from 'path';
import { DatabaseDemuxBase, DatabaseMethod } from 'utils/db/types';
import { getMapFromList } from 'utils/index';
import { Version } from 'utils/version';
import { getSchemas } from '../../schemas';
import { databaseMethodSet, unlinkIfExists } from '../helpers';
import patches from '../patches';
import { BespokeQueries } from './bespoke';
import DatabaseCore from './core';
import { runPatches } from './runPatch';
import { BespokeFunction, Patch, RawCustomField } from './types';
export class DatabaseManager extends DatabaseDemuxBase {
2022-03-25 10:12:39 +00:00
db?: DatabaseCore;
rawCustomFields: RawCustomField[] = [];
2022-03-31 07:18:32 +00:00
get #isInitialized(): boolean {
return this.db !== undefined && this.db.knex !== undefined;
}
getSchemaMap() {
if (this.#isInitialized) {
return this.db?.schemaMap ?? getSchemas('-', this.rawCustomFields);
}
return getSchemas('-', this.rawCustomFields);
}
async createNewDatabase(dbPath: string, countryCode: string) {
await unlinkIfExists(dbPath);
return await this.connectToDatabase(dbPath, countryCode);
}
async connectToDatabase(dbPath: string, countryCode?: string) {
2022-05-24 11:34:41 +00:00
countryCode = await this._connect(dbPath, countryCode);
await this.#migrate();
return countryCode;
}
2022-05-24 11:34:41 +00:00
async _connect(dbPath: string, countryCode?: string) {
countryCode ??= await DatabaseCore.getCountryCode(dbPath);
this.db = new DatabaseCore(dbPath);
2022-05-20 11:12:32 +00:00
await this.db.connect();
await this.setRawCustomFields();
const schemaMap = getSchemas(countryCode, this.rawCustomFields);
this.db.setSchemaMap(schemaMap);
return countryCode;
}
async setRawCustomFields() {
try {
this.rawCustomFields = (await this.db?.knex?.(
'CustomField'
)) as RawCustomField[];
} catch {}
}
2022-03-31 07:18:32 +00:00
async #migrate(): Promise<void> {
if (!this.#isInitialized) {
2022-03-25 10:12:39 +00:00
return;
}
const isFirstRun = await this.#getIsFirstRun();
2022-03-31 07:18:32 +00:00
if (isFirstRun) {
await this.db!.migrate();
}
2023-07-12 09:28:14 +00:00
await this.#executeMigration();
}
2023-07-12 09:28:14 +00:00
async #executeMigration() {
const version = await this.#getAppVersion();
2023-07-12 09:28:14 +00:00
const patches = await this.#getPatchesToExecute(version);
2023-07-12 09:28:14 +00:00
const hasPatches = !!patches.pre.length || !!patches.post.length;
if (hasPatches) {
await this.#createBackup();
}
2023-07-12 09:28:14 +00:00
await runPatches(patches.pre, this, version);
await this.db!.migrate({
pre: async () => {
if (hasPatches) {
return;
}
await this.#createBackup();
},
});
await runPatches(patches.post, this, version);
}
2023-07-12 09:28:14 +00:00
async #getPatchesToExecute(
version: string
): Promise<{ pre: Patch[]; post: Patch[] }> {
2022-03-25 10:12:39 +00:00
if (this.db === undefined) {
2023-07-12 09:28:14 +00:00
return { pre: [], post: [] };
2022-03-25 10:12:39 +00:00
}
2023-07-12 09:28:14 +00:00
const query = (await this.db.knex!('PatchRun').select()) as {
name: string;
version?: string;
failed?: boolean;
}[];
const runPatchesMap = getMapFromList(query, 'name');
/**
* A patch is run only if:
* - it hasn't run and was added in a future version
* i.e. app version is before patch added version
* - it ran but failed in some other version (i.e fixed)
*/
const filtered = patches
.filter((p) => {
const exec = runPatchesMap[p.name];
if (!exec && Version.lte(version, p.version)) {
return true;
}
if (exec?.failed && exec?.version !== version) {
return true;
}
return false;
})
.sort((a, b) => (b.priority ?? 0) - (a.priority ?? 0));
return {
pre: filtered.filter((p) => p.patch.beforeMigrate),
post: filtered.filter((p) => !p.patch.beforeMigrate),
};
}
2022-05-24 11:34:41 +00:00
async call(method: DatabaseMethod, ...args: unknown[]) {
if (!this.#isInitialized) {
return;
}
if (!databaseMethodSet.has(method)) {
return;
}
// @ts-ignore
const response = await this.db[method](...args);
if (method === 'close') {
delete this.db;
}
return response;
}
async callBespoke(method: string, ...args: unknown[]): Promise<unknown> {
if (!this.#isInitialized) {
return;
}
if (!BespokeQueries.hasOwnProperty(method)) {
throw new DatabaseError(`invalid bespoke db function ${method}`);
2022-05-24 11:34:41 +00:00
}
const queryFunction: BespokeFunction =
BespokeQueries[method as keyof BespokeFunction];
2022-05-24 11:34:41 +00:00
return await queryFunction(this.db!, ...args);
}
async #getIsFirstRun(): Promise<boolean> {
const knex = this.db?.knex;
if (!knex) {
2022-03-31 07:18:32 +00:00
return true;
}
const query = await knex('sqlite_master').where({
type: 'table',
name: 'PatchRun',
});
return !query.length;
2023-07-12 09:28:14 +00:00
}
async #createBackup() {
const { dbPath } = this.db ?? {};
if (!dbPath || process.env.IS_TEST) {
2023-07-12 09:28:14 +00:00
return;
}
const backupPath = await this.#getBackupFilePath();
2023-07-12 09:28:14 +00:00
if (!backupPath) {
return;
}
const db = this.getDriver();
await db?.backup(backupPath).then(() => db.close());
2022-03-31 07:18:32 +00:00
}
2022-05-24 11:34:41 +00:00
async #getBackupFilePath() {
2023-07-12 09:28:14 +00:00
const { dbPath } = this.db ?? {};
if (dbPath === ':memory:' || !dbPath) {
2022-05-31 06:09:45 +00:00
return null;
}
2023-07-12 09:28:14 +00:00
let fileName = path.parse(dbPath).name;
if (fileName.endsWith('.books')) {
fileName = fileName.slice(0, -6);
}
const backupFolder = path.join(path.dirname(dbPath), 'backups');
const date = new Date().toISOString().split('T')[0];
const version = await this.#getAppVersion();
2023-07-13 07:18:27 +00:00
const backupFile = `${fileName}_${version}_${date}.books.db`;
2023-07-12 09:28:14 +00:00
fs.ensureDirSync(backupFolder);
return path.join(backupFolder, backupFile);
}
async #getAppVersion(): Promise<string> {
const knex = this.db?.knex;
if (!knex) {
2023-07-12 09:28:14 +00:00
return '0.0.0';
}
const query = await knex('SingleValue')
.select('value')
.where({ fieldname: 'version', parent: 'SystemSettings' });
const value = (query[0] as undefined | { value: string })?.value;
return value || '0.0.0';
2023-07-12 09:28:14 +00:00
}
2023-07-12 09:28:14 +00:00
getDriver() {
const { dbPath } = this.db ?? {};
if (!dbPath) {
return null;
}
2023-07-12 09:28:14 +00:00
return BetterSQLite3(dbPath, { readonly: true });
2022-05-24 11:34:41 +00:00
}
}
export default new DatabaseManager();