-
Notifications
You must be signed in to change notification settings - Fork 3.2k
/
Copy pathindex.ts
429 lines (348 loc) · 13 KB
/
index.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
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
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
import Bluebird from 'bluebird'
import Debug from 'debug'
import _ from 'lodash'
import * as events from 'events'
import * as path from 'path'
import webpack from 'webpack'
import utils from './lib/utils'
import { overrideSourceMaps } from './lib/typescript-overrides'
const debug = Debug('cypress:webpack')
const debugStats = Debug('cypress:webpack:stats')
type FilePath = string
interface BundleObject {
promise: Bluebird<FilePath>
deferreds: Array<{ resolve: (filePath: string) => void, reject: (error: Error) => void, promise: Bluebird<string> }>
initial: boolean
}
// bundle promises from input spec filename to output bundled file paths
let bundles: {[key: string]: BundleObject} = {}
// we don't automatically load the rules, so that the babel dependencies are
// not required if a user passes in their own configuration
const getDefaultWebpackOptions = (): webpack.Configuration => {
debug('load default options')
return {
mode: 'development',
module: {
rules: [
{
test: /\.jsx?$/,
exclude: [/node_modules/],
use: [
{
loader: 'babel-loader',
options: {
presets: ['@babel/preset-env'],
},
},
],
},
],
},
}
}
const replaceErrMessage = (err: Error, partToReplace: string, replaceWith = '') => {
err.message = _.trim(err.message.replace(partToReplace, replaceWith))
if (err.stack) {
err.stack = _.trim(err.stack.replace(partToReplace, replaceWith))
}
return err
}
const cleanModuleNotFoundError = (err: Error) => {
const message = err.message
if (!message.includes('Module not found')) return err
// Webpack 5 error messages are much less verbose. No need to clean.
if ('NormalModule' in webpack) {
return err
}
const startIndex = message.lastIndexOf('resolve ')
const endIndex = message.lastIndexOf(`doesn't exist`) + `doesn't exist`.length
const partToReplace = message.substring(startIndex, endIndex)
const newMessagePart = `Looked for and couldn't find the file at the following paths:`
return replaceErrMessage(err, partToReplace, newMessagePart)
}
const cleanMultiNonsense = (err: Error) => {
const message = err.message
const startIndex = message.indexOf('@ multi')
if (startIndex < 0) return err
const partToReplace = message.substring(startIndex)
return replaceErrMessage(err, partToReplace)
}
const quietErrorMessage = (err: Error) => {
if (!err || !err.message) return err
err = cleanModuleNotFoundError(err)
err = cleanMultiNonsense(err)
return err
}
/**
* Configuration object for this Webpack preprocessor
*/
interface PreprocessorOptions {
webpackOptions?: webpack.Configuration
watchOptions?: Object
typescript?: string
additionalEntries?: string[]
}
interface FileEvent extends events.EventEmitter {
filePath: FilePath
outputPath: string
shouldWatch: boolean
}
/**
* Cypress asks file preprocessor to bundle the given file
* and return the full path to produced bundle.
*/
type FilePreprocessor = (file: FileEvent) => Bluebird<FilePath>
type WebpackPreprocessorFn = (options: PreprocessorOptions) => FilePreprocessor
/**
* Cypress file preprocessor that can bundle specs
* using Webpack.
*/
interface WebpackPreprocessor extends WebpackPreprocessorFn {
/**
* Default options for Cypress Webpack preprocessor.
* You can modify these options then pass to the preprocessor.
* @example
```
const defaults = webpackPreprocessor.defaultOptions
module.exports = (on) => {
delete defaults.webpackOptions.module.rules[0].use[0].options.presets
on('file:preprocessor', webpackPreprocessor(defaults))
}
```
*
* @type {Omit<PreprocessorOptions, 'additionalEntries'>}
* @memberof WebpackPreprocessor
*/
defaultOptions: Omit<PreprocessorOptions, 'additionalEntries'>
}
/**
* Webpack preprocessor configuration function. Takes configuration object
* and returns file preprocessor.
* @example
```
on('file:preprocessor', webpackPreprocessor(options))
```
*/
// @ts-ignore
const preprocessor: WebpackPreprocessor = (options: PreprocessorOptions = {}): FilePreprocessor => {
debug('user options: %o', options)
// we return function that accepts the arguments provided by
// the event 'file:preprocessor'
//
// this function will get called for the support file when a project is loaded
// (if the support file is not disabled)
// it will also get called for a spec file when that spec is requested by
// the Cypress runner
//
// when running in the GUI, it will likely get called multiple times
// with the same filePath, as the user could re-run the tests, causing
// the supported file and spec file to be requested again
return (file: FileEvent) => {
const filePath = file.filePath
debug('get', filePath)
// since this function can get called multiple times with the same
// filePath, we return the cached bundle promise if we already have one
// since we don't want or need to re-initiate webpack for it
if (bundles[filePath]) {
debug(`already have bundle for ${filePath}`)
return bundles[filePath].promise
}
const defaultWebpackOptions = getDefaultWebpackOptions()
// we're provided a default output path that lives alongside Cypress's
// app data files so we don't have to worry about where to put the bundled
// file on disk
const outputPath = path.extname(file.outputPath) === '.js'
? file.outputPath
: `${file.outputPath}.js`
const entry = [filePath].concat(options.additionalEntries || [])
const watchOptions = options.watchOptions || {}
// user can override the default options
const webpackOptions: webpack.Configuration = _
.chain(options.webpackOptions)
.defaultTo(defaultWebpackOptions)
.defaults({
mode: defaultWebpackOptions.mode,
})
.assign({
// we need to set entry and output
entry,
output: {
// disable automatic publicPath
publicPath: '',
path: path.dirname(outputPath),
filename: path.basename(outputPath),
},
})
.tap((opts) => {
if (opts.devtool === false) {
// disable any overrides if we've explicitly turned off sourcemaps
overrideSourceMaps(false, options.typescript)
return
}
debug('setting devtool to inline-source-map')
opts.devtool = 'inline-source-map'
// override typescript to always generate proper source maps
overrideSourceMaps(true, options.typescript)
// To support dynamic imports, we have to disable any code splitting.
debug('Limiting number of chunks to 1')
opts.plugins = (opts.plugins || []).concat(new webpack.optimize.LimitChunkCountPlugin({ maxChunks: 1 }))
})
.value() as any
debug('webpackOptions: %o', webpackOptions)
debug('watchOptions: %o', watchOptions)
if (options.typescript) debug('typescript: %s', options.typescript)
debug(`input: ${filePath}`)
debug(`output: ${outputPath}`)
const compiler = webpack(webpackOptions)
let firstBundle = utils.createDeferred<string>()
// cache the bundle promise, so it can be returned if this function
// is invoked again with the same filePath
bundles[filePath] = {
promise: firstBundle.promise,
// we will resolve all reject everything in this array when a compile completes in the `handle` function
deferreds: [firstBundle],
initial: true,
}
const rejectWithErr = (err: Error) => {
err = quietErrorMessage(err)
// @ts-ignore
err.filePath = filePath
debug(`errored bundling ${outputPath}`, err.message)
const lastBundle = bundles[filePath].deferreds[bundles[filePath].deferreds.length - 1]
lastBundle.reject(err)
bundles[filePath].deferreds.length = 0
}
// this function is called when bundling is finished, once at the start
// and, if watching, each time watching triggers a re-bundle
const handle = (err: Error, stats: webpack.Stats) => {
if (err) {
debug('handle - had error', err.message)
return rejectWithErr(err)
}
const jsonStats = stats.toJson()
// these stats are really only useful for debugging
if (jsonStats.warnings.length > 0) {
debug(`warnings for ${outputPath} %o`, jsonStats.warnings)
}
if (stats.hasErrors()) {
err = new Error('Webpack Compilation Error')
const errorsToAppend = jsonStats.errors
// remove stack trace lines since they're useless for debugging
.map(cleanseError)
// multiple errors separated by newline
.join('\n\n')
err.message += `\n${errorsToAppend}`
debug('stats had error(s) %o', jsonStats.errors)
return rejectWithErr(err)
}
debug('finished bundling', outputPath)
if (debugStats.enabled) {
/* eslint-disable-next-line no-console */
console.error(stats.toString({ colors: true }))
}
// seems to be a race condition where changing file before next tick
// does not cause build to rerun
Bluebird.delay(0).then(() => {
if (!bundles[filePath]) {
return
}
bundles[filePath].deferreds.forEach((deferred) => {
// resolve with the outputPath so Cypress knows where to serve
// the file from
deferred.resolve(outputPath)
})
bundles[filePath].deferreds.length = 0
})
}
const plugin = { name: 'CypressWebpackPreprocessor' }
// this event is triggered when watching and a file is saved
const onCompile = () => {
debug('compile', filePath)
/**
* Webpack 5 fix:
* If the bundle is the initial bundle, do not create the deferred promise
* as we already have one from above. Creating additional deferments on top of
* the first bundle causes reference issues with the first bundle returned, meaning
* the promise that is resolved/rejected is different from the one that is returned, which
* makes the preprocessor permanently hang
*/
if (!bundles[filePath].initial) {
const nextBundle = utils.createDeferred<string>()
bundles[filePath].promise = nextBundle.promise
bundles[filePath].deferreds.push(nextBundle)
}
bundles[filePath].promise.finally(() => {
debug('- compile finished for %s, initial? %s', filePath, bundles[filePath].initial)
// when the bundling is finished, emit 'rerun' to let Cypress
// know to rerun the spec, but NOT when it is the initial
// bundling of the file
if (!bundles[filePath].initial) {
file.emit('rerun')
}
bundles[filePath].initial = false
})
// we suppress unhandled rejections so they don't bubble up to the
// unhandledRejection handler and crash the process. Cypress will
// eventually take care of the rejection when the file is requested.
// note that this does not work if attached to latestBundle.promise
// for some reason. it only works when attached after .finally ¯\_(ツ)_/¯
.suppressUnhandledRejections()
}
// when we should watch, we hook into the 'compile' hook so we know when
// to rerun the tests
if (file.shouldWatch) {
if (compiler.hooks) {
// TODO compile.tap takes "string | Tap"
// so seems we just need to pass plugin.name
// @ts-ignore
compiler.hooks.compile.tap(plugin, onCompile)
} else if ('plugin' in compiler) {
// @ts-ignore
compiler.plugin('compile', onCompile)
}
}
const bundler = file.shouldWatch ? compiler.watch(watchOptions, handle) : compiler.run(handle)
// when the spec or project is closed, we need to clean up the cached
// bundle promise and stop the watcher via `bundler.close()`
file.on('close', (cb = function () {}) => {
debug('close', filePath)
delete bundles[filePath]
if (file.shouldWatch) {
// in this case the bundler is webpack.Compiler.Watching
if (bundler && 'close' in bundler) {
bundler.close(cb)
}
}
})
// return the promise, which will resolve with the outputPath or reject
// with any error encountered
return bundles[filePath].promise
}
}
// provide a clone of the default options
Object.defineProperty(preprocessor, 'defaultOptions', {
get () {
debug('get default options')
return {
webpackOptions: getDefaultWebpackOptions(),
watchOptions: {},
}
},
})
// for testing purposes, but do not add this to the typescript interface
// @ts-ignore
preprocessor.__reset = () => {
bundles = {}
}
// for testing purposes, but do not add this to the typescript interface
// @ts-ignore
preprocessor.__bundles = () => {
return bundles
}
// @ts-ignore - webpack.StatsError is unique to webpack 5
// TODO: Remove this when we update to webpack 5.
function cleanseError (err: string | webpack.StatsError) {
let msg = typeof err === 'string' ? err : err.message
return msg.replace(/\n\s*at.*/g, '').replace(/From previous event:\n?/g, '')
}
export = preprocessor