mirror of
https://github.com/cypress-io/cypress.git
synced 2026-01-25 00:19:22 -06:00
* chore: [run ci] does further prerequisites for webpack 5: https://webpack.js.org/migrate/5/#make-sure-your-build-has-no-errors-or-warnings https://webpack.js.org/migrate/5/#make-sure-to-use-mode https://webpack.js.org/migrate/5/#update-outdated-options https://webpack.js.org/migrate/5/#test-webpack-5-compatibility app builds and runs locally. Time to test out in CI and see if buffer or process need to be polyfilled by the build * chore: upgrade to webpack 5 and do the bare minimum to get it working * chore: get @packages/extension working * chore: add TODOs to finish after webpack 5 update * chore: update the webpack config for npm/webpack-batteries-included-preprocessor to be webpack 5 compliant * chore: patch whatwg-url 7.1.0. package 'source-map' uses whatwg-url@7.1.0 which has a dependency on punycode node expected API. since punycode is now polyfilled for us implicitly via the punycode npm package, the API signatures are a bit different https://github.com/mathiasbynens/punycode.js/blob/main/punycode.js#L101 vs https://nodejs.org/api/punycode.html#punycodeucs2. The patch uses the punycode npm package expected API and is needed for source maps to work for cy.origin() dependencies for Cypress.require() * chore: convert whatwg patch into dev patch as source-map is not installed when building the binary / installing prod dependencies * chore: only move production level patches into the binary dist directory for yarn install --production * chore: remove --openssl-legacy-provider code for node versions 17 and over as webpack has been updated to v5 * chore: fix the webpack-batteries-included-preprocessor tests by shimming the correct node globals and built ins * chore: provide the define plugin and evalDevtoolPlugin again as we need define in order to build the react-dom library correctly in the bundle to not include the development version * chore: updating v8 snapshot cache * chore: updating v8 snapshot cache * chore: updating v8 snapshot cache * chore: fix the webpack preprocessor not to change promise references under the hood when compiling the first bundle, as it was causing the webpack preprocessor to hang as the reference itself was different * chore: fix issues from readFile that were caused by Webpack 5 using 'path-browserify' * chore: update chrome component testing snapshots to match Webpack 5 changes * chore: fix mismatched snapshots from webpack 5 update * chore: use Cypress.Buffer instead of Buffer for selectFile system test to avoid having to polyfill Buffer from webpack * chore: fix system test webpack path that now includes e2e workspace * chore: patch enhanced-resolve to properly discover the pnp api for the yarn_v3.1.1_pnp_spec.ts system test. see https://github.com/webpack/enhanced-resolve/issues/263 for more details * chore: set stats to 'none' for experimentalSingleTabMode to prevent different webpack compiled terminal formatting in the snapshot between local and CI. * chore: fix node built in tests and configure webpack-batteries-included-preprocessor correctly * chore: fallback to buffer correctly in config, even though there is no impact due to the provide plugin * Update binary-cleanup.js to exclude added build dependencies for webpack 5 added by webpack-terser-plugin under the hood * chore: add stream-browserify to webpack preprocessor batteries included as a dep as its used in the config [run ci] * chore: make sure process and buffer are installed in the CLI for webpack provide * chore: build cross platform binaries [run ci] * chore: fix webpack evalDevToolPlugin instantiation [run ci] * run all binary jobs [run ci] * chore: updating v8 snapshot cache * add find-up to the entry points that need to be kept * chore: updating v8 snapshot cache * chore: updating v8 snapshot cache * chore: fix mocha build warnings * chore: fix STRIPPED_INTEGRITY_TAG import warnings * chore: add changelog event --------- Co-authored-by: cypress-bot[bot] <+cypress-bot[bot]@users.noreply.github.com> Co-authored-by: Ryan Manuel <ryanm@cypress.io>
430 lines
13 KiB
TypeScript
430 lines
13 KiB
TypeScript
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
|