Skip to content

Commit 09648c2

Browse files
authoredMay 18, 2022
feat!: relative base (#7644)
1 parent 04046ea commit 09648c2

29 files changed

+768
-102
lines changed
 

‎packages/plugin-legacy/src/index.ts

+5-5
Original file line numberDiff line numberDiff line change
@@ -37,9 +37,9 @@ const legacyPolyfillId = 'vite-legacy-polyfill'
3737
const legacyEntryId = 'vite-legacy-entry'
3838
const systemJSInlineCode = `System.import(document.getElementById('${legacyEntryId}').getAttribute('data-src'))`
3939

40-
const detectDynamicImportVarName = '__vite_is_dynamic_import_support'
41-
const detectDynamicImportCode = `try{import("_").catch(()=>1);}catch(e){}window.${detectDynamicImportVarName}=true;`
42-
const dynamicFallbackInlineCode = `!function(){if(window.${detectDynamicImportVarName})return;console.warn("vite: loading legacy build because dynamic import is unsupported, syntax error above should be ignored");var e=document.getElementById("${legacyPolyfillId}"),n=document.createElement("script");n.src=e.src,n.onload=function(){${systemJSInlineCode}},document.body.appendChild(n)}();`
40+
const detectModernBrowserVarName = '__vite_is_modern_browser'
41+
const detectModernBrowserCode = `try{import(new URL(import.meta.url).href).catch(()=>1);}catch(e){}window.${detectModernBrowserVarName}=true;`
42+
const dynamicFallbackInlineCode = `!function(){if(window.${detectModernBrowserVarName})return;console.warn("vite: loading legacy build because dynamic import or import.meta.url is unsupported, syntax error above should be ignored");var e=document.getElementById("${legacyPolyfillId}"),n=document.createElement("script");n.src=e.src,n.onload=function(){${systemJSInlineCode}},document.body.appendChild(n)}();`
4343

4444
const forceDynamicImportUsage = `export function __vite_legacy_guard(){import('data:text/javascript,')};`
4545

@@ -438,7 +438,7 @@ function viteLegacyPlugin(options: Options = {}): Plugin[] {
438438
tags.push({
439439
tag: 'script',
440440
attrs: { type: 'module' },
441-
children: detectDynamicImportCode,
441+
children: detectModernBrowserCode,
442442
injectTo: 'head'
443443
})
444444
tags.push({
@@ -686,7 +686,7 @@ function wrapIIFEBabelPlugin(): BabelPlugin {
686686
export const cspHashes = [
687687
createHash('sha256').update(safari10NoModuleFix).digest('base64'),
688688
createHash('sha256').update(systemJSInlineCode).digest('base64'),
689-
createHash('sha256').update(detectDynamicImportCode).digest('base64'),
689+
createHash('sha256').update(detectModernBrowserCode).digest('base64'),
690690
createHash('sha256').update(dynamicFallbackInlineCode).digest('base64')
691691
]
692692

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

+2-2
Original file line numberDiff line numberDiff line change
@@ -245,11 +245,11 @@ export function resolveBuildOptions(raw?: BuildOptions): ResolvedBuildOptions {
245245
// Support browserslist
246246
// "defaults and supports es6-module and supports es6-module-dynamic-import",
247247
resolved.target = [
248-
'es2019',
248+
'es2020', // support import.meta.url
249249
'edge88',
250250
'firefox78',
251251
'chrome87',
252-
'safari13.1'
252+
'safari13' // transpile nullish coalescing
253253
]
254254
} else if (resolved.target === 'esnext' && resolved.minify === 'terser') {
255255
// esnext + terser: limit to es2019 so it can be minified by terser

‎packages/vite/src/node/plugins/asset.ts

+57-6
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@ import type { OutputOptions, PluginContext } from 'rollup'
66
import MagicString from 'magic-string'
77
import type { Plugin } from '../plugin'
88
import type { ResolvedConfig } from '../config'
9-
import { cleanUrl, getHash, normalizePath } from '../utils'
9+
import { cleanUrl, getHash, isRelativeBase, normalizePath } from '../utils'
1010
import { FS_PREFIX } from '../constants'
1111

1212
export const assetUrlRE = /__VITE_ASSET__([a-z\d]{8})__(?:\$_(.*?)__)?/g
@@ -29,6 +29,7 @@ const emittedHashMap = new WeakMap<ResolvedConfig, Set<string>>()
2929
export function assetPlugin(config: ResolvedConfig): Plugin {
3030
// assetHashToFilenameMap initialization in buildStart causes getAssetFilename to return undefined
3131
assetHashToFilenameMap.set(config, new Map())
32+
const relativeBase = isRelativeBase(config.base)
3233

3334
// add own dictionary entry by directly assigning mrmine
3435
// https://github.com/lukeed/mrmime/issues/3
@@ -82,8 +83,13 @@ export function assetPlugin(config: ResolvedConfig): Plugin {
8283
let match: RegExpExecArray | null
8384
let s: MagicString | undefined
8485

86+
const absoluteUrlPathInterpolation = (filename: string) =>
87+
`"+new URL(${JSON.stringify(
88+
path.posix.relative(path.dirname(chunk.fileName), filename)
89+
)},import.meta.url).href+"`
90+
8591
// Urls added with JS using e.g.
86-
// imgElement.src = "my/file.png" are using quotes
92+
// imgElement.src = "__VITE_ASSET__5aa0ddc0__" are using quotes
8793

8894
// Urls added in CSS that is imported in JS end up like
8995
// var inlined = ".inlined{color:green;background:url(__VITE_ASSET__5aa0ddc0__)}\n";
@@ -94,15 +100,33 @@ export function assetPlugin(config: ResolvedConfig): Plugin {
94100
s = s || (s = new MagicString(code))
95101
const [full, hash, postfix = ''] = match
96102
// some internal plugins may still need to emit chunks (e.g. worker) so
97-
// fallback to this.getFileName for that.
103+
// fallback to this.getFileName for that. TODO: remove, not needed
98104
const file = getAssetFilename(hash, config) || this.getFileName(hash)
99105
chunk.viteMetadata.importedAssets.add(cleanUrl(file))
100-
const outputFilepath = config.base + file + postfix
106+
const filename = file + postfix
107+
const outputFilepath = relativeBase
108+
? absoluteUrlPathInterpolation(filename)
109+
: JSON.stringify(config.base + filename).slice(1, -1)
101110
s.overwrite(match.index, match.index + full.length, outputFilepath, {
102111
contentOnly: true
103112
})
104113
}
105114

115+
// Replace __VITE_PUBLIC_ASSET__5aa0ddc0__ with absolute paths
116+
117+
if (relativeBase) {
118+
const publicAssetUrlMap = publicAssetUrlCache.get(config)!
119+
while ((match = publicAssetUrlRE.exec(code))) {
120+
s = s || (s = new MagicString(code))
121+
const [full, hash] = match
122+
const publicUrl = publicAssetUrlMap.get(hash)!
123+
const replacement = absoluteUrlPathInterpolation(publicUrl.slice(1))
124+
s.overwrite(match.index, match.index + full.length, replacement, {
125+
contentOnly: true
126+
})
127+
}
128+
}
129+
106130
if (s) {
107131
return {
108132
code: s.toString(),
@@ -258,6 +282,33 @@ export function assetFileNamesToFileName(
258282
return fileName
259283
}
260284

285+
export const publicAssetUrlCache = new WeakMap<
286+
ResolvedConfig,
287+
// hash -> url
288+
Map<string, string>
289+
>()
290+
291+
export const publicAssetUrlRE = /__VITE_PUBLIC_ASSET__([a-z\d]{8})__/g
292+
293+
export function publicFileToBuiltUrl(
294+
url: string,
295+
config: ResolvedConfig
296+
): string {
297+
if (!isRelativeBase(config.base)) {
298+
return config.base + url.slice(1)
299+
}
300+
const hash = getHash(url)
301+
let cache = publicAssetUrlCache.get(config)
302+
if (!cache) {
303+
cache = new Map<string, string>()
304+
publicAssetUrlCache.set(config, cache)
305+
}
306+
if (!cache.get(hash)) {
307+
cache.set(hash, url)
308+
}
309+
return `__VITE_PUBLIC_ASSET__${hash}__`
310+
}
311+
261312
/**
262313
* Register an asset to be emitted as part of the bundle (if necessary)
263314
* and returns the resolved public URL
@@ -269,7 +320,7 @@ async function fileToBuiltUrl(
269320
skipPublicCheck = false
270321
): Promise<string> {
271322
if (!skipPublicCheck && checkPublicFile(id, config)) {
272-
return config.base + id.slice(1)
323+
return publicFileToBuiltUrl(id, config)
273324
}
274325

275326
const cache = assetCache.get(config)!
@@ -342,7 +393,7 @@ export async function urlToBuiltUrl(
342393
pluginContext: PluginContext
343394
): Promise<string> {
344395
if (checkPublicFile(url, config)) {
345-
return config.base + url.slice(1)
396+
return publicFileToBuiltUrl(url, config)
346397
}
347398
const file = url.startsWith('/')
348399
? path.join(config.root, url)

‎packages/vite/src/node/plugins/assetImportMetaUrl.ts

+2
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@ import { stripLiteral } from 'strip-literal'
44
import type { Plugin } from '../plugin'
55
import type { ResolvedConfig } from '../config'
66
import { fileToUrl } from './asset'
7+
import { preloadHelperId } from './importAnalysisBuild'
78

89
/**
910
* Convert `new URL('./foo.png', import.meta.url)` to its resolved built URL
@@ -21,6 +22,7 @@ export function assetImportMetaUrlPlugin(config: ResolvedConfig): Plugin {
2122
async transform(code, id, options) {
2223
if (
2324
!options?.ssr &&
25+
id !== preloadHelperId &&
2426
code.includes('new URL') &&
2527
code.includes(`import.meta.url`)
2628
) {

‎packages/vite/src/node/plugins/css.ts

+83-41
Original file line numberDiff line numberDiff line change
@@ -38,6 +38,7 @@ import {
3838
isDataUrl,
3939
isExternalUrl,
4040
isObject,
41+
isRelativeBase,
4142
normalizePath,
4243
parseRequest,
4344
processSrcSet
@@ -48,7 +49,10 @@ import {
4849
assetUrlRE,
4950
checkPublicFile,
5051
fileToUrl,
51-
getAssetFilename
52+
getAssetFilename,
53+
publicAssetUrlCache,
54+
publicAssetUrlRE,
55+
publicFileToBuiltUrl
5256
} from './asset'
5357

5458
// const debug = createDebugger('vite:css')
@@ -106,6 +110,8 @@ const inlineCSSRE = /(\?|&)inline-css\b/
106110
const usedRE = /(\?|&)used\b/
107111
const varRE = /^var\(/i
108112

113+
const cssBundleName = 'style.css'
114+
109115
const enum PreprocessLang {
110116
less = 'less',
111117
sass = 'sass',
@@ -183,7 +189,11 @@ export function cssPlugin(config: ResolvedConfig): Plugin {
183189

184190
const urlReplacer: CssUrlReplacer = async (url, importer) => {
185191
if (checkPublicFile(url, config)) {
186-
return config.base + url.slice(1)
192+
if (isRelativeBase(config.base)) {
193+
return publicFileToBuiltUrl(url, config)
194+
} else {
195+
return config.base + url.slice(1)
196+
}
187197
}
188198
const resolved = await resolveUrl(url, importer)
189199
if (resolved) {
@@ -283,6 +293,30 @@ export function cssPostPlugin(config: ResolvedConfig): Plugin {
283293
let outputToExtractedCSSMap: Map<NormalizedOutputOptions, string>
284294
let hasEmitted = false
285295

296+
const relativeBase = isRelativeBase(config.base)
297+
298+
const rollupOptionsOutput = config.build.rollupOptions.output
299+
const assetFileNames = (
300+
Array.isArray(rollupOptionsOutput)
301+
? rollupOptionsOutput[0]
302+
: rollupOptionsOutput
303+
)?.assetFileNames
304+
const getCssAssetDirname = (cssAssetName: string) => {
305+
if (!assetFileNames) {
306+
return config.build.assetsDir
307+
} else if (typeof assetFileNames === 'string') {
308+
return path.dirname(assetFileNames)
309+
} else {
310+
return path.dirname(
311+
assetFileNames({
312+
name: cssAssetName,
313+
type: 'asset',
314+
source: '/* vite internal call, ignore */'
315+
})
316+
)
317+
}
318+
}
319+
286320
return {
287321
name: 'vite:css-post',
288322

@@ -415,35 +449,42 @@ export function cssPostPlugin(config: ResolvedConfig): Plugin {
415449
return null
416450
}
417451

418-
// resolve asset URL placeholders to their built file URLs and perform
419-
// minification if necessary
420-
const processChunkCSS = async (
421-
css: string,
422-
{
423-
inlined,
424-
minify
425-
}: {
426-
inlined: boolean
427-
minify: boolean
428-
}
429-
) => {
452+
const publicAssetUrlMap = publicAssetUrlCache.get(config)!
453+
454+
// resolve asset URL placeholders to their built file URLs
455+
function resolveAssetUrlsInCss(chunkCSS: string, cssAssetName: string) {
456+
const cssAssetDirname = relativeBase
457+
? getCssAssetDirname(cssAssetName)
458+
: undefined
459+
430460
// replace asset url references with resolved url.
431-
const isRelativeBase = config.base === '' || config.base.startsWith('.')
432-
css = css.replace(assetUrlRE, (_, fileHash, postfix = '') => {
461+
chunkCSS = chunkCSS.replace(assetUrlRE, (_, fileHash, postfix = '') => {
433462
const filename = getAssetFilename(fileHash, config) + postfix
434463
chunk.viteMetadata.importedAssets.add(cleanUrl(filename))
435-
if (!isRelativeBase || inlined) {
436-
// absolute base or relative base but inlined (injected as style tag into
437-
// index.html) use the base as-is
438-
return config.base + filename
464+
if (relativeBase) {
465+
// relative base + extracted CSS
466+
const relativePath = path.posix.relative(cssAssetDirname!, filename)
467+
return relativePath.startsWith('.')
468+
? relativePath
469+
: './' + relativePath
439470
} else {
440-
// relative base + extracted CSS - asset file will be in the same dir
441-
return `./${path.posix.basename(filename)}`
471+
// absolute base
472+
return config.base + filename
442473
}
443474
})
444-
// only external @imports and @charset should exist at this point
445-
css = await finalizeCss(css, minify, config)
446-
return css
475+
// resolve public URL from CSS paths
476+
if (relativeBase) {
477+
const relativePathToPublicFromCSS = path.posix.relative(
478+
cssAssetDirname!,
479+
''
480+
)
481+
chunkCSS = chunkCSS.replace(
482+
publicAssetUrlRE,
483+
(_, hash) =>
484+
relativePathToPublicFromCSS + publicAssetUrlMap.get(hash)!
485+
)
486+
}
487+
return chunkCSS
447488
}
448489

449490
if (config.build.cssCodeSplit) {
@@ -456,23 +497,25 @@ export function cssPostPlugin(config: ResolvedConfig): Plugin {
456497
opts.format === 'cjs' ||
457498
opts.format === 'system'
458499
) {
459-
chunkCSS = await processChunkCSS(chunkCSS, {
460-
inlined: false,
461-
minify: true
462-
})
500+
const cssAssetName = chunk.name + '.css'
501+
502+
chunkCSS = resolveAssetUrlsInCss(chunkCSS, cssAssetName)
503+
chunkCSS = await finalizeCss(chunkCSS, true, config)
504+
463505
// emit corresponding css file
464506
const fileHandle = this.emitFile({
465-
name: chunk.name + '.css',
507+
name: cssAssetName,
466508
type: 'asset',
467509
source: chunkCSS
468510
})
469511
chunk.viteMetadata.importedCss.add(this.getFileName(fileHandle))
470512
} else if (!config.build.ssr) {
471-
// legacy build, inline css
472-
chunkCSS = await processChunkCSS(chunkCSS, {
473-
inlined: true,
474-
minify: true
475-
})
513+
// legacy build and inline css
514+
515+
// __VITE_ASSET__ and __VITE_PUBLIC_ASSET__ urls are processed by
516+
// the vite:asset plugin, don't call resolveAssetUrlsInCss here
517+
chunkCSS = await finalizeCss(chunkCSS, true, config)
518+
476519
const style = `__vite_style__`
477520
const injectCode =
478521
`var ${style} = document.createElement('style');` +
@@ -481,6 +524,7 @@ export function cssPostPlugin(config: ResolvedConfig): Plugin {
481524
if (config.build.sourcemap) {
482525
const s = new MagicString(code)
483526
s.prepend(injectCode)
527+
// resolve public URL from CSS paths, we need to use absolute paths
484528
return {
485529
code: s.toString(),
486530
map: s.generateMap({ hires: true })
@@ -490,11 +534,9 @@ export function cssPostPlugin(config: ResolvedConfig): Plugin {
490534
}
491535
}
492536
} else {
493-
// non-split extracted CSS will be minified together
494-
chunkCSS = await processChunkCSS(chunkCSS, {
495-
inlined: false,
496-
minify: false
497-
})
537+
chunkCSS = resolveAssetUrlsInCss(chunkCSS, cssBundleName)
538+
// finalizeCss is called for the aggregated chunk in generateBundle
539+
498540
outputToExtractedCSSMap.set(
499541
opts,
500542
(outputToExtractedCSSMap.get(opts) || '') + chunkCSS
@@ -558,7 +600,7 @@ export function cssPostPlugin(config: ResolvedConfig): Plugin {
558600
hasEmitted = true
559601
extractedCss = await finalizeCss(extractedCss, true, config)
560602
this.emitFile({
561-
name: 'style.css',
603+
name: cssBundleName,
562604
type: 'asset',
563605
source: extractedCss
564606
})

‎packages/vite/src/node/plugins/html.ts

+44-17
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,7 @@ import {
2424
getHash,
2525
isDataUrl,
2626
isExternalUrl,
27+
isRelativeBase,
2728
normalizePath,
2829
processSrcSet,
2930
slash
@@ -236,7 +237,10 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
236237

237238
async transform(html, id) {
238239
if (id.endsWith('.html')) {
239-
const publicPath = `/${slash(path.relative(config.root, id))}`
240+
const relativeUrlPath = slash(path.relative(config.root, id))
241+
const publicPath = `/${relativeUrlPath}`
242+
const publicBase = getPublicBase(relativeUrlPath, config)
243+
240244
// pre-transform
241245
html = await applyHtmlTransforms(html, preHooks, {
242246
path: publicPath,
@@ -272,7 +276,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
272276
s.overwrite(
273277
src!.value!.loc.start.offset,
274278
src!.value!.loc.end.offset,
275-
`"${config.base + url.slice(1)}"`,
279+
`"${normalizePublicPath(url, publicBase)}"`,
276280
{ contentOnly: true }
277281
)
278282
}
@@ -354,7 +358,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
354358
s.overwrite(
355359
p.value.loc.start.offset,
356360
p.value.loc.end.offset,
357-
`"${config.base + url.slice(1)}"`,
361+
`"${normalizePublicPath(url, publicBase)}"`,
358362
{ contentOnly: true }
359363
)
360364
}
@@ -470,7 +474,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
470474
{ contentOnly: true }
471475
)
472476
} else if (checkPublicFile(url, config)) {
473-
s.overwrite(start, end, config.base + url.slice(1), {
477+
s.overwrite(start, end, normalizePublicPath(url, publicBase), {
474478
contentOnly: true
475479
})
476480
}
@@ -531,28 +535,33 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
531535

532536
const toScriptTag = (
533537
chunk: OutputChunk,
538+
publicBase: string,
534539
isAsync: boolean
535540
): HtmlTagDescriptor => ({
536541
tag: 'script',
537542
attrs: {
538543
...(isAsync ? { async: true } : {}),
539544
type: 'module',
540545
crossorigin: true,
541-
src: toPublicPath(chunk.fileName, config)
546+
src: toPublicPath(chunk.fileName, publicBase)
542547
}
543548
})
544549

545-
const toPreloadTag = (chunk: OutputChunk): HtmlTagDescriptor => ({
550+
const toPreloadTag = (
551+
chunk: OutputChunk,
552+
publicBase: string
553+
): HtmlTagDescriptor => ({
546554
tag: 'link',
547555
attrs: {
548556
rel: 'modulepreload',
549557
crossorigin: true,
550-
href: toPublicPath(chunk.fileName, config)
558+
href: toPublicPath(chunk.fileName, publicBase)
551559
}
552560
})
553561

554562
const getCssTagsForChunk = (
555563
chunk: OutputChunk,
564+
publicBase: string,
556565
seen: Set<string> = new Set()
557566
): HtmlTagDescriptor[] => {
558567
const tags: HtmlTagDescriptor[] = []
@@ -561,7 +570,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
561570
chunk.imports.forEach((file) => {
562571
const importee = bundle[file]
563572
if (importee?.type === 'chunk') {
564-
tags.push(...getCssTagsForChunk(importee, seen))
573+
tags.push(...getCssTagsForChunk(importee, publicBase, seen))
565574
}
566575
})
567576
}
@@ -573,7 +582,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
573582
tag: 'link',
574583
attrs: {
575584
rel: 'stylesheet',
576-
href: toPublicPath(file, config)
585+
href: toPublicPath(file, publicBase)
577586
}
578587
})
579588
}
@@ -583,6 +592,9 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
583592
}
584593

585594
for (const [id, html] of processedHtml) {
595+
const relativeUrlPath = path.posix.relative(config.root, id)
596+
const publicBase = getPublicBase(relativeUrlPath, config)
597+
586598
const isAsync = isAsyncScriptMap.get(config)!.get(id)!
587599

588600
let result = html
@@ -610,10 +622,13 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
610622
// when inlined, discard entry chunk and inject <script> for everything in post-order
611623
const imports = getImportedChunks(chunk)
612624
const assetTags = canInlineEntry
613-
? imports.map((chunk) => toScriptTag(chunk, isAsync))
614-
: [toScriptTag(chunk, isAsync), ...imports.map(toPreloadTag)]
625+
? imports.map((chunk) => toScriptTag(chunk, publicBase, isAsync))
626+
: [
627+
toScriptTag(chunk, publicBase, isAsync),
628+
...imports.map((i) => toPreloadTag(i, publicBase))
629+
]
615630

616-
assetTags.push(...getCssTagsForChunk(chunk))
631+
assetTags.push(...getCssTagsForChunk(chunk, publicBase))
617632

618633
result = injectToHead(result, assetTags)
619634
}
@@ -629,7 +644,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
629644
tag: 'link',
630645
attrs: {
631646
rel: 'stylesheet',
632-
href: toPublicPath(cssChunk.fileName, config)
647+
href: toPublicPath(cssChunk.fileName, publicBase)
633648
}
634649
}
635650
])
@@ -653,7 +668,6 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
653668
if (s) {
654669
result = s.toString()
655670
}
656-
const relativeUrlPath = path.posix.relative(config.root, id)
657671
result = await applyHtmlTransforms(result, postHooks, {
658672
path: '/' + relativeUrlPath,
659673
filename: id,
@@ -662,7 +676,7 @@ export function buildHtmlPlugin(config: ResolvedConfig): Plugin {
662676
})
663677
// resolve asset url references
664678
result = result.replace(assetUrlRE, (_, fileHash, postfix = '') => {
665-
return config.base + getAssetFilename(fileHash, config) + postfix
679+
return publicBase + getAssetFilename(fileHash, config) + postfix
666680
})
667681

668682
if (chunk && canInlineEntry) {
@@ -812,8 +826,21 @@ function isEntirelyImport(code: string) {
812826
return !code.replace(importRE, '').replace(commentRE, '').trim().length
813827
}
814828

815-
function toPublicPath(filename: string, config: ResolvedConfig) {
816-
return isExternalUrl(filename) ? filename : config.base + filename
829+
function getPublicBase(urlRelativePath: string, config: ResolvedConfig) {
830+
return isRelativeBase(config.base)
831+
? path.posix.join(
832+
path.posix.relative(urlRelativePath, '').slice(0, -2),
833+
'./'
834+
)
835+
: config.base
836+
}
837+
838+
function toPublicPath(filename: string, publicBase: string) {
839+
return isExternalUrl(filename) ? filename : publicBase + filename
840+
}
841+
842+
function normalizePublicPath(publicPath: string, publicBase: string) {
843+
return publicBase + publicPath.slice(1)
817844
}
818845

819846
const headInjectRE = /([ \t]*)<\/head>/i

‎packages/vite/src/node/plugins/importAnalysisBuild.ts

+30-10
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,7 @@ import type { ImportSpecifier } from 'es-module-lexer'
44
import { init, parse as parseImports } from 'es-module-lexer'
55
import type { OutputChunk, SourceMap } from 'rollup'
66
import type { RawSourceMap } from '@ampproject/remapping'
7-
import { bareImportRE, combineSourcemaps } from '../utils'
7+
import { bareImportRE, combineSourcemaps, isRelativeBase } from '../utils'
88
import type { Plugin } from '../plugin'
99
import type { ResolvedConfig } from '../config'
1010
import { genSourceMapUrl } from '../server/sourcemap'
@@ -20,7 +20,7 @@ export const preloadMethod = `__vitePreload`
2020
export const preloadMarker = `__VITE_PRELOAD__`
2121
export const preloadBaseMarker = `__VITE_PRELOAD_BASE__`
2222

23-
const preloadHelperId = 'vite/preload-helper'
23+
export const preloadHelperId = '\0vite/preload-helper'
2424
const preloadMarkerWithQuote = `"${preloadMarker}"` as const
2525

2626
const dynamicImportPrefixRE = /import\s*\(/
@@ -40,7 +40,11 @@ function detectScriptRel() {
4040
}
4141

4242
declare const scriptRel: string
43-
function preload(baseModule: () => Promise<{}>, deps?: string[]) {
43+
function preload(
44+
baseModule: () => Promise<{}>,
45+
deps?: string[],
46+
importerUrl?: string
47+
) {
4448
// @ts-ignore
4549
if (!__VITE_IS_MODERN__ || !deps || deps.length === 0) {
4650
return baseModule()
@@ -49,7 +53,7 @@ function preload(baseModule: () => Promise<{}>, deps?: string[]) {
4953
return Promise.all(
5054
deps.map((dep) => {
5155
// @ts-ignore
52-
dep = `${base}${dep}`
56+
dep = assetsURL(dep, importerUrl)
5357
// @ts-ignore
5458
if (dep in seen) return
5559
// @ts-ignore
@@ -91,10 +95,15 @@ export function buildImportAnalysisPlugin(config: ResolvedConfig): Plugin {
9195
const isWorker = config.isWorker
9296
const insertPreload = !(ssr || !!config.build.lib || isWorker)
9397

98+
const relativeBase = isRelativeBase(config.base)
99+
94100
const scriptRel = config.build.polyfillModulePreload
95101
? `'modulepreload'`
96102
: `(${detectScriptRel.toString()})()`
97-
const preloadCode = `const scriptRel = ${scriptRel};const seen = {};const base = '${preloadBaseMarker}';export const ${preloadMethod} = ${preload.toString()}`
103+
const assetsURL = relativeBase
104+
? `function(dep,importerUrl) { return new URL(dep, importerUrl).href }`
105+
: `function(dep) { return ${JSON.stringify(config.base)}+dep }`
106+
const preloadCode = `const scriptRel = ${scriptRel};const assetsURL = ${assetsURL};const seen = {};export const ${preloadMethod} = ${preload.toString()}`
98107

99108
return {
100109
name: 'vite:build-import-analysis',
@@ -107,7 +116,7 @@ export function buildImportAnalysisPlugin(config: ResolvedConfig): Plugin {
107116

108117
load(id) {
109118
if (id === preloadHelperId) {
110-
return preloadCode.replace(preloadBaseMarker, config.base)
119+
return preloadCode
111120
}
112121
},
113122

@@ -152,7 +161,9 @@ export function buildImportAnalysisPlugin(config: ResolvedConfig): Plugin {
152161
str().prependLeft(expStart, `${preloadMethod}(() => `)
153162
str().appendRight(
154163
expEnd,
155-
`,${isModernFlag}?"${preloadMarker}":void 0)`
164+
`,${isModernFlag}?"${preloadMarker}":void 0${
165+
relativeBase ? ',import.meta.url' : ''
166+
})`
156167
)
157168
}
158169

@@ -312,12 +323,21 @@ export function buildImportAnalysisPlugin(config: ResolvedConfig): Plugin {
312323
s.overwrite(
313324
markerStartPos,
314325
markerStartPos + preloadMarkerWithQuote.length,
315-
// the dep list includes the main chunk, so only need to
316-
// preload when there are actual other deps.
326+
// the dep list includes the main chunk, so only need to reload when there are
327+
// actual other deps. Don't include the assets dir if the default asset file names
328+
// are used, the path will be reconstructed by the import preload helper
317329
deps.size > 1 ||
318330
// main chunk is removed
319331
(hasRemovedPureCssChunk && deps.size > 0)
320-
? `[${[...deps].map((d) => JSON.stringify(d)).join(',')}]`
332+
? `[${[...deps]
333+
.map((d) =>
334+
JSON.stringify(
335+
relativeBase
336+
? path.relative(path.dirname(file), d)
337+
: d
338+
)
339+
)
340+
.join(',')}]`
321341
: `[]`,
322342
{ contentOnly: true }
323343
)

‎packages/vite/src/node/plugins/worker.ts

+74-8
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,15 @@
11
import path from 'path'
2+
import MagicString from 'magic-string'
23
import type { EmittedAsset, OutputChunk, TransformPluginContext } from 'rollup'
34
import type { ResolvedConfig } from '../config'
45
import type { Plugin } from '../plugin'
5-
import { cleanUrl, injectQuery, parseRequest } from '../utils'
6+
import {
7+
cleanUrl,
8+
getHash,
9+
injectQuery,
10+
isRelativeBase,
11+
parseRequest
12+
} from '../utils'
613
import { ENV_PUBLIC_PATH } from '../constants'
714
import { onRollupWarning } from '../build'
815
import { fileToUrl } from './asset'
@@ -13,8 +20,11 @@ interface WorkerCache {
1320

1421
// worker bundle don't deps on any more worker runtime info an id only had an result.
1522
// save worker bundled file id to avoid repeated execution of bundles
16-
// <input_filename, hash>
23+
// <input_filename, fileName>
1724
bundle: Map<string, string>
25+
26+
// <hash, fileName>
27+
fileNameHash: Map<string, string>
1828
}
1929

2030
const WorkerFileId = 'worker_file'
@@ -138,6 +148,20 @@ function emitSourcemapForWorkerEntry(
138148
return chunk
139149
}
140150

151+
export const workerAssetUrlRE = /__VITE_WORKER_ASSET__([a-z\d]{8})__/g
152+
153+
function encodeWorkerAssetFileName(
154+
fileName: string,
155+
workerCache: WorkerCache
156+
): string {
157+
const { fileNameHash } = workerCache
158+
const hash = getHash(fileName)
159+
if (!fileNameHash.get(hash)) {
160+
fileNameHash.set(hash, fileName)
161+
}
162+
return `__VITE_WORKER_ASSET__${hash}__`
163+
}
164+
141165
export async function workerFileToUrl(
142166
ctx: TransformPluginContext,
143167
config: ResolvedConfig,
@@ -156,7 +180,10 @@ export async function workerFileToUrl(
156180
})
157181
workerMap.bundle.set(id, fileName)
158182
}
159-
return config.base + fileName
183+
184+
return isRelativeBase(config.base)
185+
? encodeWorkerAssetFileName(fileName, workerMap)
186+
: config.base + fileName
160187
}
161188

162189
export function webWorkerPlugin(config: ResolvedConfig): Plugin {
@@ -171,7 +198,8 @@ export function webWorkerPlugin(config: ResolvedConfig): Plugin {
171198
}
172199
workerCache.set(config, {
173200
assets: new Map(),
174-
bundle: new Map()
201+
bundle: new Map(),
202+
fileNameHash: new Map()
175203
})
176204
},
177205

@@ -201,6 +229,7 @@ export function webWorkerPlugin(config: ResolvedConfig): Plugin {
201229
return
202230
}
203231

232+
// stringified url or `new URL(...)`
204233
let url: string
205234
if (isBuild) {
206235
if (query.inline != null) {
@@ -241,15 +270,51 @@ export function webWorkerPlugin(config: ResolvedConfig): Plugin {
241270
code: `export default function WorkerWrapper() {
242271
return new ${workerConstructor}(${JSON.stringify(
243272
url
244-
)}, ${JSON.stringify(workerOptions, null, 2)})
273+
)}, ${JSON.stringify(workerOptions)})
245274
}`,
246275
map: { mappings: '' } // Empty sourcemap to suppress Rollup warning
247276
}
248277
},
249278

250-
renderChunk(code) {
251-
if (config.isWorker && code.includes('import.meta.url')) {
252-
return code.replace('import.meta.url', 'self.location.href')
279+
renderChunk(code, chunk) {
280+
let s: MagicString
281+
const result = () => {
282+
return (
283+
s && {
284+
code: s.toString(),
285+
map: config.build.sourcemap ? s.generateMap({ hires: true }) : null
286+
}
287+
)
288+
}
289+
if (code.match(workerAssetUrlRE) || code.includes('import.meta.url')) {
290+
let match: RegExpExecArray | null
291+
s = new MagicString(code)
292+
293+
// Replace "__VITE_WORKER_ASSET__5aa0ddc0__" using relative paths
294+
const workerMap = workerCache.get(config.mainConfig || config)!
295+
const { fileNameHash } = workerMap
296+
297+
while ((match = workerAssetUrlRE.exec(code))) {
298+
const [full, hash] = match
299+
const filename = fileNameHash.get(hash)!
300+
let outputFilepath = path.posix.relative(
301+
path.dirname(chunk.fileName),
302+
filename
303+
)
304+
if (!outputFilepath.startsWith('.')) {
305+
outputFilepath = './' + outputFilepath
306+
}
307+
const replacement = JSON.stringify(outputFilepath).slice(1, -1)
308+
s.overwrite(match.index, match.index + full.length, replacement, {
309+
contentOnly: true
310+
})
311+
}
312+
313+
// TODO: check if this should be removed
314+
if (config.isWorker) {
315+
s = s.replace('import.meta.url', 'self.location.href')
316+
return result()
317+
}
253318
}
254319
if (!isWorker) {
255320
const workerMap = workerCache.get(config)!
@@ -258,6 +323,7 @@ export function webWorkerPlugin(config: ResolvedConfig): Plugin {
258323
workerMap.assets.delete(asset.fileName!)
259324
})
260325
}
326+
return result()
261327
}
262328
}
263329
}

‎packages/vite/src/node/plugins/workerImportMetaUrl.ts

+4-2
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@ import type { RollupError } from 'rollup'
55
import { stripLiteral } from 'strip-literal'
66
import type { ResolvedConfig } from '../config'
77
import type { Plugin } from '../plugin'
8-
import { cleanUrl, injectQuery, parseRequest } from '../utils'
8+
import { cleanUrl, injectQuery, normalizePath, parseRequest } from '../utils'
99
import { ENV_ENTRY, ENV_PUBLIC_PATH } from '../constants'
1010
import type { ViteDevServer } from '..'
1111
import { workerFileToUrl } from './worker'
@@ -143,7 +143,9 @@ export function workerImportMetaUrlPlugin(config: ResolvedConfig): Plugin {
143143
cleanString,
144144
index + allExp.length
145145
)
146-
const file = path.resolve(path.dirname(id), rawUrl.slice(1, -1))
146+
const file = normalizePath(
147+
path.resolve(path.dirname(id), rawUrl.slice(1, -1))
148+
)
147149
let url: string
148150
if (isBuild) {
149151
url = await workerFileToUrl(this, config, file, query)

‎packages/vite/src/node/server/middlewares/indexHtml.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -79,7 +79,7 @@ const processNodeUrl = (
7979
}
8080
}
8181
if (startsWithSingleSlashRE.test(url)) {
82-
// prefix with base
82+
// prefix with base (dev only, base is never relative)
8383
s.overwrite(
8484
node.value!.loc.start.offset,
8585
node.value!.loc.end.offset,
@@ -159,7 +159,7 @@ const devHtmlHook: IndexHtmlTransformHook = async (
159159
// add HTML Proxy to Map
160160
addToHTMLProxyCache(config, proxyCacheUrl, inlineModuleIndex, { code, map })
161161

162-
// inline js module. convert to src="proxy"
162+
// inline js module. convert to src="proxy" (dev only, base is never relative)
163163
const modulePath = `${proxyModuleUrl}?html-proxy&index=${inlineModuleIndex}.${ext}`
164164

165165
// invalidate the module so the newly cached contents will be served

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

+4
Original file line numberDiff line numberDiff line change
@@ -280,6 +280,10 @@ export function removeTimestampQuery(url: string): string {
280280
return url.replace(timestampRE, '').replace(trailingSeparatorRE, '')
281281
}
282282

283+
export function isRelativeBase(base: string): boolean {
284+
return base === '' || base.startsWith('.')
285+
}
286+
283287
export async function asyncReplace(
284288
input: string,
285289
re: RegExp,
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,235 @@
1+
import { describe, expect, test } from 'vitest'
2+
import {
3+
browserLogs,
4+
findAssetFile,
5+
getBg,
6+
getColor,
7+
isBuild,
8+
page
9+
} from '~utils'
10+
11+
const absoluteAssetMatch = isBuild
12+
? /http.*\/other-assets\/asset\.\w{8}\.png/
13+
: '/nested/asset.png'
14+
15+
// Asset URLs in CSS are relative to the same dir, the computed
16+
// style returns the absolute URL in the test
17+
const cssBgAssetMatch = absoluteAssetMatch
18+
19+
const iconMatch = `/icon.png`
20+
21+
const absoluteIconMatch = isBuild
22+
? /http.*\/icon\.\w{8}\.png/
23+
: '/nested/icon.png'
24+
25+
const absolutePublicIconMatch = isBuild ? /http.*\/icon\.png/ : '/icon.png'
26+
27+
test('should have no 404s', () => {
28+
browserLogs.forEach((msg) => {
29+
expect(msg).not.toMatch('404')
30+
})
31+
})
32+
33+
describe('raw references from /public', () => {
34+
test('load raw js from /public', async () => {
35+
expect(await page.textContent('.raw-js')).toMatch('[success]')
36+
})
37+
38+
test('load raw css from /public', async () => {
39+
expect(await getColor('.raw-css')).toBe('red')
40+
})
41+
})
42+
43+
test('import-expression from simple script', async () => {
44+
expect(await page.textContent('.import-expression')).toMatch(
45+
'[success][success]'
46+
)
47+
})
48+
49+
describe('asset imports from js', () => {
50+
test('relative', async () => {
51+
expect(await page.textContent('.asset-import-relative')).toMatch(
52+
cssBgAssetMatch
53+
)
54+
})
55+
56+
test('absolute', async () => {
57+
expect(await page.textContent('.asset-import-absolute')).toMatch(
58+
cssBgAssetMatch
59+
)
60+
})
61+
62+
test('from /public', async () => {
63+
expect(await page.textContent('.public-import')).toMatch(
64+
absolutePublicIconMatch
65+
)
66+
})
67+
})
68+
69+
describe('css url() references', () => {
70+
test('fonts', async () => {
71+
expect(
72+
await page.evaluate(() => {
73+
return (document as any).fonts.check('700 32px Inter')
74+
})
75+
).toBe(true)
76+
})
77+
78+
test('relative', async () => {
79+
const bg = await getBg('.css-url-relative')
80+
expect(bg).toMatch(cssBgAssetMatch)
81+
})
82+
83+
test('image-set relative', async () => {
84+
const imageSet = await getBg('.css-image-set-relative')
85+
imageSet.split(', ').forEach((s) => {
86+
expect(s).toMatch(cssBgAssetMatch)
87+
})
88+
})
89+
90+
test('image-set without the url() call', async () => {
91+
const imageSet = await getBg('.css-image-set-without-url-call')
92+
imageSet.split(', ').forEach((s) => {
93+
expect(s).toMatch(cssBgAssetMatch)
94+
})
95+
})
96+
97+
test('image-set with var', async () => {
98+
const imageSet = await getBg('.css-image-set-with-var')
99+
imageSet.split(', ').forEach((s) => {
100+
expect(s).toMatch(cssBgAssetMatch)
101+
})
102+
})
103+
104+
test('image-set with mix', async () => {
105+
const imageSet = await getBg('.css-image-set-mix-url-var')
106+
imageSet.split(', ').forEach((s) => {
107+
expect(s).toMatch(cssBgAssetMatch)
108+
})
109+
})
110+
111+
test('relative in @import', async () => {
112+
expect(await getBg('.css-url-relative-at-imported')).toMatch(
113+
cssBgAssetMatch
114+
)
115+
})
116+
117+
test('absolute', async () => {
118+
expect(await getBg('.css-url-absolute')).toMatch(cssBgAssetMatch)
119+
})
120+
121+
test('from /public', async () => {
122+
expect(await getBg('.css-url-public')).toMatch(iconMatch)
123+
})
124+
125+
test('multiple urls on the same line', async () => {
126+
const bg = await getBg('.css-url-same-line')
127+
expect(bg).toMatch(cssBgAssetMatch)
128+
expect(bg).toMatch(iconMatch)
129+
})
130+
131+
test('aliased', async () => {
132+
const bg = await getBg('.css-url-aliased')
133+
expect(bg).toMatch(cssBgAssetMatch)
134+
})
135+
})
136+
137+
describe.runIf(isBuild)('index.css URLs', () => {
138+
let css: string
139+
beforeAll(() => {
140+
css = findAssetFile(/index.*\.css$/, '', 'other-assets')
141+
})
142+
143+
test('relative asset URL', () => {
144+
expect(css).toMatch(`./asset.`)
145+
})
146+
147+
test('preserve postfix query/hash', () => {
148+
expect(css).toMatch(`woff2?#iefix`)
149+
})
150+
})
151+
152+
describe('image', () => {
153+
test('srcset', async () => {
154+
const img = await page.$('.img-src-set')
155+
const srcset = await img.getAttribute('srcset')
156+
srcset.split(', ').forEach((s) => {
157+
expect(s).toMatch(
158+
isBuild
159+
? /other-assets\/asset\.\w{8}\.png \d{1}x/
160+
: /\.\/nested\/asset\.png \d{1}x/
161+
)
162+
})
163+
})
164+
})
165+
166+
describe('svg fragments', () => {
167+
// 404 is checked already, so here we just ensure the urls end with #fragment
168+
test('img url', async () => {
169+
const img = await page.$('.svg-frag-img')
170+
expect(await img.getAttribute('src')).toMatch(/svg#icon-clock-view$/)
171+
})
172+
173+
test('via css url()', async () => {
174+
const bg = await page.evaluate(() => {
175+
return getComputedStyle(document.querySelector('.icon')).backgroundImage
176+
})
177+
expect(bg).toMatch(/svg#icon-clock-view"\)$/)
178+
})
179+
180+
test('from js import', async () => {
181+
const img = await page.$('.svg-frag-import')
182+
expect(await img.getAttribute('src')).toMatch(/svg#icon-heart-view$/)
183+
})
184+
})
185+
186+
test('?raw import', async () => {
187+
expect(await page.textContent('.raw')).toMatch('SVG')
188+
})
189+
190+
test('?url import', async () => {
191+
expect(await page.textContent('.url')).toMatch(
192+
isBuild ? /http.*\/other-assets\/foo\.\w{8}\.js/ : `/foo.js`
193+
)
194+
})
195+
196+
test('?url import on css', async () => {
197+
const txt = await page.textContent('.url-css')
198+
expect(txt).toMatch(
199+
isBuild ? /http.*\/other-assets\/icons\.\w{8}\.css/ : '/css/icons.css'
200+
)
201+
})
202+
203+
test('new URL(..., import.meta.url)', async () => {
204+
expect(await page.textContent('.import-meta-url')).toMatch(absoluteAssetMatch)
205+
})
206+
207+
test('new URL(`${dynamic}`, import.meta.url)', async () => {
208+
const dynamic1 = await page.textContent('.dynamic-import-meta-url-1')
209+
expect(dynamic1).toMatch(absoluteIconMatch)
210+
const dynamic2 = await page.textContent('.dynamic-import-meta-url-2')
211+
expect(dynamic2).toMatch(absoluteAssetMatch)
212+
})
213+
214+
test('new URL(`non-existent`, import.meta.url)', async () => {
215+
expect(await page.textContent('.non-existent-import-meta-url')).toMatch(
216+
'/non-existent'
217+
)
218+
})
219+
220+
test('inline style test', async () => {
221+
expect(await getBg('.inline-style')).toMatch(cssBgAssetMatch)
222+
expect(await getBg('.style-url-assets')).toMatch(cssBgAssetMatch)
223+
})
224+
225+
test('html import word boundary', async () => {
226+
expect(await page.textContent('.obj-import-express')).toMatch(
227+
'ignore object import prop'
228+
)
229+
expect(await page.textContent('.string-import-express')).toMatch('no load')
230+
})
231+
232+
test('relative path in html asset', async () => {
233+
expect(await page.textContent('.relative-js')).toMatch('hello')
234+
expect(await getColor('.relative-css')).toMatch('red')
235+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports = require('../../vite.config-relative-base')
Loading

‎playground/assets/package.json

+4-1
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,9 @@
66
"dev": "vite",
77
"build": "vite build",
88
"debug": "node --inspect-brk ../../packages/vite/bin/vite",
9-
"preview": "vite preview"
9+
"preview": "vite preview",
10+
"dev:relative-base": "vite --config ./vite.config-relative-base.js dev",
11+
"build:relative-base": "vite --config ./vite.config-relative-base.js build",
12+
"preview:relative-base": "vite --config ./vite.config-relative-base.js preview"
1013
}
1114
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,23 @@
1+
/**
2+
* @type {import('vite').UserConfig}
3+
*/
4+
5+
const baseConfig = require('./vite.config.js')
6+
module.exports = {
7+
...baseConfig,
8+
base: './', // relative base to make dist portable
9+
build: {
10+
...baseConfig.build,
11+
outDir: 'dist',
12+
watch: false,
13+
minify: false,
14+
assetsInlineLimit: 0,
15+
rollupOptions: {
16+
output: {
17+
entryFileNames: 'entries/[name].js',
18+
chunkFileNames: 'chunks/[name].[hash].js',
19+
assetFileNames: 'other-assets/[name].[hash][extname]'
20+
}
21+
}
22+
}
23+
}

‎playground/assets/vite.config.js

+1
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@ module.exports = {
1313
},
1414
build: {
1515
outDir: 'dist/foo',
16+
assetsInlineLimit: 8192, // 8kb
1617
manifest: true,
1718
watch: {}
1819
}

‎playground/css/vite.config.js

+1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@ const path = require('path')
44
* @type {import('vite').UserConfig}
55
*/
66
module.exports = {
7+
base: './',
78
build: {
89
cssTarget: 'chrome61'
910
},

‎playground/html/vite.config.js

+1
Original file line numberDiff line numberDiff line change
@@ -4,6 +4,7 @@ const { resolve } = require('path')
44
* @type {import('vite').UserConfig}
55
*/
66
module.exports = {
7+
base: './',
78
build: {
89
rollupOptions: {
910
input: {

‎playground/legacy/vite.config.js

+1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ const path = require('path')
33
const legacy = require('@vitejs/plugin-legacy').default
44

55
module.exports = {
6+
base: './',
67
plugins: [
78
legacy({
89
targets: 'IE 11'

‎playground/preload/__tests__/preload.spec.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -16,10 +16,10 @@ describe.runIf(isBuild)('build', () => {
1616
await page.goto(viteTestUrl + '/#/hello')
1717
const html = await page.content()
1818
expect(html).toMatch(
19-
/link rel="modulepreload".*?href="\/assets\/Hello\.\w{8}\.js"/
19+
/link rel="modulepreload".*?href=".*?\/assets\/Hello\.\w{8}\.js"/
2020
)
2121
expect(html).toMatch(
22-
/link rel="stylesheet".*?href="\/assets\/Hello\.\w{8}\.css"/
22+
/link rel="stylesheet".*?href=".*?\/assets\/Hello\.\w{8}\.css"/
2323
)
2424
})
2525
})

‎playground/test-utils.ts

+6-2
Original file line numberDiff line numberDiff line change
@@ -122,8 +122,12 @@ export function listAssets(base = ''): string[] {
122122
return fs.readdirSync(assetsDir)
123123
}
124124

125-
export function findAssetFile(match: string | RegExp, base = ''): string {
126-
const assetsDir = path.join(testDir, 'dist', base, 'assets')
125+
export function findAssetFile(
126+
match: string | RegExp,
127+
base = '',
128+
assets = 'assets'
129+
): string {
130+
const assetsDir = path.join(testDir, 'dist', base, assets)
127131
const files = fs.readdirSync(assetsDir)
128132
const file = files.find((file) => {
129133
return file.match(match)

‎playground/vitestSetup.ts

+6-2
Original file line numberDiff line numberDiff line change
@@ -54,6 +54,8 @@ export const serverLogs: string[] = []
5454
export const browserLogs: string[] = []
5555
export const browserErrors: Error[] = []
5656

57+
export let resolvedConfig: ResolvedConfig = undefined!
58+
5759
export let page: Page = undefined!
5860
export let browser: Browser = undefined!
5961
export let viteTestUrl: string = ''
@@ -199,7 +201,6 @@ export async function startDefaultServe() {
199201
} else {
200202
process.env.VITE_INLINE = 'inline-build'
201203
// determine build watch
202-
let resolvedConfig: ResolvedConfig
203204
const resolvedPlugin: () => PluginOption = () => ({
204205
name: 'vite-plugin-watcher',
205206
configResolved(config) {
@@ -229,7 +230,10 @@ function startStaticServer(config?: InlineConfig): Promise<string> {
229230
}
230231

231232
// fallback internal base to ''
232-
const base = (config?.base ?? '/') === '/' ? '' : config?.base ?? ''
233+
let base = config?.base
234+
if (!base || base === '/' || base === './') {
235+
base = ''
236+
}
233237

234238
// @ts-ignore
235239
if (config && config.__test__) {
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,126 @@
1+
import fs from 'fs'
2+
import path from 'path'
3+
import type { Page } from 'playwright-chromium'
4+
import { isBuild, page, testDir, untilUpdated } from '~utils'
5+
6+
test('normal', async () => {
7+
await page.click('.ping')
8+
await untilUpdated(() => page.textContent('.pong'), 'pong')
9+
await untilUpdated(
10+
() => page.textContent('.mode'),
11+
isBuild ? 'production' : 'development'
12+
)
13+
await untilUpdated(
14+
() => page.textContent('.bundle-with-plugin'),
15+
'worker bundle with plugin success!'
16+
)
17+
})
18+
19+
test('TS output', async () => {
20+
await page.click('.ping-ts-output')
21+
await untilUpdated(() => page.textContent('.pong-ts-output'), 'pong')
22+
})
23+
24+
test('inlined', async () => {
25+
await page.click('.ping-inline')
26+
await untilUpdated(() => page.textContent('.pong-inline'), 'pong')
27+
})
28+
29+
const waitSharedWorkerTick = (
30+
(resolvedSharedWorkerCount: number) => async (page: Page) => {
31+
await untilUpdated(async () => {
32+
const count = await page.textContent('.tick-count')
33+
// ignore the initial 0
34+
return count === '1' ? 'page loaded' : ''
35+
}, 'page loaded')
36+
// test.concurrent sequential is not guaranteed
37+
// force page to wait to ensure two pages overlap in time
38+
resolvedSharedWorkerCount++
39+
if (resolvedSharedWorkerCount < 2) return
40+
41+
await untilUpdated(() => {
42+
return resolvedSharedWorkerCount === 2 ? 'all pages loaded' : ''
43+
}, 'all pages loaded')
44+
}
45+
)(0)
46+
47+
test.each([[true], [false]])('shared worker', async (doTick) => {
48+
if (doTick) {
49+
await page.click('.tick-shared')
50+
}
51+
await waitSharedWorkerTick(page)
52+
})
53+
54+
test('worker emitted and import.meta.url in nested worker (serve)', async () => {
55+
expect(await page.textContent('.nested-worker')).toMatch(
56+
'worker-nested-worker'
57+
)
58+
expect(await page.textContent('.nested-worker-module')).toMatch('sub-worker')
59+
expect(await page.textContent('.nested-worker-constructor')).toMatch(
60+
'"type":"constructor"'
61+
)
62+
})
63+
64+
describe.runIf(isBuild)('build', () => {
65+
// assert correct files
66+
test('inlined code generation', async () => {
67+
const chunksDir = path.resolve(testDir, 'dist/chunks')
68+
const files = fs.readdirSync(chunksDir)
69+
const index = files.find((f) => f.includes('main-module'))
70+
const content = fs.readFileSync(path.resolve(chunksDir, index), 'utf-8')
71+
const workerEntriesDir = path.resolve(testDir, 'dist/worker-entries')
72+
const workerFiles = fs.readdirSync(workerEntriesDir)
73+
const worker = workerFiles.find((f) => f.includes('worker_entry.my-worker'))
74+
const workerContent = fs.readFileSync(
75+
path.resolve(workerEntriesDir, worker),
76+
'utf-8'
77+
)
78+
79+
// worker should have all imports resolved and no exports
80+
expect(workerContent).not.toMatch(`import`)
81+
expect(workerContent).not.toMatch(`export`)
82+
// chunk
83+
expect(content).toMatch(`new Worker("../worker-entries/`)
84+
expect(content).toMatch(`new SharedWorker("../worker-entries/`)
85+
// inlined
86+
expect(content).toMatch(`(window.URL||window.webkitURL).createObjectURL`)
87+
expect(content).toMatch(`window.Blob`)
88+
})
89+
90+
test('worker emitted and import.meta.url in nested worker (build)', async () => {
91+
expect(await page.textContent('.nested-worker-module')).toMatch(
92+
'"type":"module"'
93+
)
94+
expect(await page.textContent('.nested-worker-constructor')).toMatch(
95+
'"type":"constructor"'
96+
)
97+
})
98+
})
99+
100+
test('module worker', async () => {
101+
expect(await page.textContent('.shared-worker-import-meta-url')).toMatch(
102+
'A string'
103+
)
104+
})
105+
106+
test.runIf(isBuild)('classic worker', async () => {
107+
expect(await page.textContent('.classic-worker')).toMatch('A classic')
108+
expect(await page.textContent('.classic-shared-worker')).toMatch('A classic')
109+
})
110+
111+
test.runIf(isBuild)('emit chunk', async () => {
112+
expect(await page.textContent('.emit-chunk-worker')).toMatch(
113+
'["A string",{"type":"emit-chunk-sub-worker","data":"A string"},{"type":"module-and-worker:worker","data":"A string"},{"type":"module-and-worker:module","data":"module and worker"},{"type":"emit-chunk-sub-worker","data":{"module":"module and worker","msg1":"module1","msg2":"module2","msg3":"module3"}}]'
114+
)
115+
expect(await page.textContent('.emit-chunk-dynamic-import-worker')).toMatch(
116+
'"A string./"'
117+
)
118+
})
119+
120+
test('import.meta.glob in worker', async () => {
121+
expect(await page.textContent('.importMetaGlob-worker')).toMatch('["')
122+
})
123+
124+
test('import.meta.glob with eager in worker', async () => {
125+
expect(await page.textContent('.importMetaGlobEager-worker')).toMatch('["')
126+
})
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports = require('../../vite.config-relative-base')

‎playground/worker/classic-shared-worker.js

+4-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,7 @@
1-
importScripts(`/${self.location.pathname.split('/')[1]}/classic.js`)
1+
let base = `/${self.location.pathname.split('/')[1]}`
2+
if (base === `/worker-entries`) base = '' // relative base
3+
4+
importScripts(`${base}/classic.js`)
25

36
self.onconnect = (event) => {
47
const port = event.ports[0]

‎playground/worker/classic-worker.js

+4-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,7 @@
1-
importScripts(`/${self.location.pathname.split("/")[1]}/classic.js`)
1+
let base = `/${self.location.pathname.split('/')[1]}`
2+
if (base === `/worker-entries`) base = '' // relative base
3+
4+
importScripts(`${base}/classic.js`)
25

36
self.addEventListener('message', () => {
47
self.postMessage(self.constant)

‎playground/worker/package.json

+3
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,9 @@
1818
"dev:sourcemap-inline": "cross-env WORKER_MODE=inline vite --config ./vite.config-sourcemap.js dev",
1919
"build:sourcemap-inline": "cross-env WORKER_MODE=inline vite --config ./vite.config-sourcemap.js build",
2020
"preview:sourcemap-inline": "cross-env WORKER_MODE=inline vite --config ./vite.config-sourcemap.js preview",
21+
"dev:relative-base": "cross-env WORKER_MODE=inline vite --config ./vite.config-relative-base.js dev",
22+
"build:relative-base": "cross-env WORKER_MODE=inline vite --config ./vite.config-relative-base.js build",
23+
"preview:relative-base": "cross-env WORKER_MODE=inline vite --config ./vite.config-relative-base.js preview",
2124
"debug": "node --inspect-brk ../../packages/vite/bin/vite"
2225
},
2326
"devDependencies": {
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,42 @@
1+
const vueJsx = require('@vitejs/plugin-vue-jsx')
2+
const vite = require('vite')
3+
const path = require('path')
4+
5+
module.exports = vite.defineConfig({
6+
base: './',
7+
enforce: 'pre',
8+
worker: {
9+
format: 'es',
10+
plugins: [vueJsx()],
11+
rollupOptions: {
12+
output: {
13+
assetFileNames: 'worker-assets/worker_asset.[name]-[hash].[ext]',
14+
chunkFileNames: 'worker-chunks/worker_chunk.[name]-[hash].js',
15+
entryFileNames: 'worker-entries/worker_entry.[name]-[hash].js'
16+
}
17+
}
18+
},
19+
build: {
20+
outDir: 'dist',
21+
rollupOptions: {
22+
output: {
23+
assetFileNames: 'other-assets/[name]-[hash].[ext]',
24+
chunkFileNames: 'chunks/[name]-[hash].js',
25+
entryFileNames: 'entries/[name]-[hash].js'
26+
}
27+
}
28+
},
29+
plugins: [
30+
{
31+
name: 'resolve-format-es',
32+
transform(code, id) {
33+
if (id.includes('main.js')) {
34+
return code.replace(
35+
`/* flag: will replace in vite config import("./format-es.js") */`,
36+
`import("./main-format-es")`
37+
)
38+
}
39+
}
40+
}
41+
]
42+
})

0 commit comments

Comments
 (0)
Please sign in to comment.