forked from kiliman/tailwindui-crawler
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
executable file
·287 lines (255 loc) · 8.49 KB
/
index.js
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
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
#!/usr/bin/env node
require('dotenv-expand')(require('dotenv').config())
const fs = require('fs')
const _path = require('path')
const { exit } = require('process')
const nodeFetch = require('node-fetch')
const fetch = require('fetch-cookie/node-fetch')(nodeFetch)
// @ts-ignore
const formurlencoded = require('form-urlencoded')
const cheerio = require('cheerio')
// polyfill matchAll for node versions < 12
const matchAll = require('string.prototype.matchall')
matchAll.shim()
const { dirname, basename } = require('path')
const { mergeDeep, cleanFilename, ensureDirExists } = require('./utils')
const rootUrl = 'https://tailwindui.com'
const output = process.env.OUTPUT || './output'
// list of languages to save (defaults to html)
const languages = (process.env.LANGUAGES || 'html').split(',')
const retries = 3
const downloadCache = new Map()
let oldAssets = {}
let newAssets = {}
async function fetchWithRetry(url, retries, options = {}) {
let tries = 0
while (true) {
const start = new Date().getTime()
let response
try {
response = await fetch(url, options)
const elapsed = new Date().getTime() - start
console.log(`⏱ ${elapsed}ms (${response.status}) ${url}`)
return response
} catch (err) {
const elapsed = new Date().getTime() - start
tries++
const status = response ? response.status : 500
console.log(`🔄 ${elapsed}ms (${status}) Try #${tries} ${url}`)
if (tries === retries) {
console.log(`‼️ Error downloading ${url}.\n${err.message}`)
exit(1)
}
}
}
}
async function downloadPage(url) {
const response = await fetchWithRetry(rootUrl + url, retries)
const html = await response.text()
return html.trim()
}
async function postData(url, data) {
return fetch(rootUrl + url, {
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded',
},
redirect: 'manual',
body: formurlencoded(data),
})
}
async function processComponentPage(url) {
const html = await downloadPage(url)
const $ = cheerio.load(html)
const snippets = $('section[x-init="init()"]')
console.log(
`🔍 Found ${snippets.length} component${snippets.length === 1 ? '' : 's'}`,
)
for (let i = 0; i < snippets.length; i++) {
await processSnippet(url, $(snippets[i]))
}
if (process.env.BUILDINDEX === '1') {
const preview = replaceTokens(html)
await savePageAndResources(url, preview, $)
}
}
function replaceTokens(html) {
// replace tokens in page with constant so it won't generate superfluous diffs
// also replace links to css/js assets to remove id querystring
const regexTokens = /name="(csrf-token|_token)"\s+(content|value)="(.+?)"/gm
const regexAssets = /(css|js)(\?id=[a-f0-9]+)/gm
return html
.replace(regexTokens, `name="$1" $2="CONSTANT_TOKEN"`)
.replace(regexAssets, '$1')
}
async function processSnippet(url, $snippet) {
const title = $snippet.find('h2>a').text().trim()
const data = $snippet.attr('x-data')
const json = JSON.parse(
data.substring(data.indexOf('snippets: ') + 10, data.length - 2),
)
const filename = cleanFilename(title)
const path = `${url}/${filename}`
// output components by language
json.forEach((item) => {
const language = item.language.toLowerCase()
if (!languages.includes(language)) return
saveLanguageContent(path, language, item.snippet)
})
// save resources required by snippet preview
const $iframe = $snippet.find('iframe')
const html = $iframe.attr('srcdoc')
// if languages contains alpine, then save the preview as alpine
if (languages.includes('alpine')) {
const $body = cheerio.load(html)('body')
// strip empty wrapper divs if present
const $container = findFirstElementWithClass($body.children().first())
const code = $container.parent().html().trim()
const disclaimer = `<!--
This example requires Tailwind CSS v2.0+
The alpine.js code is *NOT* production ready and is included to preview
possible interactivity
-->
`
saveLanguageContent(path, 'alpine', `${disclaimer}${code}`)
}
await savePageAndResources(url, null, cheerio.load(html))
}
function findFirstElementWithClass($elem) {
// ignore empty class and elements with _style attribute
if (
$elem.attr('class') &&
$elem.attr('class').length > 0 &&
!$elem.attr('_style')
) {
return $elem
}
return findFirstElementWithClass($elem.children().first())
}
async function saveLanguageContent(path, language, code) {
const ext =
language === 'react' ? 'jsx' : language === 'alpine' ? 'html' : language
dir = `${output}/${language}${dirname(path)}`
ensureDirExists(dir)
const filename = basename(path)
filePath = `${dir}/${filename}.${ext}`
console.log(`📝 Writing ${language} ${filename}.${ext}`)
fs.writeFileSync(filePath, code)
}
async function savePageAndResources(url, html, $) {
// download referenced css and js inside <head>
const items = $('head>link,script,img')
for (let i = 0; i < items.length; i++) {
const $item = $(items[i])
const url = $item.attr('src') || $item.attr('href')
if (!url || !url.startsWith('/')) continue
// strip off querystring
const qsIndex = url.indexOf('?')
const path = qsIndex > 0 ? url.substring(0, qsIndex) : url
const dir = `${output}/preview${dirname(path)}`
const filePath = `${dir}/${basename(path)}`
// check assets to see if we've already downloaded this file
if (newAssets[filePath]) continue
ensureDirExists(dir)
let options = {}
if (oldAssets[filePath]) {
options = {
method: 'GET',
headers: {
'If-None-Match': oldAssets[filePath], // etag from previous GET
},
}
}
const response = await fetchWithRetry(rootUrl + url, retries, options)
// save etag
newAssets[filePath] = response.headers.get('etag')
if (response.status === 304) {
continue
}
const content = await response.buffer()
fs.writeFileSync(filePath, content)
}
if (html) {
// write preview index page
const dir = `${output}/preview${url}`
ensureDirExists(dir)
fs.writeFileSync(`${dir}/index.html`, html)
console.log(`📝 Writing ${url}/index.html`)
}
}
async function login() {
const $ = cheerio.load(await downloadPage('/login'))
const _token = $('input[name="_token"]').val()
const response = await postData('/login', {
_token,
email: process.env.EMAIL,
password: process.env.PASSWORD,
remember: 'true',
})
const html = await response.text()
return /\<title\>Redirecting to https:\/\/tailwindui\.com\<\/title\>/.test(
html,
)
}
;(async function () {
const start = new Date().getTime()
try {
ensureDirExists(output)
if (process.env.BUILDINDEX === '1') {
// load old preview assets
if (fs.existsSync(`${output}/preview/assets.json`)) {
oldAssets = JSON.parse(fs.readFileSync(`${output}/preview/assets.json`))
}
}
console.log('🔐 Logging into tailwindui.com...')
const success = await login()
if (!success) {
console.log('🚫 Invalid credentials')
return 1
}
console.log('✅ Success!\n')
console.log(`🗂 Output is ${output}`)
const html = await downloadPage('/components')
const $ = cheerio.load(html)
const library = {}
const links = $('.grid a')
const count = process.env.COUNT || links.length
for (let i = 0; i < count; i++) {
const link = links[i]
const url = $(link).attr('href')
console.log(`⏳ Processing ${url}...`)
const components = await processComponentPage(url)
mergeDeep(library, components)
console.log()
}
if (process.env.BUILDINDEX === '1') {
const preview = replaceTokens(html)
console.log('⏳ Saving preview page... this may take awhile')
await savePageAndResources('/components', preview, $)
fs.copyFileSync(
_path.join(__dirname, 'previewindex.html'),
`${output}/preview/index.html`,
)
console.log()
// clean up old assets that are not in new assets
Object.keys(oldAssets)
.filter((path) => newAssets[path] === undefined)
.forEach((path) => {
if (fs.existsSync(path)) {
fs.unlinkSync(path)
}
})
// save assets file
fs.writeFileSync(
`${output}/preview/assets.json`,
JSON.stringify(newAssets, null, 2),
)
}
} catch (err) {
console.error('‼️ ', err)
return 1
}
const elapsed = new Date().getTime() - start
console.log(`🏁 Done! ${elapsed / 1000} seconds`)
return 0
})()