스크롤 기능 포함

This commit is contained in:
leeheejin
2025-09-23 10:45:53 +09:00
parent 37ded5a543
commit f160a33b94
9 changed files with 703 additions and 256 deletions

View File

@@ -0,0 +1,52 @@
import { DatabaseConnector, ConnectionConfig } from '../interfaces/DatabaseConnector';
import { PostgreSQLConnector } from './PostgreSQLConnector';
export class DatabaseConnectorFactory {
private static connectors = new Map<string, DatabaseConnector>();
static async createConnector(
type: string,
config: ConnectionConfig,
connectionId: number // Added connectionId for unique key
): Promise<DatabaseConnector> {
const key = `${type}-${connectionId}`; // Use connectionId for unique key
if (this.connectors.has(key)) {
return this.connectors.get(key)!;
}
let connector: DatabaseConnector;
switch (type.toLowerCase()) {
case 'postgresql':
connector = new PostgreSQLConnector(config);
break;
// Add other database types here
default:
throw new Error(`지원하지 않는 데이터베이스 타입: ${type}`);
}
this.connectors.set(key, connector);
return connector;
}
static async getConnector(connectionId: number, type: string): Promise<DatabaseConnector | undefined> {
const key = `${type}-${connectionId}`;
return this.connectors.get(key);
}
static async closeConnector(connectionId: number, type: string): Promise<void> {
const key = `${type}-${connectionId}`;
const connector = this.connectors.get(key);
if (connector) {
await connector.disconnect();
this.connectors.delete(key);
}
}
static async closeAll(): Promise<void> {
for (const connector of this.connectors.values()) {
await connector.disconnect();
}
this.connectors.clear();
}
}

View File

@@ -0,0 +1,175 @@
import * as mysql from 'mysql2/promise';
import { DatabaseConnector, ConnectionConfig, QueryResult } from '../interfaces/DatabaseConnector';
import { ConnectionTestResult, TableInfo } from '../types/externalDbTypes';
export class MySQLConnector implements DatabaseConnector {
private connection: mysql.Connection | null = null;
private config: ConnectionConfig;
constructor(config: ConnectionConfig) {
this.config = config;
}
async connect(): Promise<void> {
if (this.connection) {
throw new Error('이미 연결되어 있습니다.');
}
this.connection = await mysql.createConnection({
host: this.config.host,
port: this.config.port,
database: this.config.database,
user: this.config.username,
password: this.config.password,
connectTimeout: this.config.connectionTimeout || 30000,
ssl: this.config.sslEnabled ? { rejectUnauthorized: false } : undefined,
});
}
async disconnect(): Promise<void> {
if (this.connection) {
await this.connection.end();
this.connection = null;
}
}
async testConnection(): Promise<ConnectionTestResult> {
const startTime = Date.now();
try {
await this.connect();
const [versionResult] = await this.connection!.query('SELECT VERSION() as version');
const [sizeResult] = await this.connection!.query(
'SELECT SUM(data_length + index_length) as size FROM information_schema.tables WHERE table_schema = DATABASE()'
);
const responseTime = Date.now() - startTime;
return {
success: true,
message: 'MySQL 연결이 성공했습니다.',
details: {
response_time: responseTime,
server_version: (versionResult as any)[0]?.version || '알 수 없음',
database_size: this.formatBytes(parseInt((sizeResult as any)[0]?.size || '0')),
},
};
} catch (error) {
return {
success: false,
message: 'MySQL 연결에 실패했습니다.',
error: {
code: 'CONNECTION_FAILED',
details: error instanceof Error ? error.message : '알 수 없는 오류',
},
};
} finally {
await this.disconnect();
}
}
async executeQuery(query: string): Promise<QueryResult> {
if (!this.connection) {
await this.connect();
}
try {
const [rows, fields] = await this.connection!.query(query);
return {
rows: rows as any[],
rowCount: Array.isArray(rows) ? rows.length : 0,
fields: (fields as mysql.FieldPacket[]).map(field => ({
name: field.name,
dataType: field.type.toString(),
})),
};
} finally {
await this.disconnect();
}
}
async getTables(): Promise<TableInfo[]> {
if (!this.connection) {
await this.connect();
}
try {
const [tables] = await this.connection!.query(`
SELECT
t.TABLE_NAME as table_name,
t.TABLE_COMMENT as table_description
FROM information_schema.TABLES t
WHERE t.TABLE_SCHEMA = DATABASE()
ORDER BY t.TABLE_NAME
`);
const result: TableInfo[] = [];
for (const table of tables as any[]) {
const [columns] = await this.connection!.query(`
SELECT
COLUMN_NAME as column_name,
DATA_TYPE as data_type,
IS_NULLABLE as is_nullable,
COLUMN_DEFAULT as column_default
FROM information_schema.COLUMNS
WHERE TABLE_SCHEMA = DATABASE()
AND TABLE_NAME = ?
ORDER BY ORDINAL_POSITION
`, [table.table_name]);
result.push({
table_name: table.table_name,
description: table.table_description || null,
columns: columns as any[],
});
}
return result;
} finally {
await this.disconnect();
}
}
async getColumns(tableName: string): Promise<Array<{
name: string;
dataType: string;
isNullable: boolean;
defaultValue?: string;
}>> {
if (!this.connection) {
await this.connect();
}
try {
const [columns] = await this.connection!.query(`
SELECT
COLUMN_NAME as name,
DATA_TYPE as dataType,
IS_NULLABLE = 'YES' as isNullable,
COLUMN_DEFAULT as defaultValue
FROM information_schema.COLUMNS
WHERE TABLE_SCHEMA = DATABASE()
AND TABLE_NAME = ?
ORDER BY ORDINAL_POSITION
`, [tableName]);
return (columns as any[]).map(col => ({
name: col.name,
dataType: col.dataType,
isNullable: col.isNullable,
defaultValue: col.defaultValue,
}));
} finally {
await this.disconnect();
}
}
private formatBytes(bytes: number): string {
if (bytes === 0) return '0 Bytes';
const k = 1024;
const sizes = ['Bytes', 'KB', 'MB', 'GB', 'TB'];
const i = Math.floor(Math.log(bytes) / Math.log(k));
return parseFloat((bytes / Math.pow(k, i)).toFixed(2)) + ' ' + sizes[i];
}
}

