-
Notifications
You must be signed in to change notification settings - Fork 101
/
Copy pathrun.ts
154 lines (137 loc) · 5.15 KB
/
run.ts
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
import path from 'path';
import argsParser from 'yargs-parser';
import fs from 'fs';
import SqlBenchmark, { languageNameMap, languages } from './sqlBenchmark';
import type { Language } from './sqlBenchmark';
import inquirer from 'inquirer';
import chalk from 'chalk';
import config from './benchmark.config';
import { Table } from 'console-table-printer';
const argv = argsParser(process.argv.slice(2));
const isChooseAll = argv.lang === 'all';
const isHot = argv.hot !== undefined;
const isRelease = argv.release !== undefined;
const testFiles = config.testFiles;
let benchmarkResults: SqlBenchmark[] = [];
const readSql = (fileName: string) => {
const sqlPath = path.join(__dirname, `./data/${fileName}`);
if (!fs.existsSync(sqlPath)) return '';
return fs.readFileSync(sqlPath, 'utf-8');
};
const readParams = () => {
const paramsPath = path.join(__dirname, `./data/params.json`);
if (!fs.existsSync(paramsPath)) return null;
return fs.readFileSync(paramsPath, 'utf-8');
};
const getParams = (originalParams: any, sqlFileName: string, methodType: string): any[] => {
if (!originalParams) return ['$sql'];
try {
const params = JSON.parse(originalParams);
const fileName = sqlFileName.substring(0, sqlFileName.lastIndexOf('.sql'));
return params[fileName]?.[methodType] || ['$sql'];
} catch (error) {
return ['$sql'];
}
};
const askForSaveResult = () => {
inquirer
.prompt([
{
type: 'input',
name: 'save',
message: 'Do you want to save this benchmark report? (y/N) default is false',
filter: (val) => {
if (!val) return false;
if (['y', 'yes'].includes(val.toLowerCase())) return true;
if (['n', 'no'].includes(val.toLowerCase())) return false;
},
},
])
.then((answer) => {
if (answer.save) {
if (isChooseAll) {
Promise.all(
benchmarkResults.map((sqlBenchmark) => sqlBenchmark.saveResults())
).then(() => {
console.log(chalk.green(`All Reports saved successfully.`));
});
} else {
const [sqlBenchmark] = benchmarkResults;
sqlBenchmark?.saveResults().then((path) => {
console.log(chalk.green(`Report saved successfully. See ${path}`));
});
}
}
});
};
/**
* If choose all language, generate and print summary benchmark report.
*
* You can compare the performance differences between different sql languages.
*/
const printSummaryReport = () => {
const rows: any = [];
const costTimeMap = new Map<string, number>();
benchmarkResults.forEach((sqlBenchmark) => {
sqlBenchmark.results.forEach(({ name, type, avgTime }) => {
costTimeMap.set([sqlBenchmark.language, name, type].join('_'), avgTime);
});
});
testFiles.forEach(({ testTypes, name }) => {
testTypes.forEach((testType) => {
const langsCostTime: Record<string, string | number> = {};
languages.forEach((lang) => {
const costTime = costTimeMap.get([lang, name, testType].join('_'));
langsCostTime[lang] = costTime ?? '-';
});
if (rows.some((row) => row.name === name && row.testType === testType)) return;
rows.push({
name,
testType,
...langsCostTime,
});
});
});
const table = new Table({
title: 'Summary Benchmark',
columns: [
{ name: 'name', title: 'Benchmark Name' },
{ name: 'testType', title: 'Type' },
...languages.map((lang) => ({ name: lang, title: languageNameMap[lang] })),
],
});
table.addRows(rows);
table.printTable();
};
const benchmark = (lang: Language) => {
const sqlBenchmark = new SqlBenchmark(lang, isHot, isRelease);
const originalParams = readParams();
testFiles.forEach((testInfo) => {
const { name, sqlFileName, testTypes, loopTimes, excludes, includes } = testInfo;
if (excludes?.includes(lang) || (includes?.length && !includes.includes(lang))) return;
const sql = readSql(sqlFileName);
const sqlRows = sql.split('\n').length;
testTypes.forEach((type) => {
const params = getParams(originalParams, sqlFileName, type);
const sqlParamIndex = params.findIndex((param) => param === '$sql');
// replace with real sql text
if (sqlParamIndex !== -1) params.splice(sqlParamIndex, 1, sql);
sqlBenchmark.run(type, name, params, sqlRows, loopTimes);
});
});
sqlBenchmark.printResults();
benchmarkResults.push(sqlBenchmark);
};
function run() {
if (isChooseAll) {
for (const lang of languages) {
benchmark(lang);
}
printSummaryReport();
} else {
benchmark(argv.lang);
}
askForSaveResult();
}
process.on('uncaughtException', (err) => console.log(err));
run();