-
Notifications
You must be signed in to change notification settings - Fork 32
/
Copy pathgen.ts
162 lines (130 loc) · 4.22 KB
/
gen.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
155
156
157
158
159
160
161
162
import GitHubSlugger from 'github-slugger';
import fs from 'fs';
import path from 'path';
import grayMatter from 'gray-matter';
import util from 'util';
import url from 'node:url';
import { QuestionFrontmatter, QuestionItem, QuestionMetadata } from './types';
const README_PATH_EN = 'README.md';
const readFileAsync = util.promisify(fs.readFile);
const slugger = new GitHubSlugger();
async function processQuestion(
dirName: string,
locale: string = 'en-US',
): Promise<QuestionItem | null> {
const metadataPath = path.join('./questions', dirName, 'metadata.json');
const localeFile = path.join('./questions', dirName, locale + '.mdx');
const [metadataFile, markdownFile] = await Promise.all([
readFileAsync(metadataPath),
readFileAsync(localeFile),
]);
const metadata: QuestionMetadata = JSON.parse(String(metadataFile));
const markdown = String(markdownFile);
if (dirName !== metadata.slug) {
throw `${dirName} !== ${metadata.slug}`;
}
if (!metadata.featured) {
return null;
}
const { data } = grayMatter(markdown);
const frontMatter = data as QuestionFrontmatter;
const title = frontMatter.title;
if (!title) {
console.warn(`${localeFile} does not have title`);
return null;
}
// Extract contents between the first `## TL;DR` and `---`.
const content = markdown.match(/## TL;DR\n\n([\s\S]*?)---\n/);
const tlDrPart = content?.[1];
if (tlDrPart == null) {
return null;
}
// TODO: use a more robust check for headings.
if (tlDrPart.includes('###')) {
throw `${localeFile}'s TL;DR contains headings`;
}
return {
locale,
metadata,
href:
'https://www.greatfrontend.com' +
url.format({
pathname: `/questions/quiz/${metadata.slug}`,
query: {
framework: 'react',
tab: 'quiz',
},
}),
title,
titleSlug: slugger.slug(title),
content: tlDrPart
// Replace relative links with absolute links.
.replace('](/', '](https://www.greatfrontend.com/')
.trim(),
};
}
async function readQuestionsList() {
const qnSlugs = fs
.readdirSync('./questions', {
withFileTypes: true,
})
.filter((dirent) => dirent.isDirectory())
.map((dirent) => dirent.name);
return qnSlugs;
}
async function processQuestionList(qns: string[]) {
const questionObjectsIncludingNull = await Promise.all(
qns.map((qnSlug) => processQuestion(qnSlug)),
);
return questionObjectsIncludingNull.flatMap((item) =>
item != null ? [item] : [],
);
}
function formatTableOfContents(qnList: QuestionItem[]) {
const tableOfContentsLines = ['| No. | Questions |', '| --- | --------- |'];
qnList.forEach(({ title, titleSlug }, index) =>
tableOfContentsLines.push(`| ${index + 1} | [${title}](#${titleSlug}) |`),
);
return tableOfContentsLines.join('\n');
}
function formatQuestion(qn: QuestionItem, index: number) {
return `${index}. ### ${qn.title}
<!-- Update here: /questions/${qn.metadata.slug}/${qn.locale}.mdx -->
${qn.content
.split('\n')
// Add indentation.
.map((line) => ' ' + line)
.join('\n')}
<!-- Update here: /questions/${qn.metadata.slug}/${qn.locale}.mdx -->
<br>
> Read the [detailed answer](${
qn.href
}) on [GreatFrontEnd](https://www.greatfrontend.com/) which allows progress tracking, contains more code samples, and useful resources.
[Back to top ↑](#table-of-contents)
<br>
<br>
`;
}
async function generate() {
const qns = await readQuestionsList();
const qnItemList = await processQuestionList(qns);
const qnsItemListSorted = qnItemList.sort(
(a, b) => a.metadata.ranking - b.metadata.ranking,
);
const qnTableOfContents = formatTableOfContents(qnsItemListSorted);
const qnAnswers = qnsItemListSorted
.map((qnItem, index) => formatQuestion(qnItem, index + 1))
.join('\n');
const readmeFile = String(fs.readFileSync(README_PATH_EN));
const updatedText = readmeFile
.replace(
/(<!-- TABLE_OF_CONTENTS:START -->)([\s\S]*?)(<!-- TABLE_OF_CONTENTS:END -->)/,
`$1\n\n${qnTableOfContents}\n\n$3`,
)
.replace(
/(<!-- QUESTIONS:START -->)([\s\S]*?)(<!-- QUESTIONS:END -->)/,
`$1\n\n${qnAnswers}\n\n$3`,
);
fs.writeFileSync(README_PATH_EN, updatedText);
}
generate();