Skip to content

Commit 7792515

Browse files
authoredJun 7, 2023
feat(optimizer): support glob includes (#12414)
1 parent 2218099 commit 7792515

File tree

22 files changed

+284
-77
lines changed

22 files changed

+284
-77
lines changed
 

‎docs/config/dep-optimization-options.md

+10
Original file line numberDiff line numberDiff line change
@@ -35,6 +35,16 @@ export default defineConfig({
3535

3636
By default, linked packages not inside `node_modules` are not pre-bundled. Use this option to force a linked package to be pre-bundled.
3737

38+
**Experimental:** If you're using a library with many deep imports, you can also specify a trailing glob pattern to pre-bundle all deep imports at once. This will avoid constantly pre-bundling whenever a new deep import is used. For example:
39+
40+
```js
41+
export default defineConfig({
42+
optimizeDeps: {
43+
include: ['my-lib/components/**/*.vue'],
44+
},
45+
})
46+
```
47+
3848
## optimizeDeps.esbuildOptions
3949

4050
- **Type:** [`EsbuildBuildOptions`](https://esbuild.github.io/api/#simple-options)

‎packages/vite/src/node/optimizer/index.ts

+14-51
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import colors from 'picocolors'
77
import type { BuildContext, BuildOptions as EsbuildBuildOptions } from 'esbuild'
88
import esbuild, { build } from 'esbuild'
99
import { init, parse } from 'es-module-lexer'
10+
import glob from 'fast-glob'
1011
import { createFilter } from '@rollup/pluginutils'
1112
import { getDepOptimizationConfig } from '../config'
1213
import type { ResolvedConfig } from '../config'
@@ -25,9 +26,9 @@ import {
2526
} from '../utils'
2627
import { transformWithEsbuild } from '../plugins/esbuild'
2728
import { ESBUILD_MODULES_TARGET } from '../constants'
28-
import { resolvePackageData } from '../packages'
2929
import { esbuildCjsExternalPlugin, esbuildDepPlugin } from './esbuildDepPlugin'
3030
import { scanImports } from './scan'
31+
import { createOptimizeDepsIncludeResolver, expandGlobIds } from './resolve'
3132
export {
3233
initDepsOptimizer,
3334
initDevSsrDepsOptimizer,
@@ -844,8 +845,19 @@ export async function addManuallyIncludedOptimizeDeps(
844845
)
845846
}
846847
}
848+
849+
const includes = [...optimizeDepsInclude, ...extra]
850+
for (let i = 0; i < includes.length; i++) {
851+
const id = includes[i]
852+
if (glob.isDynamicPattern(id)) {
853+
const globIds = expandGlobIds(id, config)
854+
includes.splice(i, 1, ...globIds)
855+
i += globIds.length - 1
856+
}
857+
}
858+
847859
const resolve = createOptimizeDepsIncludeResolver(config, ssr)
848-
for (const id of [...optimizeDepsInclude, ...extra]) {
860+
for (const id of includes) {
849861
// normalize 'foo >bar` as 'foo > bar' to prevent same id being added
850862
// and for pretty printing
851863
const normalizedId = normalizeId(id)
@@ -867,55 +879,6 @@ export async function addManuallyIncludedOptimizeDeps(
867879
}
868880
}
869881

870-
function createOptimizeDepsIncludeResolver(
871-
config: ResolvedConfig,
872-
ssr: boolean,
873-
) {
874-
const resolve = config.createResolver({
875-
asSrc: false,
876-
scan: true,
877-
ssrOptimizeCheck: ssr,
878-
ssrConfig: config.ssr,
879-
packageCache: new Map(),
880-
})
881-
return async (id: string) => {
882-
const lastArrowIndex = id.lastIndexOf('>')
883-
if (lastArrowIndex === -1) {
884-
return await resolve(id, undefined, undefined, ssr)
885-
}
886-
// split nested selected id by last '>', for example:
887-
// 'foo > bar > baz' => 'foo > bar' & 'baz'
888-
const nestedRoot = id.substring(0, lastArrowIndex).trim()
889-
const nestedPath = id.substring(lastArrowIndex + 1).trim()
890-
const basedir = nestedResolveBasedir(
891-
nestedRoot,
892-
config.root,
893-
config.resolve.preserveSymlinks,
894-
)
895-
return await resolve(
896-
nestedPath,
897-
path.resolve(basedir, 'package.json'),
898-
undefined,
899-
ssr,
900-
)
901-
}
902-
}
903-
904-
/**
905-
* Continously resolve the basedir of packages separated by '>'
906-
*/
907-
function nestedResolveBasedir(
908-
id: string,
909-
basedir: string,
910-
preserveSymlinks = false,
911-
) {
912-
const pkgs = id.split('>').map((pkg) => pkg.trim())
913-
for (const pkg of pkgs) {
914-
basedir = resolvePackageData(pkg, basedir, preserveSymlinks)?.dir || basedir
915-
}
916-
return basedir
917-
}
918-
919882
export function newDepOptimizationProcessing(): DepOptimizationProcessing {
920883
let resolve: () => void
921884
const promise = new Promise((_resolve) => {
+173
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,173 @@
1+
import path from 'node:path'
2+
import glob from 'fast-glob'
3+
import micromatch from 'micromatch'
4+
import type { ResolvedConfig } from '../config'
5+
import { escapeRegex, getNpmPackageName, slash } from '../utils'
6+
import { resolvePackageData } from '../packages'
7+
8+
export function createOptimizeDepsIncludeResolver(
9+
config: ResolvedConfig,
10+
ssr: boolean,
11+
): (id: string) => Promise<string | undefined> {
12+
const resolve = config.createResolver({
13+
asSrc: false,
14+
scan: true,
15+
ssrOptimizeCheck: ssr,
16+
ssrConfig: config.ssr,
17+
packageCache: new Map(),
18+
})
19+
return async (id: string) => {
20+
const lastArrowIndex = id.lastIndexOf('>')
21+
if (lastArrowIndex === -1) {
22+
return await resolve(id, undefined, undefined, ssr)
23+
}
24+
// split nested selected id by last '>', for example:
25+
// 'foo > bar > baz' => 'foo > bar' & 'baz'
26+
const nestedRoot = id.substring(0, lastArrowIndex).trim()
27+
const nestedPath = id.substring(lastArrowIndex + 1).trim()
28+
const basedir = nestedResolveBasedir(
29+
nestedRoot,
30+
config.root,
31+
config.resolve.preserveSymlinks,
32+
)
33+
return await resolve(
34+
nestedPath,
35+
path.resolve(basedir, 'package.json'),
36+
undefined,
37+
ssr,
38+
)
39+
}
40+
}
41+
42+
/**
43+
* Expand the glob syntax in `optimizeDeps.include` to proper import paths
44+
*/
45+
export function expandGlobIds(id: string, config: ResolvedConfig): string[] {
46+
const pkgName = getNpmPackageName(id)
47+
if (!pkgName) return []
48+
49+
const pkgData = resolvePackageData(
50+
pkgName,
51+
config.root,
52+
config.resolve.preserveSymlinks,
53+
config.packageCache,
54+
)
55+
if (!pkgData) return []
56+
57+
const pattern = '.' + id.slice(pkgName.length)
58+
const exports = pkgData.data.exports
59+
60+
// if package has exports field, get all possible export paths and apply
61+
// glob on them with micromatch
62+
if (exports) {
63+
if (typeof exports === 'string' || Array.isArray(exports)) {
64+
return [pkgName]
65+
}
66+
67+
const possibleExportPaths: string[] = []
68+
for (const key in exports) {
69+
if (key.startsWith('.')) {
70+
if (key.includes('*')) {
71+
// "./glob/*": {
72+
// "browser": "./dist/glob/*-browser/*.js", <-- get this one
73+
// "default": "./dist/glob/*/*.js"
74+
// }
75+
// NOTE: theoretically the "default" condition could map to a different
76+
// set of files, but that complicates the resolve logic, so we assume
77+
// all conditions map to the same set of files, and get the first one.
78+
const exportsValue = getFirstExportStringValue(exports[key])
79+
if (!exportsValue) continue
80+
81+
// "./dist/glob/*-browser/*.js" => "./dist/glob/**/*-browser/**/*.js"
82+
// NOTE: in some cases, this could expand to consecutive /**/*/**/* etc
83+
// but it's fine since fast-glob handles it the same.
84+
const exportValuePattern = exportsValue.replace(/\*/g, '**/*')
85+
// "./dist/glob/*-browser/*.js" => /dist\/glob\/(.*)-browser\/(.*)\.js/
86+
const exportsValueGlobRe = new RegExp(
87+
exportsValue.split('*').map(escapeRegex).join('(.*)'),
88+
)
89+
90+
possibleExportPaths.push(
91+
...glob
92+
.sync(exportValuePattern, {
93+
cwd: pkgData.dir,
94+
ignore: ['node_modules'],
95+
})
96+
.map((filePath) => {
97+
// "./glob/*": "./dist/glob/*-browser/*.js"
98+
// `filePath`: "./dist/glob/foo-browser/foo.js"
99+
// we need to revert the file path back to the export key by
100+
// matching value regex and replacing the capture groups to the key
101+
const matched = slash(filePath).match(exportsValueGlobRe)
102+
// `matched`: [..., 'foo', 'foo']
103+
if (matched) {
104+
let allGlobSame = matched.length === 2
105+
// exports key can only have one *, so for >=2 matched groups,
106+
// make sure they have the same value
107+
if (!allGlobSame) {
108+
// assume true, if one group is different, set false and break
109+
allGlobSame = true
110+
for (let i = 2; i < matched.length; i++) {
111+
if (matched[i] !== matched[i - 1]) {
112+
allGlobSame = false
113+
break
114+
}
115+
}
116+
}
117+
if (allGlobSame) {
118+
return key.replace('*', matched[1]).slice(2)
119+
}
120+
}
121+
return ''
122+
})
123+
.filter(Boolean),
124+
)
125+
} else {
126+
possibleExportPaths.push(key.slice(2))
127+
}
128+
}
129+
}
130+
131+
const matched = micromatch(possibleExportPaths, pattern).map((match) =>
132+
path.posix.join(pkgName, match),
133+
)
134+
matched.unshift(pkgName)
135+
return matched
136+
} else {
137+
// for packages without exports, we can do a simple glob
138+
const matched = glob
139+
.sync(pattern, { cwd: pkgData.dir, ignore: ['node_modules'] })
140+
.map((match) => path.posix.join(pkgName, slash(match)))
141+
matched.unshift(pkgName)
142+
return matched
143+
}
144+
}
145+
146+
function getFirstExportStringValue(
147+
obj: string | string[] | Record<string, any>,
148+
): string | undefined {
149+
if (typeof obj === 'string') {
150+
return obj
151+
} else if (Array.isArray(obj)) {
152+
return obj[0]
153+
} else {
154+
for (const key in obj) {
155+
return getFirstExportStringValue(obj[key])
156+
}
157+
}
158+
}
159+
160+
/**
161+
* Continuously resolve the basedir of packages separated by '>'
162+
*/
163+
function nestedResolveBasedir(
164+
id: string,
165+
basedir: string,
166+
preserveSymlinks = false,
167+
) {
168+
const pkgs = id.split('>').map((pkg) => pkg.trim())
169+
for (const pkg of pkgs) {
170+
basedir = resolvePackageData(pkg, basedir, preserveSymlinks)?.dir || basedir
171+
}
172+
return basedir
173+
}

‎packages/vite/src/node/ssr/ssrExternal.ts

+1-10
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ import {
77
bareImportRE,
88
createDebugger,
99
createFilter,
10+
getNpmPackageName,
1011
isBuiltin,
1112
isDefined,
1213
isInNodeModules,
@@ -341,13 +342,3 @@ export function cjsShouldExternalizeForSSR(
341342
})
342343
return should
343344
}
344-
345-
function getNpmPackageName(importPath: string): string | null {
346-
const parts = importPath.split('/')
347-
if (parts[0][0] === '@') {
348-
if (!parts[1]) return null
349-
return `${parts[0]}/${parts[1]}`
350-
} else {
351-
return parts[0]
352-
}
353-
}

‎packages/vite/src/node/utils.ts

+10
Original file line numberDiff line numberDiff line change
@@ -1238,6 +1238,16 @@ export function evalValue<T = any>(rawValue: string): T {
12381238
return fn()
12391239
}
12401240

1241+
export function getNpmPackageName(importPath: string): string | null {
1242+
const parts = importPath.split('/')
1243+
if (parts[0][0] === '@') {
1244+
if (!parts[1]) return null
1245+
return `${parts[0]}/${parts[1]}`
1246+
} else {
1247+
return parts[0]
1248+
}
1249+
}
1250+
12411251
const escapeRegexRE = /[-/\\^$*+?.()|[\]{}]/g
12421252
export function escapeRegex(str: string): string {
12431253
return str.replace(escapeRegexRE, '\\$&')

‎playground/optimize-deps/__tests__/optimize-deps.spec.ts

+21-1
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,12 @@
1-
import { expect, test } from 'vitest'
1+
import { describe, expect, test } from 'vitest'
22
import {
33
browserErrors,
44
browserLogs,
55
getColor,
66
isBuild,
77
isServe,
88
page,
9+
readDepOptimizationMetadata,
910
serverLogs,
1011
viteTestUrl,
1112
} from '~utils'
@@ -222,3 +223,22 @@ test.runIf(isBuild)('no missing deps during build', async () => {
222223
expect(log).not.toMatch('Missing dependency found after crawling ended')
223224
})
224225
})
226+
227+
describe.runIf(isServe)('optimizeDeps config', () => {
228+
test('supports include glob syntax', () => {
229+
const metadata = readDepOptimizationMetadata()
230+
expect(Object.keys(metadata.optimized)).to.include.members([
231+
'@vitejs/test-dep-optimize-exports-with-glob',
232+
'@vitejs/test-dep-optimize-exports-with-glob/named',
233+
'@vitejs/test-dep-optimize-exports-with-glob/glob-dir/foo',
234+
'@vitejs/test-dep-optimize-exports-with-glob/glob-dir/bar',
235+
'@vitejs/test-dep-optimize-exports-with-glob/glob-dir/nested/baz',
236+
'@vitejs/test-dep-optimize-with-glob',
237+
'@vitejs/test-dep-optimize-with-glob/index.js',
238+
'@vitejs/test-dep-optimize-with-glob/named.js',
239+
'@vitejs/test-dep-optimize-with-glob/glob/foo.js',
240+
'@vitejs/test-dep-optimize-with-glob/glob/bar.js',
241+
'@vitejs/test-dep-optimize-with-glob/glob/nested/baz.js',
242+
])
243+
})
244+
})

‎playground/optimize-deps/dep-optimize-exports-with-glob/glob/bar.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-exports-with-glob/glob/foo.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-exports-with-glob/glob/nested/baz.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-exports-with-glob/index.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-exports-with-glob/named.js

Whitespace-only changes.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
{
2+
"name": "@vitejs/test-dep-optimize-exports-with-glob",
3+
"private": true,
4+
"version": "1.0.0",
5+
"type": "module",
6+
"exports": {
7+
".": "./index.js",
8+
"./named": "./named.js",
9+
"./glob-dir/*": "./glob/*.js"
10+
}
11+
}

‎playground/optimize-deps/dep-optimize-with-glob/glob/bar.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-with-glob/glob/foo.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-with-glob/glob/nested/baz.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-with-glob/index.js

Whitespace-only changes.

‎playground/optimize-deps/dep-optimize-with-glob/named.js

Whitespace-only changes.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
{
2+
"name": "@vitejs/test-dep-optimize-with-glob",
3+
"private": true,
4+
"version": "1.0.0",
5+
"type": "module"
6+
}

‎playground/optimize-deps/package.json

+2
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,8 @@
2323
"@vitejs/test-dep-linked-include": "link:./dep-linked-include",
2424
"@vitejs/test-dep-node-env": "file:./dep-node-env",
2525
"@vitejs/test-dep-not-js": "file:./dep-not-js",
26+
"@vitejs/test-dep-optimize-exports-with-glob": "file:./dep-optimize-exports-with-glob",
27+
"@vitejs/test-dep-optimize-with-glob": "file:./dep-optimize-with-glob",
2628
"@vitejs/test-dep-relative-to-main": "file:./dep-relative-to-main",
2729
"@vitejs/test-dep-with-builtin-module-cjs": "file:./dep-with-builtin-module-cjs",
2830
"@vitejs/test-dep-with-builtin-module-esm": "file:./dep-with-builtin-module-esm",

‎playground/optimize-deps/vite.config.js

+2
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,8 @@ export default defineConfig({
2323
'@vitejs/test-nested-exclude > @vitejs/test-nested-include',
2424
// will throw if optimized (should log warning instead)
2525
'@vitejs/test-non-optimizable-include',
26+
'@vitejs/test-dep-optimize-exports-with-glob/**/*',
27+
'@vitejs/test-dep-optimize-with-glob/**/*.js',
2628
],
2729
exclude: ['@vitejs/test-nested-exclude', '@vitejs/test-dep-non-optimized'],
2830
esbuildOptions: {

‎playground/test-utils.ts

+10-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@ import fs from 'node:fs'
55
import path from 'node:path'
66
import colors from 'css-color-names'
77
import type { ConsoleMessage, ElementHandle } from 'playwright-chromium'
8-
import type { Manifest } from 'vite'
8+
import type { DepOptimizationMetadata, Manifest } from 'vite'
99
import { normalizePath } from 'vite'
1010
import { fromComment } from 'convert-source-map'
1111
import { expect } from 'vitest'
@@ -153,6 +153,15 @@ export function readManifest(base = ''): Manifest {
153153
)
154154
}
155155

156+
export function readDepOptimizationMetadata(): DepOptimizationMetadata {
157+
return JSON.parse(
158+
fs.readFileSync(
159+
path.join(testDir, 'node_modules/.vite/deps/_metadata.json'),
160+
'utf-8',
161+
),
162+
)
163+
}
164+
156165
/**
157166
* Poll a getter until the value it returns includes the expected value.
158167
*/

‎pnpm-lock.yaml

+24-14
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

0 commit comments

Comments
 (0)
Please sign in to comment.