Spaces:
Build error
Build error
File size: 6,290 Bytes
0bfe2e3 |
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 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 |
import { TABLES } from './schemas';
import { createLogger } from '../utils';
import { parseConnectionURI, adaptQuery, ConnectionURI } from './utils';
const logger = createLogger('database');
import { Pool, Client, QueryResult } from 'pg';
import sqlite3 from 'sqlite3';
import { open, Database } from 'sqlite';
import { URL } from 'url';
import path from 'path';
import fs from 'fs';
type QueryResultRow = Record<string, any>;
interface UnifiedQueryResult<T = QueryResultRow> {
rows: T[];
rowCount: number;
command?: string;
}
type DBDialect = 'postgres' | 'sqlite';
type DSNModifier = (url: URL, query: URLSearchParams) => void;
type Transaction = {
commit: () => Promise<void>;
rollback: () => Promise<void>;
execute: (query: string, params?: any[]) => Promise<UnifiedQueryResult<any>>;
};
export class DB {
private static instance: DB;
private db!: Pool | Database<any>;
private static initialised: boolean = false;
private static dialect: DBDialect;
private uri!: ConnectionURI;
private dsnModifiers: DSNModifier[] = [];
private constructor() {}
static getInstance(): DB {
if (!this.instance) {
this.instance = new DB();
}
return this.instance;
}
isInitialised(): boolean {
return DB.initialised;
}
getDialect(): DBDialect {
return DB.dialect;
}
async initialise(
uri: string,
dsnModifiers: DSNModifier[] = []
): Promise<void> {
if (DB.initialised) {
return;
}
try {
this.uri = parseConnectionURI(uri);
this.dsnModifiers = dsnModifiers;
await this.open();
await this.ping();
// create tables
for (const [name, schema] of Object.entries(TABLES)) {
const createTableQuery = `CREATE TABLE IF NOT EXISTS ${name} (${schema})`;
await this.execute(createTableQuery);
}
if (this.uri.dialect === 'sqlite') {
await this.execute('PRAGMA busy_timeout = 5000');
await this.execute('PRAGMA foreign_keys = ON');
await this.execute('PRAGMA synchronous = OFF');
await this.execute('PRAGMA journal_mode = WAL');
await this.execute('PRAGMA locking_mode = IMMEDIATE');
}
DB.initialised = true;
DB.dialect = this.uri.dialect;
} catch (error) {
logger.error('Failed to initialize database:', error);
throw error;
}
}
async open(): Promise<void> {
if (this.uri.dialect === 'postgres') {
const pool = new Pool({
connectionString: this.uri.url.toString(),
idleTimeoutMillis: 30000,
connectionTimeoutMillis: 2000,
});
this.db = pool;
this.uri.dialect = 'postgres';
} else if (this.uri.dialect === 'sqlite') {
// make parent directory if it does not exist
const parentDir = path.dirname(this.uri.filename);
if (!parentDir) {
throw new Error('Invalid SQLite path');
}
if (!fs.existsSync(parentDir)) {
fs.mkdirSync(parentDir, { recursive: true });
}
logger.debug(`Opening SQLite database: ${this.uri.filename}`);
this.db = await open({
filename: this.uri.filename,
driver: sqlite3.Database,
});
this.uri.dialect = 'sqlite';
}
}
async close(): Promise<void> {
if (this.uri.dialect === 'postgres') {
await (this.db as Pool).end();
} else if (this.uri.dialect === 'sqlite') {
await (this.db as Database<any>).close();
}
}
async ping(): Promise<void> {
if (this.uri.dialect === 'postgres') {
await (this.db as Pool).query('SELECT 1');
} else if (this.uri.dialect === 'sqlite') {
await (this.db as Database<any>).get('SELECT 1');
}
}
async execute(query: string, params?: any[]): Promise<any> {
if (this.uri.dialect === 'postgres') {
return (this.db as Pool).query(
adaptQuery(query, this.uri.dialect),
params
);
} else if (this.uri.dialect === 'sqlite') {
return (this.db as Database<any>).run(
adaptQuery(query, this.uri.dialect),
params
);
}
throw new Error('Unsupported dialect');
}
async query(query: string, params?: any[]): Promise<any[]> {
const adaptedQuery = adaptQuery(query, this.uri.dialect);
if (this.uri.dialect === 'postgres') {
const result = await (this.db as Pool).query(adaptedQuery, params);
return result.rows;
} else if (this.uri.dialect === 'sqlite') {
return (this.db as Database<any>).all(adaptedQuery, params);
}
return [];
}
async begin(): Promise<Transaction> {
if (this.uri.dialect === 'postgres') {
const client = await (this.db as Pool).connect();
await client.query('BEGIN');
let finalised = false;
const finalise = () => {
if (!finalised) {
finalised = true;
client.release();
}
};
return {
commit: async () => {
try {
await client.query('COMMIT');
} finally {
finalise();
}
},
rollback: async () => {
try {
await client.query('ROLLBACK');
} finally {
finalise();
}
},
execute: async (
query: string,
params?: any[]
): Promise<UnifiedQueryResult> => {
const result = await client.query(
adaptQuery(query, 'postgres'),
params
);
return {
rows: result.rows,
rowCount: result.rowCount || 0,
command: result.command,
};
},
};
} else if (this.uri.dialect === 'sqlite') {
const db = this.db as Database<any>;
await db.run('BEGIN');
return {
commit: async () => {
await db.run('COMMIT');
},
rollback: async () => {
await db.run('ROLLBACK');
},
execute: async (
query: string,
params?: any[]
): Promise<UnifiedQueryResult> => {
const result = await db.all(adaptQuery(query, 'sqlite'), params);
return {
rows: result,
rowCount: result.length || 0,
command: 'SELECT',
};
},
};
}
throw new Error('Unsupported transaction dialect');
}
}
|