View File

@@ -0,0 +1,145 @@
import { Client } from 'pg';
import { DatabaseConnector, ConnectionConfig, QueryResult } from '../interfaces/DatabaseConnector';
import { ConnectionTestResult, TableInfo } from '../types/externalDbTypes';
export class PostgreSQLConnector implements DatabaseConnector {
private client: Client | null = null;
private config: ConnectionConfig;
constructor(config: ConnectionConfig) {
this.config = config;
}
async connect(): Promise<void> {
if (this.client) {
await this.disconnect();
}
const clientConfig: any = {
host: this.config.host,
port: this.config.port,
database: this.config.database,
user: this.config.user,
password: this.config.password,
};
if (this.config.connectionTimeoutMillis != null) {
clientConfig.connectionTimeoutMillis = this.config.connectionTimeoutMillis;
}
if (this.config.queryTimeoutMillis != null) {
clientConfig.query_timeout = this.config.queryTimeoutMillis;
}
if (this.config.ssl != null) {
clientConfig.ssl = this.config.ssl;
}
this.client = new Client(clientConfig);
await this.client.connect();
}
async disconnect(): Promise<void> {
if (this.client) {
await this.client.end();
this.client = null;
}
}
async testConnection(): Promise<ConnectionTestResult> {
const startTime = Date.now();
try {
await this.connect();
const result = await this.client!.query("SELECT version(), pg_database_size(current_database()) as size");
const responseTime = Date.now() - startTime;
await this.disconnect();
return {
success: true,
message: "PostgreSQL 연결이 성공했습니다.",
details: {
response_time: responseTime,
server_version: result.rows[0]?.version || "알 수 없음",
database_size: this.formatBytes(parseInt(result.rows[0]?.size || "0")),
},
};
} catch (error: any) {
await this.disconnect();
return {
success: false,
message: "PostgreSQL 연결에 실패했습니다.",
error: {
code: "CONNECTION_FAILED",
details: error.message || "알 수 없는 오류",
},
};
}
}
async executeQuery(query: string): Promise<QueryResult> {
try {
await this.connect();
const result = await this.client!.query(query);
await this.disconnect();
return {
rows: result.rows,
rowCount: result.rowCount ?? undefined,
fields: result.fields ?? undefined,
};
} catch (error: any) {
await this.disconnect();
throw new Error(`PostgreSQL 쿼리 실행 실패: ${error.message}`);
}
}
async getTables(): Promise<TableInfo[]> {
try {
await this.connect();
const result = await this.client!.query(`
SELECT
t.table_name,
obj_description(quote_ident(t.table_name)::regclass::oid, 'pg_class') as table_description
FROM information_schema.tables t
WHERE t.table_schema = 'public'
AND t.table_type = 'BASE TABLE'
ORDER BY t.table_name;
`);
await this.disconnect();
return result.rows.map((row) => ({
table_name: row.table_name,
description: row.table_description,
columns: [], // Columns will be fetched by getColumns
}));
} catch (error: any) {
await this.disconnect();
throw new Error(`PostgreSQL 테이블 목록 조회 실패: ${error.message}`);
}
}
async getColumns(tableName: string): Promise<any[]> {
try {
await this.connect();
const result = await this.client!.query(`
SELECT
column_name,
data_type,
is_nullable,
column_default
FROM information_schema.columns
WHERE table_schema = 'public' AND table_name = $1
ORDER BY ordinal_position;
`, [tableName]);
await this.disconnect();
return result.rows;
} catch (error: any) {
await this.disconnect();
throw new Error(`PostgreSQL 컬럼 정보 조회 실패: ${error.message}`);
}
}
private formatBytes(bytes: number): string {
if (bytes === 0) return "0 Bytes";
const k = 1024;
const sizes = ["Bytes", "KB", "MB", "GB", "TB"];
const i = Math.floor(Math.log(bytes) / Math.log(k));
return parseFloat((bytes / Math.pow(k, i)).toFixed(2)) + " " + sizes[i];
}
}