Skip to content

Commit b7e0e42

Browse files
sheremet-vabluwyhi-ogawa
authored
feat: use module runner to import the config (#18637)
Co-authored-by: bluwy <bjornlu.dev@gmail.com> Co-authored-by: Hiroshi Ogawa <hi.ogawa.zz@gmail.com>
1 parent 93d5443 commit b7e0e42

23 files changed

+357
-90
lines changed

docs/config/index.md

+4
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,10 @@ You can also explicitly specify a config file to use with the `--config` CLI opt
2222
vite --config my-config.js
2323
```
2424

25+
::: tip BUNDLING THE CONFIG
26+
By default, Vite uses `esbuild` to bundle the config into a temporary file. This can cause issues when importing TypeScript files in a monorepo. If you encounter any issues with this approach, you can specify `--configLoader=runner` to use the module runner instead - it will not create a temporary config and will transform any files on the fly. Note that module runner doesn't support CJS in config files, but external CJS packages should work as usual.
27+
:::
28+
2529
## Config Intellisense
2630

2731
Since Vite ships with TypeScript typings, you can leverage your IDE's intellisense with jsdoc type hints:

docs/guide/cli.md

+71-67
Large diffs are not rendered by default.

packages/vite/index.cjs

+1
Original file line numberDiff line numberDiff line change
@@ -21,6 +21,7 @@ const asyncFunctions = [
2121
'loadConfigFromFile',
2222
'preprocessCSS',
2323
'createBuilder',
24+
'runnerImport',
2425
]
2526
asyncFunctions.forEach((name) => {
2627
module.exports[name] = (...args) =>

packages/vite/src/module-runner/esmEvaluator.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ import {
1212
import type { ModuleEvaluator, ModuleRunnerContext } from './types'
1313

1414
export class ESModulesEvaluator implements ModuleEvaluator {
15-
startOffset = getAsyncFunctionDeclarationPaddingLineCount()
15+
public readonly startOffset = getAsyncFunctionDeclarationPaddingLineCount()
1616

1717
async runInlinedModule(
1818
context: ModuleRunnerContext,
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
interface Test {
2+
field: true
3+
}
4+
5+
export const test: Test = {
6+
field: true,
7+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports = {}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export default 'ok'
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export default () => import('./dynamic-import-dep')
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
import { Plugin } from 'vite'
2+
3+
export default function testPlugin(): Plugin {
4+
return {
5+
name: 'test',
6+
}
7+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
import parent from '@vitejs/parent'
2+
3+
export default {
4+
__injected: parent.child,
5+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
import { defineConfig } from 'vite'
2+
import plugin from './plugin'
3+
4+
export default defineConfig({
5+
root: './test',
6+
plugins: [plugin()],
7+
})

packages/vite/src/node/__tests__/package.json

+1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@
33
"private": true,
44
"version": "0.0.0",
55
"dependencies": {
6+
"@vitejs/parent": "link:./packages/parent",
67
"@vitejs/cjs-ssr-dep": "link:./fixtures/cjs-ssr-dep",
78
"@vitejs/test-dep-conditions": "file:./fixtures/test-dep-conditions"
89
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export default true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,5 @@
1+
{
2+
"name": "@vitejs/child",
3+
"type": "module",
4+
"main": "./index.js"
5+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
// @ts-expect-error not typed
2+
import child from '@vitejs/child'
3+
4+
export default {
5+
child,
6+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
{
2+
"name": "@vitejs/parent",
3+
"type": "module",
4+
"main": "./index.ts",
5+
"dependencies": {
6+
"@vitejs/child": "link:../child"
7+
}
8+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,73 @@
1+
import { resolve } from 'node:path'
2+
import { describe, expect, test } from 'vitest'
3+
import { loadConfigFromFile } from 'vite'
4+
import { runnerImport } from '../ssr/runnerImport'
5+
import { slash } from '../../shared/utils'
6+
7+
describe('importing files using inlined environment', () => {
8+
const fixture = (name: string) =>
9+
resolve(import.meta.dirname, './fixtures/runner-import', name)
10+
11+
test('importing a basic file works', async () => {
12+
const { module } = await runnerImport<
13+
typeof import('./fixtures/runner-import/basic')
14+
>(fixture('basic'))
15+
expect(module.test).toEqual({
16+
field: true,
17+
})
18+
})
19+
20+
test("cannot import cjs, 'runnerImport' doesn't support CJS syntax at all", async () => {
21+
await expect(() =>
22+
runnerImport<typeof import('./fixtures/runner-import/basic')>(
23+
fixture('cjs.js'),
24+
),
25+
).rejects.toThrow('module is not defined')
26+
})
27+
28+
test('can import vite config', async () => {
29+
const { module, dependencies } = await runnerImport<
30+
typeof import('./fixtures/runner-import/vite.config')
31+
>(fixture('vite.config'))
32+
expect(module.default).toEqual({
33+
root: './test',
34+
plugins: [
35+
{
36+
name: 'test',
37+
},
38+
],
39+
})
40+
expect(dependencies).toEqual([slash(fixture('plugin.ts'))])
41+
})
42+
43+
test('can import vite config that imports a TS external module', async () => {
44+
const { module, dependencies } = await runnerImport<
45+
typeof import('./fixtures/runner-import/vite.config.outside-pkg-import.mjs')
46+
>(fixture('vite.config.outside-pkg-import.mts'))
47+
48+
expect(module.default.__injected).toBe(true)
49+
expect(dependencies).toEqual([
50+
slash(resolve(import.meta.dirname, './packages/parent/index.ts')),
51+
])
52+
53+
// confirm that it fails with a bundle approach
54+
await expect(async () => {
55+
const root = resolve(import.meta.dirname, './fixtures/runner-import')
56+
await loadConfigFromFile(
57+
{ mode: 'production', command: 'serve' },
58+
resolve(root, './vite.config.outside-pkg-import.mts'),
59+
root,
60+
'silent',
61+
)
62+
}).rejects.toThrow('Unknown file extension ".ts"')
63+
})
64+
65+
test('dynamic import', async () => {
66+
const { module } = await runnerImport<any>(fixture('dynamic-import.ts'))
67+
await expect(() => module.default()).rejects.toMatchInlineSnapshot(
68+
`[Error: Vite module runner has been closed.]`,
69+
)
70+
// const dep = await module.default();
71+
// expect(dep.default).toMatchInlineSnapshot(`"ok"`)
72+
})
73+
})

packages/vite/src/node/cli.ts

+10
Original file line numberDiff line numberDiff line change
@@ -23,6 +23,7 @@ interface GlobalCLIOptions {
2323
l?: LogLevel
2424
logLevel?: LogLevel
2525
clearScreen?: boolean
26+
configLoader?: 'bundle' | 'runner'
2627
d?: boolean | string
2728
debug?: boolean | string
2829
f?: string
@@ -87,6 +88,7 @@ function cleanGlobalCLIOptions<Options extends GlobalCLIOptions>(
8788
delete ret.l
8889
delete ret.logLevel
8990
delete ret.clearScreen
91+
delete ret.configLoader
9092
delete ret.d
9193
delete ret.debug
9294
delete ret.f
@@ -151,6 +153,10 @@ cli
151153
})
152154
.option('-l, --logLevel <level>', `[string] info | warn | error | silent`)
153155
.option('--clearScreen', `[boolean] allow/disable clear screen when logging`)
156+
.option(
157+
'--configLoader <loader>',
158+
`[string] use 'bundle' to bundle the config with esbuild or 'runner' (experimental) to process it on the fly (default: bundle)`,
159+
)
154160
.option('-d, --debug [feat]', `[string | boolean] show debug logs`)
155161
.option('-f, --filter <filter>', `[string] filter debug logs`)
156162
.option('-m, --mode <mode>', `[string] set env mode`)
@@ -180,6 +186,7 @@ cli
180186
base: options.base,
181187
mode: options.mode,
182188
configFile: options.config,
189+
configLoader: options.configLoader,
183190
logLevel: options.logLevel,
184191
clearScreen: options.clearScreen,
185192
optimizeDeps: { force: options.force },
@@ -304,6 +311,7 @@ cli
304311
base: options.base,
305312
mode: options.mode,
306313
configFile: options.config,
314+
configLoader: options.configLoader,
307315
logLevel: options.logLevel,
308316
clearScreen: options.clearScreen,
309317
build: buildOptions,
@@ -340,6 +348,7 @@ cli
340348
root,
341349
base: options.base,
342350
configFile: options.config,
351+
configLoader: options.configLoader,
343352
logLevel: options.logLevel,
344353
mode: options.mode,
345354
},
@@ -382,6 +391,7 @@ cli
382391
root,
383392
base: options.base,
384393
configFile: options.config,
394+
configLoader: options.configLoader,
385395
logLevel: options.logLevel,
386396
mode: options.mode,
387397
build: {

packages/vite/src/node/config.ts

+55-22
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,16 @@
11
import fs from 'node:fs'
2-
import fsp from 'node:fs/promises'
32
import path from 'node:path'
3+
import fsp from 'node:fs/promises'
44
import { pathToFileURL } from 'node:url'
55
import { promisify } from 'node:util'
66
import { performance } from 'node:perf_hooks'
77
import { createRequire } from 'node:module'
88
import crypto from 'node:crypto'
99
import colors from 'picocolors'
1010
import type { Alias, AliasOptions } from 'dep-types/alias'
11-
import { build } from 'esbuild'
1211
import type { RollupOptions } from 'rollup'
1312
import picomatch from 'picomatch'
13+
import { build } from 'esbuild'
1414
import type { AnymatchFn } from '../types/anymatch'
1515
import { withTrailingSlash } from '../shared/utils'
1616
import {
@@ -83,12 +83,12 @@ import {
8383
resolvePlugins,
8484
} from './plugins'
8585
import type { ESBuildOptions } from './plugins/esbuild'
86-
import type {
87-
EnvironmentResolveOptions,
88-
InternalResolveOptions,
89-
ResolveOptions,
86+
import {
87+
type EnvironmentResolveOptions,
88+
type InternalResolveOptions,
89+
type ResolveOptions,
90+
tryNodeResolve,
9091
} from './plugins/resolve'
91-
import { tryNodeResolve } from './plugins/resolve'
9292
import type { LogLevel, Logger } from './logger'
9393
import { createLogger } from './logger'
9494
import type { DepOptimizationOptions } from './optimizer'
@@ -100,6 +100,7 @@ import type { ResolvedSSROptions, SSROptions } from './ssr'
100100
import { resolveSSROptions, ssrConfigDefaults } from './ssr'
101101
import { PartialEnvironment } from './baseEnvironment'
102102
import { createIdResolver } from './idResolver'
103+
import { runnerImport } from './ssr/runnerImport'
103104
import { getAdditionalAllowedHosts } from './server/middlewares/hostCheck'
104105

105106
const debug = createDebugger('vite:config', { depth: 10 })
@@ -543,6 +544,8 @@ export interface ResolvedWorkerOptions {
543544

544545
export interface InlineConfig extends UserConfig {
545546
configFile?: string | false
547+
/** @experimental */
548+
configLoader?: 'bundle' | 'runner'
546549
envFile?: false
547550
}
548551

@@ -1024,6 +1027,7 @@ export async function resolveConfig(
10241027
config.root,
10251028
config.logLevel,
10261029
config.customLogger,
1030+
config.configLoader,
10271031
)
10281032
if (loadResult) {
10291033
config = mergeConfig(loadResult.config, config)
@@ -1680,11 +1684,18 @@ export async function loadConfigFromFile(
16801684
configRoot: string = process.cwd(),
16811685
logLevel?: LogLevel,
16821686
customLogger?: Logger,
1687+
configLoader: 'bundle' | 'runner' = 'bundle',
16831688
): Promise<{
16841689
path: string
16851690
config: UserConfig
16861691
dependencies: string[]
16871692
} | null> {
1693+
if (configLoader !== 'bundle' && configLoader !== 'runner') {
1694+
throw new Error(
1695+
`Unsupported configLoader: ${configLoader}. Accepted values are 'bundle' and 'runner'.`,
1696+
)
1697+
}
1698+
16881699
const start = performance.now()
16891700
const getTime = () => `${(performance.now() - start).toFixed(2)}ms`
16901701

@@ -1710,28 +1721,23 @@ export async function loadConfigFromFile(
17101721
return null
17111722
}
17121723

1713-
const isESM =
1714-
typeof process.versions.deno === 'string' || isFilePathESM(resolvedPath)
1715-
17161724
try {
1717-
const bundled = await bundleConfigFile(resolvedPath, isESM)
1718-
const userConfig = await loadConfigFromBundledFile(
1719-
resolvedPath,
1720-
bundled.code,
1721-
isESM,
1722-
)
1723-
debug?.(`bundled config file loaded in ${getTime()}`)
1724-
1725-
const config = await (typeof userConfig === 'function'
1726-
? userConfig(configEnv)
1727-
: userConfig)
1725+
const resolver =
1726+
configLoader === 'bundle' ? bundleAndLoadConfigFile : importConfigFile
1727+
const { configExport, dependencies } = await resolver(resolvedPath)
1728+
debug?.(`config file loaded in ${getTime()}`)
1729+
1730+
const config = await (typeof configExport === 'function'
1731+
? configExport(configEnv)
1732+
: configExport)
17281733
if (!isObject(config)) {
17291734
throw new Error(`config must export or return an object.`)
17301735
}
1736+
17311737
return {
17321738
path: normalizePath(resolvedPath),
17331739
config,
1734-
dependencies: bundled.dependencies,
1740+
dependencies,
17351741
}
17361742
} catch (e) {
17371743
createLogger(logLevel, { customLogger }).error(
@@ -1744,6 +1750,33 @@ export async function loadConfigFromFile(
17441750
}
17451751
}
17461752

1753+
async function importConfigFile(resolvedPath: string) {
1754+
const { module, dependencies } = await runnerImport<{
1755+
default: UserConfigExport
1756+
}>(resolvedPath)
1757+
return {
1758+
configExport: module.default,
1759+
dependencies,
1760+
}
1761+
}
1762+
1763+
async function bundleAndLoadConfigFile(resolvedPath: string) {
1764+
const isESM =
1765+
typeof process.versions.deno === 'string' || isFilePathESM(resolvedPath)
1766+
1767+
const bundled = await bundleConfigFile(resolvedPath, isESM)
1768+
const userConfig = await loadConfigFromBundledFile(
1769+
resolvedPath,
1770+
bundled.code,
1771+
isESM,
1772+
)
1773+
1774+
return {
1775+
configExport: userConfig,
1776+
dependencies: bundled.dependencies,
1777+
}
1778+
}
1779+
17471780
async function bundleConfigFile(
17481781
fileName: string,
17491782
isESM: boolean,

packages/vite/src/node/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,7 @@ export {
3131
DevEnvironment,
3232
type DevEnvironmentContext,
3333
} from './server/environment'
34+
export { runnerImport } from './ssr/runnerImport'
3435
export { BuildEnvironment } from './build'
3536

3637
export { fetchModule, type FetchModuleOptions } from './ssr/fetchModule'

0 commit comments

Comments
 (0)