Last active
January 29, 2023 03:13
-
-
Save davideicardi/787df4a9dc0de66c1db8f5a57e511230 to your computer and use it in GitHub Desktop.
Node.js script to merge markdown files and processing it. Using node.js streams.
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
const fs = require("fs"); | |
const { Transform, PassThrough } = require('stream'); | |
function concatStreams(streams) { | |
let pass = new PassThrough(); | |
let waiting = streams.length; | |
for (let stream of streams) { | |
pass = stream.pipe(pass, {end: false}); | |
stream.once('end', () => --waiting === 0 && pass.emit('end')); | |
} | |
return pass; | |
} | |
class AddEndOfLine extends Transform { | |
constructor(options) { | |
super(options); | |
} | |
_transform(data, encoding, callback) { | |
this.push(data); | |
this.push("\n\n"); | |
callback(); | |
} | |
} | |
// Convert | |
//  | |
// to | |
//  | |
class RebaseImages extends Transform { | |
constructor(options) { | |
super(options); | |
} | |
_transform(data, encoding, callback) { | |
const pattern = /!\[.+\]\(\.(\/.+\.png)\)/g; | |
const replace = ""; | |
const newData = data.toString() | |
.replace(pattern, replace); | |
this.push(newData); | |
callback(); | |
} | |
} | |
// Convert | |
// [a b c](./b.md) | |
// to | |
// [a b c](#doc-abc) | |
class ConvertLinksToAnchors extends Transform { | |
constructor(options) { | |
super(options); | |
} | |
_transform(data, encoding, callback) { | |
const pattern = /\[(.+)\]\(\.\/(.+\.md)\)/g; | |
const newData = data.toString() | |
.replace(pattern, (m, p1, p2) => { | |
const anchor = p1.replace(/\s/g, ""); | |
return `[${p1}](#doc-${anchor})`; | |
}); | |
this.push(newData); | |
callback(); | |
} | |
} | |
const inPaths = [ | |
"./examples/a.md", | |
"./examples/b.md", | |
"./examples/c.md" | |
]; | |
const outPath = "./examples/out.md"; | |
const inputs = inPaths.map(x => fs.createReadStream(x)); | |
const output = fs.createWriteStream(outPath); | |
concatStreams(inputs) | |
.pipe(new AddEndOfLine()) | |
.pipe(new RebaseImages()) | |
.pipe(new ConvertLinksToAnchors()) | |
.pipe(output) | |
.on("finish", function () { | |
console.log("Done merging!"); | |
}); |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment