rollup.config.js 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396
  1. // @ts-check
  2. import assert from 'node:assert/strict'
  3. import { createRequire } from 'node:module'
  4. import { fileURLToPath } from 'node:url'
  5. import fs from 'node:fs'
  6. import path from 'node:path'
  7. import replace from '@rollup/plugin-replace'
  8. import json from '@rollup/plugin-json'
  9. import pico from 'picocolors'
  10. import commonJS from '@rollup/plugin-commonjs'
  11. import polyfillNode from 'rollup-plugin-polyfill-node'
  12. import { nodeResolve } from '@rollup/plugin-node-resolve'
  13. import esbuild from 'rollup-plugin-esbuild'
  14. import alias from '@rollup/plugin-alias'
  15. import { entries } from './scripts/aliases.js'
  16. import { inlineEnums } from './scripts/inline-enums.js'
  17. import { minify as minifySwc } from '@swc/core'
  18. /**
  19. * @template T
  20. * @template {keyof T} K
  21. * @typedef { Omit<T, K> & Required<Pick<T, K>> } MarkRequired
  22. */
  23. /** @typedef {'cjs' | 'esm-bundler' | 'global' | 'global-runtime' | 'esm-browser' | 'esm-bundler-runtime' | 'esm-browser-runtime'} PackageFormat */
  24. /** @typedef {MarkRequired<import('rollup').OutputOptions, 'file' | 'format'>} OutputOptions */
  25. if (!process.env.TARGET) {
  26. throw new Error('TARGET package must be specified via --environment flag.')
  27. }
  28. const require = createRequire(import.meta.url)
  29. const __dirname = fileURLToPath(new URL('.', import.meta.url))
  30. const masterVersion = require('./package.json').version
  31. const consolidatePkg = require('@vue/consolidate/package.json')
  32. const privatePackages = fs.readdirSync('packages-private')
  33. const pkgBase = privatePackages.includes(process.env.TARGET)
  34. ? `packages-private`
  35. : `packages`
  36. const packagesDir = path.resolve(__dirname, pkgBase)
  37. const packageDir = path.resolve(packagesDir, process.env.TARGET)
  38. const resolve = (/** @type {string} */ p) => path.resolve(packageDir, p)
  39. const pkg = require(resolve(`package.json`))
  40. const packageOptions = pkg.buildOptions || {}
  41. const name = packageOptions.filename || path.basename(packageDir)
  42. const banner = `/**
  43. * ${pkg.name} v${masterVersion}
  44. * (c) 2018-present Yuxi (Evan) You and Vue contributors
  45. * @license MIT
  46. **/`
  47. const [enumPlugin, enumDefines] = inlineEnums()
  48. /** @type {Record<PackageFormat, OutputOptions>} */
  49. const outputConfigs = {
  50. 'esm-bundler': {
  51. file: resolve(`dist/${name}.esm-bundler.js`),
  52. format: 'es',
  53. },
  54. 'esm-browser': {
  55. file: resolve(`dist/${name}.esm-browser.js`),
  56. format: 'es',
  57. },
  58. cjs: {
  59. file: resolve(`dist/${name}.cjs.js`),
  60. format: 'cjs',
  61. },
  62. global: {
  63. file: resolve(`dist/${name}.global.js`),
  64. format: 'iife',
  65. },
  66. // runtime-only builds, for main "vue" package only
  67. 'esm-bundler-runtime': {
  68. file: resolve(`dist/${name}.runtime.esm-bundler.js`),
  69. format: 'es',
  70. },
  71. 'esm-browser-runtime': {
  72. file: resolve(`dist/${name}.runtime.esm-browser.js`),
  73. format: 'es',
  74. },
  75. 'global-runtime': {
  76. file: resolve(`dist/${name}.runtime.global.js`),
  77. format: 'iife',
  78. },
  79. }
  80. /** @type {ReadonlyArray<PackageFormat>} */
  81. const defaultFormats = ['esm-bundler', 'cjs']
  82. /** @type {ReadonlyArray<PackageFormat>} */
  83. const inlineFormats = /** @type {any} */ (
  84. process.env.FORMATS && process.env.FORMATS.split(',')
  85. )
  86. /** @type {ReadonlyArray<PackageFormat>} */
  87. const packageFormats = inlineFormats || packageOptions.formats || defaultFormats
  88. const packageConfigs = process.env.PROD_ONLY
  89. ? []
  90. : packageFormats.map(format => createConfig(format, outputConfigs[format]))
  91. if (process.env.NODE_ENV === 'production') {
  92. packageFormats.forEach(format => {
  93. if (packageOptions.prod === false) {
  94. return
  95. }
  96. if (format === 'cjs') {
  97. packageConfigs.push(createProductionConfig(format))
  98. }
  99. if (/^(global|esm-browser)(-runtime)?/.test(format)) {
  100. packageConfigs.push(createMinifiedConfig(format))
  101. }
  102. })
  103. }
  104. export default packageConfigs
  105. /**
  106. *
  107. * @param {PackageFormat} format
  108. * @param {OutputOptions} output
  109. * @param {ReadonlyArray<import('rollup').Plugin>} plugins
  110. * @returns {import('rollup').RollupOptions}
  111. */
  112. function createConfig(format, output, plugins = []) {
  113. if (!output) {
  114. console.log(pico.yellow(`invalid format: "${format}"`))
  115. process.exit(1)
  116. }
  117. const isProductionBuild =
  118. process.env.__DEV__ === 'false' || /\.prod\.js$/.test(output.file)
  119. const isBundlerESMBuild = /esm-bundler/.test(format)
  120. const isBrowserESMBuild = /esm-browser/.test(format)
  121. const isServerRenderer = name === 'server-renderer'
  122. const isCJSBuild = format === 'cjs'
  123. const isGlobalBuild = /global/.test(format)
  124. const isCompatPackage =
  125. pkg.name === '@vue/compat' || pkg.name === '@vue/compat-canary'
  126. const isCompatBuild = !!packageOptions.compat
  127. const isBrowserBuild =
  128. (isGlobalBuild || isBrowserESMBuild || isBundlerESMBuild) &&
  129. !packageOptions.enableNonBrowserBranches
  130. output.banner = banner
  131. output.exports = isCompatPackage ? 'auto' : 'named'
  132. if (isCJSBuild) {
  133. output.esModule = true
  134. }
  135. output.sourcemap = !!process.env.SOURCE_MAP
  136. output.externalLiveBindings = false
  137. // https://github.com/rollup/rollup/pull/5380
  138. output.reexportProtoFromExternal = false
  139. if (isGlobalBuild) {
  140. output.name = packageOptions.name
  141. }
  142. let entryFile = /runtime$/.test(format) ? `src/runtime.ts` : `src/index.ts`
  143. // the compat build needs both default AND named exports. This will cause
  144. // Rollup to complain for non-ESM targets, so we use separate entries for
  145. // esm vs. non-esm builds.
  146. if (isCompatPackage && (isBrowserESMBuild || isBundlerESMBuild)) {
  147. entryFile = /runtime$/.test(format)
  148. ? `src/esm-runtime.ts`
  149. : `src/esm-index.ts`
  150. }
  151. function resolveDefine() {
  152. /** @type {Record<string, string>} */
  153. const replacements = {
  154. __COMMIT__: `"${process.env.COMMIT}"`,
  155. __VERSION__: `"${masterVersion}"`,
  156. // this is only used during Vue's internal tests
  157. __TEST__: `false`,
  158. // If the build is expected to run directly in the browser (global / esm builds)
  159. __BROWSER__: String(isBrowserBuild),
  160. __GLOBAL__: String(isGlobalBuild),
  161. __ESM_BUNDLER__: String(isBundlerESMBuild),
  162. __ESM_BROWSER__: String(isBrowserESMBuild),
  163. // is targeting Node (SSR)?
  164. __CJS__: String(isCJSBuild),
  165. // need SSR-specific branches?
  166. __SSR__: String(!isGlobalBuild),
  167. // 2.x compat build
  168. __COMPAT__: String(isCompatBuild),
  169. // feature flags
  170. __FEATURE_SUSPENSE__: `true`,
  171. __FEATURE_OPTIONS_API__: isBundlerESMBuild
  172. ? `__VUE_OPTIONS_API__`
  173. : `true`,
  174. __FEATURE_PROD_DEVTOOLS__: isBundlerESMBuild
  175. ? `__VUE_PROD_DEVTOOLS__`
  176. : `false`,
  177. __FEATURE_PROD_HYDRATION_MISMATCH_DETAILS__: isBundlerESMBuild
  178. ? `__VUE_PROD_HYDRATION_MISMATCH_DETAILS__`
  179. : `false`,
  180. }
  181. if (!isBundlerESMBuild) {
  182. // hard coded dev/prod builds
  183. replacements.__DEV__ = String(!isProductionBuild)
  184. }
  185. // allow inline overrides like
  186. //__RUNTIME_COMPILE__=true pnpm build runtime-core
  187. Object.keys(replacements).forEach(key => {
  188. if (key in process.env) {
  189. const value = process.env[key]
  190. assert(typeof value === 'string')
  191. replacements[key] = value
  192. }
  193. })
  194. return replacements
  195. }
  196. // esbuild define is a bit strict and only allows literal json or identifiers
  197. // so we still need replace plugin in some cases
  198. function resolveReplace() {
  199. const replacements = { ...enumDefines }
  200. if (isProductionBuild && isBrowserBuild) {
  201. Object.assign(replacements, {
  202. 'context.onError(': `/*@__PURE__*/ context.onError(`,
  203. 'emitError(': `/*@__PURE__*/ emitError(`,
  204. 'createCompilerError(': `/*@__PURE__*/ createCompilerError(`,
  205. 'createDOMCompilerError(': `/*@__PURE__*/ createDOMCompilerError(`,
  206. })
  207. }
  208. if (isBundlerESMBuild) {
  209. Object.assign(replacements, {
  210. // preserve to be handled by bundlers
  211. __DEV__: `!!(process.env.NODE_ENV !== 'production')`,
  212. })
  213. }
  214. // for compiler-sfc browser build inlined deps
  215. if (isBrowserESMBuild) {
  216. Object.assign(replacements, {
  217. 'process.env': '({})',
  218. 'process.platform': '""',
  219. 'process.stdout': 'null',
  220. })
  221. }
  222. if (Object.keys(replacements).length) {
  223. return [replace({ values: replacements, preventAssignment: true })]
  224. } else {
  225. return []
  226. }
  227. }
  228. function resolveExternal() {
  229. const treeShakenDeps = [
  230. 'source-map-js',
  231. '@babel/parser',
  232. 'estree-walker',
  233. 'entities/lib/decode.js',
  234. ]
  235. if (isGlobalBuild || isBrowserESMBuild || isCompatPackage) {
  236. if (!packageOptions.enableNonBrowserBranches) {
  237. // normal browser builds - non-browser only imports are tree-shaken,
  238. // they are only listed here to suppress warnings.
  239. return treeShakenDeps
  240. }
  241. } else {
  242. // Node / esm-bundler builds.
  243. // externalize all direct deps unless it's the compat build.
  244. return [
  245. ...Object.keys(pkg.dependencies || {}),
  246. ...Object.keys(pkg.peerDependencies || {}),
  247. // for @vue/compiler-sfc / server-renderer
  248. ...['path', 'url', 'stream'],
  249. // somehow these throw warnings for runtime-* package builds
  250. ...treeShakenDeps,
  251. ]
  252. }
  253. }
  254. function resolveNodePlugins() {
  255. // we are bundling forked consolidate.js in compiler-sfc which dynamically
  256. // requires a ton of template engines which should be ignored.
  257. /** @type {ReadonlyArray<string>} */
  258. let cjsIgnores = []
  259. if (
  260. pkg.name === '@vue/compiler-sfc' ||
  261. pkg.name === '@vue/compiler-sfc-canary'
  262. ) {
  263. cjsIgnores = [
  264. ...Object.keys(consolidatePkg.devDependencies),
  265. 'vm',
  266. 'crypto',
  267. 'react-dom/server',
  268. 'teacup/lib/express',
  269. 'arc-templates/dist/es5',
  270. 'then-pug',
  271. 'then-jade',
  272. ]
  273. }
  274. const nodePlugins =
  275. (format === 'cjs' && Object.keys(pkg.devDependencies || {}).length) ||
  276. packageOptions.enableNonBrowserBranches
  277. ? [
  278. commonJS({
  279. sourceMap: false,
  280. ignore: cjsIgnores,
  281. }),
  282. ...(format === 'cjs' ? [] : [polyfillNode()]),
  283. nodeResolve(),
  284. ]
  285. : []
  286. return nodePlugins
  287. }
  288. return {
  289. input: resolve(entryFile),
  290. // Global and Browser ESM builds inlines everything so that they can be
  291. // used alone.
  292. external: resolveExternal(),
  293. plugins: [
  294. json({
  295. namedExports: false,
  296. }),
  297. alias({
  298. entries,
  299. }),
  300. enumPlugin,
  301. ...resolveReplace(),
  302. esbuild({
  303. tsconfig: path.resolve(__dirname, 'tsconfig.json'),
  304. sourceMap: output.sourcemap,
  305. minify: false,
  306. target: isServerRenderer || isCJSBuild ? 'es2019' : 'es2016',
  307. define: resolveDefine(),
  308. }),
  309. ...resolveNodePlugins(),
  310. ...plugins,
  311. ],
  312. output,
  313. onwarn: (msg, warn) => {
  314. if (msg.code !== 'CIRCULAR_DEPENDENCY') {
  315. warn(msg)
  316. }
  317. },
  318. treeshake: {
  319. moduleSideEffects: false,
  320. },
  321. }
  322. }
  323. function createProductionConfig(/** @type {PackageFormat} */ format) {
  324. return createConfig(format, {
  325. file: resolve(`dist/${name}.${format}.prod.js`),
  326. format: outputConfigs[format].format,
  327. })
  328. }
  329. function createMinifiedConfig(/** @type {PackageFormat} */ format) {
  330. return createConfig(
  331. format,
  332. {
  333. file: outputConfigs[format].file.replace(/\.js$/, '.prod.js'),
  334. format: outputConfigs[format].format,
  335. },
  336. [
  337. {
  338. name: 'swc-minify',
  339. async renderChunk(contents, _, { format }) {
  340. const { code } = await minifySwc(contents, {
  341. module: format === 'es',
  342. format: {
  343. comments: false,
  344. },
  345. compress: {
  346. ecma: 2016,
  347. pure_getters: true,
  348. },
  349. safari10: true,
  350. mangle: true,
  351. })
  352. return { code: banner + code, map: null }
  353. },
  354. },
  355. ],
  356. )
  357. }