forked from mermaid-js/mermaid
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
chore: Add esbuild (Breaking change)
mermaid.min.js and mermaid.js will now be IIFE instead of UMD.
- Loading branch information
1 parent
43217e1
commit da7ff77
Showing
31 changed files
with
1,121 additions
and
470 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,20 @@ | ||
/** | ||
* Shared common options for both ESBuild and Vite | ||
*/ | ||
export const packageOptions = { | ||
mermaid: { | ||
name: 'mermaid', | ||
packageName: 'mermaid', | ||
file: 'mermaid.ts', | ||
}, | ||
'mermaid-example-diagram': { | ||
name: 'mermaid-example-diagram', | ||
packageName: 'mermaid-example-diagram', | ||
file: 'detector.ts', | ||
}, | ||
'mermaid-zenuml': { | ||
name: 'mermaid-zenuml', | ||
packageName: 'mermaid-zenuml', | ||
file: 'detector.ts', | ||
}, | ||
} as const; |
File renamed without changes.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,122 @@ | ||
import { load, JSON_SCHEMA } from 'js-yaml'; | ||
import assert from 'node:assert'; | ||
import Ajv2019, { type JSONSchemaType } from 'ajv/dist/2019.js'; | ||
|
||
import type { MermaidConfig, BaseDiagramConfig } from '../packages/mermaid/src/config.type.js'; | ||
|
||
/** | ||
* All of the keys in the mermaid config that have a mermaid diagram config. | ||
*/ | ||
const MERMAID_CONFIG_DIAGRAM_KEYS = [ | ||
'flowchart', | ||
'sequence', | ||
'gantt', | ||
'journey', | ||
'class', | ||
'state', | ||
'er', | ||
'pie', | ||
'quadrantChart', | ||
'requirement', | ||
'mindmap', | ||
'timeline', | ||
'gitGraph', | ||
'c4', | ||
'sankey', | ||
] as const; | ||
|
||
/** | ||
* Generate default values from the JSON Schema. | ||
* | ||
* AJV does not support nested default values yet (or default values with $ref), | ||
* so we need to manually find them (this may be fixed in ajv v9). | ||
* | ||
* @param mermaidConfigSchema - The Mermaid JSON Schema to use. | ||
* @returns The default mermaid config object. | ||
*/ | ||
export function generateDefaults(mermaidConfigSchema: JSONSchemaType<MermaidConfig>) { | ||
const ajv = new Ajv2019({ | ||
useDefaults: true, | ||
allowUnionTypes: true, | ||
strict: true, | ||
}); | ||
|
||
ajv.addKeyword({ | ||
keyword: 'meta:enum', // used by jsonschema2md | ||
errors: false, | ||
}); | ||
ajv.addKeyword({ | ||
keyword: 'tsType', // used by json-schema-to-typescript | ||
errors: false, | ||
}); | ||
|
||
// ajv currently doesn't support nested default values, see https://github.com/ajv-validator/ajv/issues/1718 | ||
// (may be fixed in v9) so we need to manually use sub-schemas | ||
const mermaidDefaultConfig = {}; | ||
|
||
assert.ok(mermaidConfigSchema.$defs); | ||
const baseDiagramConfig = mermaidConfigSchema.$defs.BaseDiagramConfig; | ||
|
||
for (const key of MERMAID_CONFIG_DIAGRAM_KEYS) { | ||
const subSchemaRef = mermaidConfigSchema.properties[key].$ref; | ||
const [root, defs, defName] = subSchemaRef.split('/'); | ||
assert.strictEqual(root, '#'); | ||
assert.strictEqual(defs, '$defs'); | ||
const subSchema = { | ||
$schema: mermaidConfigSchema.$schema, | ||
$defs: mermaidConfigSchema.$defs, | ||
...mermaidConfigSchema.$defs[defName], | ||
} as JSONSchemaType<BaseDiagramConfig>; | ||
|
||
const validate = ajv.compile(subSchema); | ||
|
||
mermaidDefaultConfig[key] = {}; | ||
|
||
for (const required of subSchema.required ?? []) { | ||
if (subSchema.properties[required] === undefined && baseDiagramConfig.properties[required]) { | ||
mermaidDefaultConfig[key][required] = baseDiagramConfig.properties[required].default; | ||
} | ||
} | ||
if (!validate(mermaidDefaultConfig[key])) { | ||
throw new Error( | ||
`schema for subconfig ${key} does not have valid defaults! Errors were ${JSON.stringify( | ||
validate.errors, | ||
undefined, | ||
2 | ||
)}` | ||
); | ||
} | ||
} | ||
|
||
const validate = ajv.compile(mermaidConfigSchema); | ||
|
||
if (!validate(mermaidDefaultConfig)) { | ||
throw new Error( | ||
`Mermaid config JSON Schema does not have valid defaults! Errors were ${JSON.stringify( | ||
validate.errors, | ||
undefined, | ||
2 | ||
)}` | ||
); | ||
} | ||
|
||
return mermaidDefaultConfig; | ||
} | ||
|
||
export const loadSchema = (src: string, filename: string): JSONSchemaType<MermaidConfig> => { | ||
const jsonSchema = load(src, { | ||
filename, | ||
// only allow JSON types in our YAML doc (will probably be default in YAML 1.3) | ||
// e.g. `true` will be parsed a boolean `true`, `True` will be parsed as string `"True"`. | ||
schema: JSON_SCHEMA, | ||
}) as JSONSchemaType<MermaidConfig>; | ||
return jsonSchema; | ||
}; | ||
|
||
export const getDefaults = (schema: JSONSchemaType<MermaidConfig>) => { | ||
return `export default ${JSON.stringify(generateDefaults(schema), undefined, 2)};`; | ||
}; | ||
|
||
export const getSchema = (schema: JSONSchemaType<MermaidConfig>) => { | ||
return `export default ${JSON.stringify(schema, undefined, 2)};`; | ||
}; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,34 @@ | ||
import { build } from 'esbuild'; | ||
import { mkdir, writeFile } from 'node:fs/promises'; | ||
import { getBuildConfig } from './util.js'; | ||
import { packageOptions } from '../.build/common.js'; | ||
|
||
const shouldVisualize = process.argv.includes('--visualize'); | ||
|
||
const buildPackage = async (entryName: keyof typeof packageOptions) => { | ||
await build(getBuildConfig({ entryName, minify: false })); | ||
const { metafile } = await build( | ||
getBuildConfig({ entryName, minify: true, metafile: shouldVisualize }) | ||
); | ||
if (metafile) { | ||
// Upload metafile into https://esbuild.github.io/analyze/ | ||
await writeFile(`stats/meta-${entryName}.json`, JSON.stringify(metafile)); | ||
} | ||
await build(getBuildConfig({ entryName, minify: false, core: true })); | ||
await build(getBuildConfig({ entryName, minify: true, format: 'iife' })); | ||
}; | ||
|
||
const handler = (e) => { | ||
console.error(e); | ||
process.exit(1); | ||
}; | ||
|
||
const main = async () => { | ||
await mkdir('stats').catch(() => {}); | ||
const packageNames = Object.keys(packageOptions) as (keyof typeof packageOptions)[]; | ||
for (const pkg of packageNames) { | ||
await buildPackage(pkg).catch(handler); | ||
} | ||
}; | ||
|
||
void main(); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,15 @@ | ||
import { readFile } from 'node:fs/promises'; | ||
import { transformJison } from '../.build/jisonTransformer.js'; | ||
import { Plugin } from 'esbuild'; | ||
|
||
export const jisonPlugin: Plugin = { | ||
name: 'jison', | ||
setup(build) { | ||
build.onLoad({ filter: /\.jison$/ }, async (args) => { | ||
// Load the file from the file system | ||
const source = await readFile(args.path, 'utf8'); | ||
const contents = transformJison(source); | ||
return { contents, warnings: [] }; | ||
}); | ||
}, | ||
}; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,35 @@ | ||
import type { JSONSchemaType } from 'ajv/dist/2019.js'; | ||
import type { MermaidConfig } from '../packages/mermaid/src/config.type.js'; | ||
import { readFile } from 'node:fs/promises'; | ||
import { getDefaults, getSchema, loadSchema } from '../.build/jsonSchema.js'; | ||
|
||
/** | ||
* ESBuild plugin that handles JSON Schemas saved as a `.schema.yaml` file. | ||
* | ||
* Use `my-example.schema.yaml?only-defaults=true` to only load the default values. | ||
*/ | ||
|
||
export const jsonSchemaPlugin = { | ||
name: 'json-schema-plugin', | ||
setup(build) { | ||
let schema: JSONSchemaType<MermaidConfig> | undefined = undefined; | ||
let content = ''; | ||
|
||
build.onLoad({ filter: /config\.schema\.yaml$/ }, async (args) => { | ||
// Load the file from the file system | ||
const source = await readFile(args.path, 'utf8'); | ||
const resolvedSchema: JSONSchemaType<MermaidConfig> = | ||
content === source && schema ? schema : loadSchema(source, args.path); | ||
if (content !== source) { | ||
content = source; | ||
schema = resolvedSchema; | ||
} | ||
const contents = args.suffix.includes('only-defaults') | ||
? getDefaults(resolvedSchema) | ||
: getSchema(resolvedSchema); | ||
return { contents, warnings: [] }; | ||
}); | ||
}, | ||
}; | ||
|
||
export default jsonSchemaPlugin; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,38 @@ | ||
import express from 'express'; | ||
import cors from 'cors'; | ||
import { getBuildConfig } from './util.js'; | ||
import { context } from 'esbuild'; | ||
|
||
async function createServer() { | ||
const app = express(); | ||
const mermaidCtx = await context( | ||
getBuildConfig({ minify: false, core: false, entryName: 'mermaid' }) | ||
); | ||
const mermaidIIFECtx = await context( | ||
getBuildConfig({ minify: false, core: false, entryName: 'mermaid', format: 'iife' }) | ||
); | ||
const externalCtx = await context( | ||
getBuildConfig({ minify: false, core: false, entryName: 'mermaid-example-diagram' }) | ||
); | ||
const zenuml = await context( | ||
getBuildConfig({ minify: false, core: false, entryName: 'mermaid-zenuml' }) | ||
); | ||
|
||
mermaidCtx.watch(); | ||
mermaidIIFECtx.watch(); | ||
externalCtx.watch(); | ||
zenuml.watch(); | ||
|
||
app.use(cors()); | ||
app.use(express.static('./packages/mermaid/dist')); | ||
app.use(express.static('./packages/mermaid-zenuml/dist')); | ||
app.use(express.static('./packages/mermaid-example-diagram/dist')); | ||
app.use(express.static('demos')); | ||
app.use(express.static('cypress/platform')); | ||
|
||
app.listen(9000, () => { | ||
console.log(`Listening on http://localhost:9000`); | ||
}); | ||
} | ||
|
||
createServer(); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,81 @@ | ||
import { resolve } from 'path'; | ||
import { fileURLToPath } from 'url'; | ||
import type { BuildOptions } from 'esbuild'; | ||
import { readFileSync } from 'fs'; | ||
import jsonSchemaPlugin from './jsonSchemaPlugin.js'; | ||
import { packageOptions } from '../.build/common.js'; | ||
import { jisonPlugin } from './jisonPlugin.js'; | ||
|
||
const __dirname = fileURLToPath(new URL('.', import.meta.url)); | ||
|
||
interface MermaidBuildOptions { | ||
minify: boolean; | ||
core?: boolean; | ||
metafile?: boolean; | ||
format?: 'esm' | 'iife'; | ||
entryName: keyof typeof packageOptions; | ||
} | ||
|
||
const buildOptions = (override: BuildOptions): BuildOptions => { | ||
return { | ||
bundle: true, | ||
minify: true, | ||
keepNames: true, | ||
platform: 'browser', | ||
tsconfig: 'tsconfig.json', | ||
resolveExtensions: ['.ts', '.js', '.json', '.jison', '.yaml'], | ||
external: ['require', 'fs', 'path'], | ||
outdir: 'dist', | ||
plugins: [jisonPlugin, jsonSchemaPlugin], | ||
sourcemap: 'external', | ||
...override, | ||
}; | ||
}; | ||
|
||
export const getBuildConfig = ({ | ||
minify, | ||
core, | ||
entryName, | ||
metafile, | ||
format, | ||
}: MermaidBuildOptions): BuildOptions => { | ||
const external: string[] = ['require', 'fs', 'path']; | ||
const { name, file, packageName } = packageOptions[entryName]; | ||
let output: BuildOptions = buildOptions({ | ||
absWorkingDir: resolve(__dirname, `../packages/${packageName}`), | ||
entryPoints: { | ||
[`${name}${core ? '.core' : format === 'iife' ? '' : '.esm'}${ | ||
minify ? '.min' : '' | ||
}`]: `src/${file}`, | ||
}, | ||
metafile, | ||
logLevel: 'info', | ||
}); | ||
|
||
if (core) { | ||
const { dependencies } = JSON.parse( | ||
readFileSync(resolve(__dirname, `../packages/${packageName}/package.json`), 'utf-8') | ||
); | ||
// Core build is used to generate file without bundled dependencies. | ||
// This is used by downstream projects to bundle dependencies themselves. | ||
// Ignore dependencies and any dependencies of dependencies | ||
external.push(...Object.keys(dependencies)); | ||
output.external = external; | ||
} | ||
|
||
if (format === 'iife') { | ||
output.format = 'iife'; | ||
output.splitting = false; | ||
output.globalName = '__esbuild_esm_mermaid'; | ||
output.footer = { | ||
js: 'globalThis.mermaid = globalThis.__esbuild_esm_mermaid.default;', | ||
}; | ||
output.outExtension = { '.js': '.js' }; | ||
} else { | ||
output.format = 'esm'; | ||
output.splitting = true; | ||
output.outExtension = { '.js': '.mjs' }; | ||
} | ||
|
||
return output; | ||
}; |
Oops, something went wrong.