mylogger/mylogger.js

769 lines
20 KiB
JavaScript
Raw Normal View History

2023-04-08 13:08:37 +00:00
require('require-yaml');
require('colors');
const fs = require('fs');
const path = require('path');
const ZongJi = require('./zongji');
const mysql = require('mysql2/promise');
module.exports = class MyLogger {
constructor() {
this.running = false;
this.isOk = null;
2023-04-10 09:03:26 +00:00
this.binlogName = null;
this.binlogPosition = null;
2023-04-08 13:08:37 +00:00
this.schemaMap = new Map();
this.logMap = new Map();
2023-04-10 09:03:26 +00:00
this.isFlushed = true;
this.queue = [];
2023-04-08 13:08:37 +00:00
}
async start() {
const defaultConfig = require('./config.yml');
const conf = this.conf = Object.assign({}, defaultConfig);
const localPath = path.join(__dirname, 'config.local.yml');
if (fs.existsSync(localPath)) {
const localConfig = require(localPath);
Object.assign(conf, localConfig);
}
function parseTable(tableString, defaultSchema) {
2023-04-08 13:08:37 +00:00
let name, schema;
const split = tableString.split('.');
if (split.length == 1) {
name = split[0];
schema = defaultSchema;
} else {
[schema, name] = split;
2023-04-08 13:08:37 +00:00
}
return {name, schema};
}
const schemaMap = this.schemaMap;
function addTable(tableConf, logInfo) {
if (typeof tableConf == 'string')
tableConf = {name: tableConf};
const table = parseTable(tableConf.name, logInfo.schema);
2023-04-08 13:08:37 +00:00
let tableMap = schemaMap.get(table.schema);
if (!tableMap) {
tableMap = new Map();
schemaMap.set(table.schema, tableMap);
}
let tableInfo = tableMap.get(table.name);
if (!tableInfo) {
tableInfo = {
conf: tableConf,
log: logInfo
};
tableMap.set(table.name, tableInfo);
}
2023-04-11 08:15:06 +00:00
const modelName = conf.upperCaseTable
? toUpperCamelCase(table.name)
: table.name;
const {
showField,
relation,
idName
} = tableConf;
2023-04-08 13:08:37 +00:00
Object.assign(tableInfo, {
conf: tableConf,
2023-04-11 08:15:06 +00:00
exclude: new Set(tableConf.exclude),
modelName,
showField,
relation,
idName,
2023-04-13 16:31:43 +00:00
userField: tableConf.userField || conf.userField
2023-04-08 13:08:37 +00:00
});
return tableInfo;
}
for (const logName in conf.logs) {
const logConf = conf.logs[logName];
const schema = logConf.schema || conf.srcDb.database;
2023-04-08 13:08:37 +00:00
const logInfo = {
conf: logConf,
schema,
table: parseTable(logConf.logTable, schema),
mainTable: parseTable(logConf.mainTable, schema)
2023-04-08 13:08:37 +00:00
};
this.logMap.set(logName, logInfo);
const mainTable = addTable(logConf.mainTable, logInfo);
2023-04-08 13:08:37 +00:00
mainTable.isMain = true;
if (logConf.tables)
for (const tableConf of logConf.tables){
const table = addTable(tableConf, logInfo);
if (table !== mainTable) {
Object.assign(table, {
main: mainTable,
isMain: false
});
}
}
}
const includeSchema = {};
for (const [schemaName, tableMap] of this.schemaMap)
includeSchema[schemaName] = Array.from(tableMap.keys());
this.opts = {
includeEvents: [
'rotate',
'tablemap',
'writerows',
'updaterows',
'deleterows'
],
includeSchema,
serverId: conf.serverId
2023-04-08 13:08:37 +00:00
};
if (conf.testMode)
console.log('Test mode enabled, just logging queries to console.');
console.log('Starting process.');
await this.init();
console.log('Process started.');
}
async stop() {
console.log('Stopping process.');
await this.end();
console.log('Process stopped.');
}
async init() {
const {conf} = this;
this.debug('MyLogger', 'Initializing.');
this.onErrorListener = err => this.onError(err);
// DB connection
2023-04-10 09:03:26 +00:00
const db = this.db = await mysql.createConnection(conf.dstDb);
2023-04-08 13:08:37 +00:00
db.on('error', this.onErrorListener);
for (const logInfo of this.logMap.values()) {
const table = logInfo.table;
const sqlTable = `${db.escapeId(table.schema)}.${db.escapeId(table.name)}`
logInfo.addStmt = await db.prepare(
`INSERT INTO ${sqlTable}
SET originFk = ?,
userFk = ?,
action = ?,
creationDate = ?,
changedModel = ?,
oldInstance = ?,
newInstance = ?,
changedModelId = ?,
changedModelValue = ?`
);
logInfo.fetchStmt = await db.prepare(
`SELECT id FROM ${sqlTable}
WHERE changedModel = ?
AND changedModelId = ?
AND action = 'delete'
AND (originFk IS NULL OR originFk = ?)
LIMIT 1`
2023-04-08 13:08:37 +00:00
);
logInfo.updateStmt = await db.prepare(
`UPDATE ${sqlTable}
SET originFk = ?,
creationDate = ?,
oldInstance = ?,
changedModelValue = ?
WHERE id = ?`
);
}
for (const [schema, tableMap] of this.schemaMap)
for (const [table, tableInfo] of tableMap) {
const tableConf = tableInfo.conf;
2023-04-08 13:08:37 +00:00
// Fetch columns & types
Object.assign (tableInfo, {
castTypes: new Map(),
columns: new Map()
});
if (tableConf.types)
for (const col in tableConf.types)
tableInfo.castTypes.set(col, tableConf.types[col]);
2023-04-08 13:08:37 +00:00
const [dbCols] = await db.query(
`SELECT COLUMN_NAME \`col\`, DATA_TYPE \`type\`, COLUMN_DEFAULT \`def\`
FROM information_schema.\`COLUMNS\`
WHERE TABLE_NAME = ? AND TABLE_SCHEMA = ?`,
[table, schema]
);
for (const {col, type, def} of dbCols) {
2023-04-13 16:31:43 +00:00
if (!tableInfo.exclude.has(col) && col != tableInfo.userField)
2023-04-08 13:08:37 +00:00
tableInfo.columns.set(col, {type, def});
const castType = conf.castTypes[type];
if (castType && !tableInfo.castTypes.has(col))
tableInfo.castTypes.set(col, castType);
}
// Fetch primary key
if (!tableConf.idName) {
const [dbPks] = await db.query(
`SELECT COLUMN_NAME idName
FROM information_schema.KEY_COLUMN_USAGE
WHERE CONSTRAINT_NAME = 'PRIMARY'
AND TABLE_NAME = ?
AND TABLE_SCHEMA = ?`,
[table, schema]
);
if (!dbPks.length)
throw new Error(`Primary not found for table: ${schema}.${table}`);
if (dbPks.length > 1)
throw new Error(`Only one column primary is supported: ${schema}.${table}`);
for (const {idName} of dbPks)
tableInfo.idName = idName;
}
2023-04-08 13:08:37 +00:00
// Get show field
if (!tableConf.showField) {
2023-04-08 13:08:37 +00:00
for (const showField of conf.showFields) {
if (tableInfo.columns.has(showField)) {
tableInfo.showField = showField;
break;
}
}
}
}
for (const [schema, tableMap] of this.schemaMap)
for (const [table, tableInfo] of tableMap) {
2023-04-11 08:15:06 +00:00
// Fetch relation to main table
2023-04-08 13:08:37 +00:00
if (!tableInfo.conf.relation && !tableInfo.isMain) {
2023-04-08 13:08:37 +00:00
const mainTable = tableInfo.log.mainTable;
const mainTableInfo = this.schemaMap
.get(mainTable.schema)
.get(mainTable.name);
2023-04-11 08:15:06 +00:00
const [mainRelations] = await db.query(
2023-04-08 13:08:37 +00:00
`SELECT COLUMN_NAME relation
FROM information_schema.KEY_COLUMN_USAGE
WHERE TABLE_NAME = ?
AND TABLE_SCHEMA = ?
AND REFERENCED_TABLE_NAME = ?
AND REFERENCED_TABLE_SCHEMA = ?
AND REFERENCED_COLUMN_NAME = ?`,
[
table,
schema,
mainTable.name,
mainTable.schema,
mainTableInfo.idName
]
);
2023-04-11 08:15:06 +00:00
if (!mainRelations.length)
2023-04-08 13:08:37 +00:00
throw new Error(`No relation to main table found for table: ${schema}.${table}`);
2023-04-11 08:15:06 +00:00
if (mainRelations.length > 1)
2023-04-08 13:08:37 +00:00
throw new Error(`Found more multiple relations to main table: ${schema}.${table}`);
2023-04-11 08:15:06 +00:00
for (const {relation} of mainRelations)
2023-04-08 13:08:37 +00:00
tableInfo.relation = relation;
}
2023-04-11 08:15:06 +00:00
// Fetch relations
// TODO: Use relations to fetch names of related entities
const [relations] = await db.query(
`SELECT
COLUMN_NAME \`col\`,
REFERENCED_TABLE_SCHEMA \`schema\`,
REFERENCED_TABLE_NAME \`table\`,
REFERENCED_COLUMN_NAME \`column\`
FROM information_schema.KEY_COLUMN_USAGE
WHERE TABLE_NAME = ?
AND TABLE_SCHEMA = ?
AND REFERENCED_TABLE_NAME IS NOT NULL`,
[
table,
schema
]
);
tableInfo.relations = new Map();
for (const {col, schema, table, column} of relations)
tableInfo.relations.set(col, {schema, table, column});
2023-04-08 13:08:37 +00:00
}
2023-04-11 08:15:06 +00:00
2023-04-08 13:08:37 +00:00
// Zongji
2023-04-10 09:03:26 +00:00
const zongji = new ZongJi(conf.srcDb);
2023-04-08 13:08:37 +00:00
this.zongji = zongji;
this.onBinlogListener = evt => this.onBinlog(evt);
zongji.on('binlog', this.onBinlogListener);
const [res] = await db.query(
'SELECT `logName`, `position` FROM `util`.`binlogQueue` WHERE code = ?',
[conf.code]
);
if (res.length) {
const [row] = res;
2023-04-10 09:03:26 +00:00
this.binlogName = row.logName;
this.binlogPosition = row.position;
2023-04-08 13:08:37 +00:00
Object.assign(this.opts, {
2023-04-10 09:03:26 +00:00
filename: row.logName,
position: row.position
2023-04-08 13:08:37 +00:00
});
} else
this.opts.startAtEnd = true;
this.debug('Zongji', 'Starting.');
await new Promise((resolve, reject) => {
const onReady = () => {
zongji.off('error', onError);
resolve();
};
const onError = err => {
this.zongji = null;
zongji.off('ready', onReady);
zongji.off('binlog', this.onBinlogListener);
reject(err);
}
zongji.once('ready', onReady);
zongji.once('error', onError);
zongji.start(this.opts);
});
this.debug('Zongji', 'Started.');
this.zongji.on('error', this.onErrorListener);
this.flushInterval = setInterval(
() => this.flushQueue(), conf.flushInterval * 1000);
this.pingInterval = setInterval(
() => this.connectionPing(), conf.pingInterval * 1000);
// Summary
this.running = true;
this.isOk = true;
2023-04-08 13:08:37 +00:00
this.debug('MyLogger', 'Initialized.');
}
async end(silent) {
if (!this.running) return;
this.running = false;
2023-04-08 13:08:37 +00:00
this.debug('MyLogger', 'Ending.');
this.db.off('error', this.onErrorListener);
2023-04-08 13:08:37 +00:00
clearInterval(this.flushInterval);
clearInterval(this.pingInterval);
2023-04-10 09:03:26 +00:00
clearInterval(this.flushTimeout);
function logError(err) {
if (!silent) console.error(err);
}
try {
await this.flushQueue();
} catch (err) {
logError(err);
}
// Zongji
const zongji = this.zongji;
2023-04-08 13:08:37 +00:00
zongji.off('binlog', this.onBinlogListener);
zongji.off('error', this.onErrorListener);
this.zongji = null;
this.debug('Zongji', 'Stopping.');
// FIXME: Cannot call Zongji.stop(), it doesn't wait to end connection
zongji.connection.destroy(() => {
console.log('zongji.connection.destroy');
});
await new Promise(resolve => {
zongji.ctrlConnection.query('KILL ?', [zongji.connection.threadId],
err => {
if (err && err.code !== 'ER_NO_SUCH_THREAD')
logError(err);
2023-04-08 13:08:37 +00:00
resolve();
});
});
zongji.ctrlConnection.destroy(() => {
console.log('zongji.ctrlConnection.destroy');
});
zongji.emit('stopped');
this.debug('Zongji', 'Stopped.');
// DB connection
// FIXME: mysql2/promise bug, db.end() ends process
this.db.on('error', () => {});
try {
this.db.end();
2023-04-08 13:08:37 +00:00
} catch (err) {
logError(err);
2023-04-08 13:08:37 +00:00
}
// Summary
this.debug('MyLogger', 'Ended.');
}
async tryRestart() {
try {
await this.init();
console.log('Process restarted.');
} catch(err) {
setTimeout(() => this.tryRestart(), this.conf.restartTimeout * 1000);
2023-04-08 13:08:37 +00:00
}
}
async onError(err) {
if (!this.isOk) return;
this.isOk = false;
2023-04-08 13:08:37 +00:00
console.log(`Error: ${err.code}: ${err.message}`);
2023-04-08 13:08:37 +00:00
try {
await this.end(true);
} catch(e) {}
switch (err.code) {
case 'PROTOCOL_CONNECTION_LOST':
case 'ECONNRESET':
console.log('Trying to restart process.');
await this.tryRestart();
break;
default:
process.exit();
}
}
2023-04-11 08:15:06 +00:00
handleError(err) {
console.error(err);
}
2023-04-10 09:03:26 +00:00
async onBinlog(evt) {
2023-04-08 13:08:37 +00:00
//evt.dump();
2023-04-10 09:03:26 +00:00
try {
let shouldFlush;
const eventName = evt.getEventName();
if (eventName == 'rotate') {
if (evt.binlogName !== this.binlogName) {
shouldFlush = true;
this.binlogName = evt.binlogName;
this.binlogPosition = evt.position;
console.log(
`[${eventName}] filename: ${this.binlogName}`,
`position: ${this.binlogPosition}`
);
}
} else {
shouldFlush = true;
this.binlogPosition = evt.nextPosition;
if (catchEvents.has(eventName))
this.onRowEvent(evt, eventName);
}
2023-04-08 13:08:37 +00:00
2023-04-10 09:03:26 +00:00
if (shouldFlush) this.isFlushed = false;
} catch(err) {
this.handleError(err);
}
2023-04-08 13:08:37 +00:00
}
2023-04-10 09:03:26 +00:00
onRowEvent(evt, eventName) {
2023-04-08 13:08:37 +00:00
const table = evt.tableMap[evt.tableId];
const tableName = table.tableName;
const tableMap = this.schemaMap.get(table.parentSchema);
if (!tableMap) return;
const tableInfo = tableMap.get(tableName);
if (!tableInfo) return;
const action = actions[eventName];
const columns = tableInfo.columns;
let changes = [];
function castValue(col, value) {
switch(tableInfo.castTypes.get(col)) {
case 'boolean':
return !!value;
default:
return value;
}
}
if (action == 'update') {
for (const row of evt.rows) {
let nColsChanged = 0;
const before = row.before;
const after = row.after;
const oldI = {};
const newI = {};
for (const col in before) {
if (columns.has(col)
&& !equals(after[col], before[col])) {
if (before[col] !== null)
oldI[col] = castValue(col, before[col]);
newI[col] = castValue(col, after[col]);
nColsChanged++;
}
}
if (nColsChanged)
changes.push({row: after, oldI, newI});
}
} else {
const cols = columns.keys();
for (const row of evt.rows) {
const instance = {};
for (const col of cols) {
if (row[col] !== null)
instance[col] = castValue(col, row[col]);
}
changes.push({row, instance});
}
}
if (!changes.length) return;
if (this.conf.debug)
2023-04-30 11:09:42 +00:00
console.debug('Evt:'.blue,
`[${action}]`[actionColor[action]], `${tableName}: ${changes.length} changes`);
2023-04-08 13:08:37 +00:00
2023-04-10 09:03:26 +00:00
this.queue.push({
tableInfo,
action,
evt,
changes,
binlogName: this.binlogName
});
if (!this.flushTimeout)
this.flushTimeout = setTimeout(
() => this.flushQueue(),
this.conf.queueFlushDelay
);
}
async flushQueue() {
if (this.isFlushed || this.isFlushing || !this.isOk) return;
2023-04-10 09:03:26 +00:00
this.isFlushing = true;
2023-04-30 11:09:42 +00:00
const {conf, db, queue} = this;
2023-04-11 08:15:06 +00:00
let op;
2023-04-10 09:03:26 +00:00
try {
2023-04-30 11:09:42 +00:00
if (queue.length) {
2023-04-10 09:03:26 +00:00
do {
2023-04-30 11:09:42 +00:00
const ops = [];
let txStarted;
2023-04-10 09:03:26 +00:00
try {
await db.query('START TRANSACTION');
2023-04-30 11:09:42 +00:00
txStarted = true;
2023-04-10 09:03:26 +00:00
2023-04-30 11:09:42 +00:00
for (let i = 0; i < conf.maxBulkLog && queue.length; i++) {
op = queue.shift();
ops.push(op);
2023-04-10 09:03:26 +00:00
await this.applyOp(op);
}
2023-04-30 11:09:42 +00:00
this.debug('Queue', `applied: ${ops.length}, remaining: ${queue.length}`);
2023-04-10 09:03:26 +00:00
await this.savePosition(op.binlogName, op.evt.nextPosition)
await db.query('COMMIT');
} catch(err) {
2023-04-30 11:09:42 +00:00
queue.unshift(...ops);
if (txStarted)
try {
await db.query('ROLLBACK');
} catch (err) {}
2023-04-10 09:03:26 +00:00
throw err;
}
2023-04-30 11:09:42 +00:00
} while (queue.length);
2023-04-10 09:03:26 +00:00
} else {
await this.savePosition(this.binlogName, this.binlogPosition);
}
} catch(err) {
this.handleError(err);
} finally {
this.flushTimeout = null;
this.isFlushing = false;
}
}
async applyOp(op) {
const {
tableInfo,
action,
evt,
2023-04-11 08:15:06 +00:00
changes
2023-04-10 09:03:26 +00:00
} = op;
2023-04-08 13:08:37 +00:00
const logInfo = tableInfo.log;
const isDelete = action == 'delete';
for (const change of changes) {
let newI, oldI;
const row = change.row;
switch(action) {
case 'update':
newI = change.newI;
oldI = change.oldI;
break;
case 'insert':
newI = change.instance;
break;
case 'delete':
oldI = change.instance;
break;
}
const created = new Date(evt.timestamp);
2023-04-11 08:15:06 +00:00
const modelName = tableInfo.modelName;
2023-04-08 13:08:37 +00:00
const modelId = row[tableInfo.idName];
const modelValue = tableInfo.showField
? row[tableInfo.showField] || null
: null;
const oldInstance = oldI ? JSON.stringify(oldI) : null;
const originFk = !tableInfo.isMain
? row[tableInfo.relation]
: modelId;
let deleteRow;
if (this.conf.debug)
2023-04-30 11:09:42 +00:00
console.debug('Log:'.blue,
`[${action}]`[actionColor[action]], `${modelName}: ${modelId}`);
2023-04-08 13:08:37 +00:00
try {
if (isDelete) {
[[deleteRow]] = await logInfo.fetchStmt.execute([
modelName, modelId, originFk
]);
if (deleteRow)
await logInfo.updateStmt.execute([
originFk,
created,
oldInstance,
modelValue,
deleteRow.id
]);
}
if (!isDelete || !deleteRow) {
await logInfo.addStmt.execute([
2023-04-08 13:08:37 +00:00
originFk,
row[tableInfo.userField] || null,
action,
2023-04-08 13:08:37 +00:00
created,
modelName,
2023-04-08 13:08:37 +00:00
oldInstance,
newI ? JSON.stringify(newI) : null,
modelId,
modelValue
2023-04-08 13:08:37 +00:00
]);
}
} catch (err) {
if (err.code == 'ER_NO_REFERENCED_ROW_2') {
this.debug('Log', `Ignored because of constraint failed.`);
} else
throw err;
2023-04-08 13:08:37 +00:00
}
}
}
2023-04-11 08:15:06 +00:00
async savePosition(binlogName, binlogPosition) {
this.debug('Flush', `filename: ${binlogName}, position: ${binlogPosition}`);
const replaceQuery =
'REPLACE INTO `util`.`binlogQueue` SET `code` = ?, `logName` = ?, `position` = ?';
if (!this.conf.testMode)
await this.db.query(replaceQuery, [this.conf.code, binlogName, binlogPosition]);
this.isFlushed = this.binlogName == binlogName
&& this.binlogPosition == binlogPosition;
}
2023-04-08 13:08:37 +00:00
async connectionPing() {
if (!this.isOk) return;
try {
this.debug('Ping', 'Sending ping to database.');
// FIXME: Should Zongji.connection be pinged?
await new Promise((resolve, reject) => {
this.zongji.ctrlConnection.ping(err => {
if (err) return reject(err);
resolve();
});
})
await this.db.ping();
} catch(err) {
this.handleError(err);
}
2023-04-08 13:08:37 +00:00
}
debug(namespace, message) {
if (this.conf.debug)
console.debug(`${namespace}:`.blue, message.yellow);
}
}
2023-04-11 08:15:06 +00:00
const catchEvents = new Set([
'writerows',
'updaterows',
'deleterows'
]);
const actions = {
writerows: 'insert',
updaterows: 'update',
deleterows: 'delete'
};
2023-04-30 11:09:42 +00:00
const actionColor = {
insert: 'green',
update: 'yellow',
delete: 'red'
};
2023-04-11 08:15:06 +00:00
function toUpperCamelCase(str) {
str = str.replace(/[-_ ][a-z]/g,
match => match.charAt(1).toUpperCase());
return str.charAt(0).toUpperCase() + str.substr(1);
}
2023-04-08 13:08:37 +00:00
function equals(a, b) {
if (a === b)
return true;
const type = typeof a;
if (a == null || b == null || type !== typeof b)
return false;
if (type === 'object' && a.constructor === b.constructor) {
2023-04-11 09:32:21 +00:00
if (a instanceof Date) {
// FIXME: zongji creates invalid dates for NULL DATE
// Error is somewhere here: zongji/lib/rows_event.js:129
let aTime = a.getTime();
if (isNaN(aTime)) aTime = null;
let bTime = b.getTime();
if (isNaN(bTime)) bTime = null;
return aTime === bTime;
}
2023-04-08 13:08:37 +00:00
}
return false;
}