Skip to content

Commit e4607db

Browse files
9aoychenjiahan
andauthored
feat: support output.manifest config (#2280)
Co-authored-by: neverland <[email protected]>
1 parent 054d257 commit e4607db

File tree

17 files changed

+340
-11
lines changed

17 files changed

+340
-11
lines changed
+47
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,47 @@
1+
import { build } from '@e2e/helper';
2+
import { expect, test } from '@playwright/test';
3+
4+
const fixtures = __dirname;
5+
6+
test('output.manifest', async () => {
7+
const rsbuild = await build({
8+
cwd: fixtures,
9+
rsbuildConfig: {
10+
output: {
11+
manifest: true,
12+
legalComments: 'none',
13+
filenameHash: false,
14+
},
15+
performance: {
16+
chunkSplit: {
17+
strategy: 'all-in-one',
18+
},
19+
},
20+
},
21+
});
22+
23+
const files = await rsbuild.unwrapOutputJSON();
24+
25+
const manifestContent =
26+
files[Object.keys(files).find((file) => file.endsWith('manifest.json'))!];
27+
28+
expect(manifestContent).toBeDefined();
29+
30+
const manifest = JSON.parse(manifestContent);
31+
32+
// main.js、index.html
33+
expect(Object.keys(manifest.allFiles).length).toBe(2);
34+
35+
expect(manifest.entries.index).toMatchObject({
36+
initial: {
37+
js: ['/static/js/index.js'],
38+
css: [],
39+
},
40+
async: {
41+
js: [],
42+
css: [],
43+
},
44+
assets: [],
45+
html: '/index.html',
46+
});
47+
});
+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
console.log('hello!');

packages/compat/webpack/src/provider.ts

+1
Original file line numberDiff line numberDiff line change
@@ -76,6 +76,7 @@ export const webpackProvider: RsbuildProvider<'webpack'> = async ({
7676
plugins.resourceHints(),
7777
plugins.server(),
7878
plugins.moduleFederation(),
79+
plugins.manifest(),
7980
]);
8081

8182
pluginManager.addPlugins(allPlugins);

packages/core/package.json

+1
Original file line numberDiff line numberDiff line change
@@ -66,6 +66,7 @@
6666
"@types/ws": "^8.5.10",
6767
"commander": "^12.0.0",
6868
"connect-history-api-fallback": "^2.0.0",
69+
"rspack-manifest-plugin": "5.0.0",
6970
"dotenv": "16.4.5",
7071
"dotenv-expand": "11.0.6",
7172
"http-compression": "1.0.19",

packages/core/prebundle.config.mjs

+1
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@ export default {
1818
'dotenv-expand',
1919
'ws',
2020
'on-finished',
21+
'rspack-manifest-plugin',
2122
{
2223
name: 'launch-editor-middleware',
2324
ignoreDts: true,

packages/core/src/config.ts

+1
Original file line numberDiff line numberDiff line change
@@ -139,6 +139,7 @@ const getDefaultOutputConfig = (): NormalizedOutputConfig => ({
139139
legalComments: 'linked',
140140
injectStyles: false,
141141
minify: true,
142+
manifest: false,
142143
sourceMap: {
143144
js: undefined,
144145
css: false,

packages/core/src/plugins/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -27,4 +27,5 @@ export const plugins = {
2727
server: () => import('./server').then((m) => m.pluginServer()),
2828
moduleFederation: () =>
2929
import('./moduleFederation').then((m) => m.pluginModuleFederation()),
30+
manifest: () => import('./manifest').then((m) => m.pluginManifest()),
3031
};

packages/core/src/plugins/manifest.ts

+145
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,145 @@
1+
import type { Chunk } from '@rspack/core';
2+
import { recursiveChunkEntryNames } from '../rspack/preload/helpers';
3+
import type { RsbuildPlugin } from '../types';
4+
5+
type FilePath = string;
6+
7+
type ManifestByEntry = {
8+
initial: {
9+
js: FilePath[];
10+
css: FilePath[];
11+
};
12+
async: {
13+
js: FilePath[];
14+
css: FilePath[];
15+
};
16+
/** other assets (e.g. png、svg、source map) related to the current entry */
17+
assets: FilePath[];
18+
html?: FilePath;
19+
};
20+
21+
type ManifestList = {
22+
entries: {
23+
/** relate to rsbuild source.entry */
24+
[entryName: string]: ManifestByEntry;
25+
};
26+
/** Flatten all assets */
27+
allFiles: FilePath[];
28+
};
29+
30+
type FileDescriptor = {
31+
chunk?: Chunk;
32+
isInitial: boolean;
33+
name: string;
34+
path: string;
35+
};
36+
37+
const generateManifest =
38+
(htmlPaths: Record<string, string>) =>
39+
(_seed: Record<string, any>, files: FileDescriptor[]) => {
40+
const chunkEntries = new Map<string, FileDescriptor[]>();
41+
42+
const licenseMap = new Map<string, string>();
43+
44+
const allFiles = files.map((file) => {
45+
if (file.chunk) {
46+
const names = recursiveChunkEntryNames(file.chunk);
47+
48+
for (const name of names) {
49+
chunkEntries.set(name, [file, ...(chunkEntries.get(name) || [])]);
50+
}
51+
}
52+
53+
if (file.path.endsWith('.LICENSE.txt')) {
54+
const sourceFilePath = file.path.split('.LICENSE.txt')[0];
55+
licenseMap.set(sourceFilePath, file.path);
56+
}
57+
return file.path;
58+
});
59+
60+
const entries: ManifestList['entries'] = {};
61+
62+
for (const [name, chunkFiles] of chunkEntries) {
63+
const assets = new Set<string>();
64+
const initialJS: string[] = [];
65+
const asyncJS: string[] = [];
66+
const initialCSS: string[] = [];
67+
const asyncCSS: string[] = [];
68+
69+
for (const file of chunkFiles) {
70+
if (file.isInitial) {
71+
if (file.path.endsWith('.css')) {
72+
initialCSS.push(file.path);
73+
} else {
74+
initialJS.push(file.path);
75+
}
76+
} else {
77+
if (file.path.endsWith('.css')) {
78+
asyncCSS.push(file.path);
79+
} else {
80+
asyncJS.push(file.path);
81+
}
82+
}
83+
84+
const relatedLICENSE = licenseMap.get(file.path);
85+
86+
if (relatedLICENSE) {
87+
assets.add(relatedLICENSE);
88+
}
89+
90+
for (const auxiliaryFile of file.chunk!.auxiliaryFiles) {
91+
assets.add(auxiliaryFile);
92+
}
93+
}
94+
95+
entries[name] = {
96+
initial: {
97+
js: initialJS,
98+
css: initialCSS,
99+
},
100+
async: {
101+
js: asyncJS,
102+
css: asyncCSS,
103+
},
104+
assets: Array.from(assets),
105+
html: files.find((f) => f.name === htmlPaths[name])?.path,
106+
};
107+
}
108+
109+
return {
110+
allFiles,
111+
entries,
112+
};
113+
};
114+
115+
export const pluginManifest = (): RsbuildPlugin => ({
116+
name: 'rsbuild:manifest',
117+
118+
setup(api) {
119+
api.modifyBundlerChain(async (chain, { CHAIN_ID }) => {
120+
const htmlPaths = api.getHTMLPaths();
121+
122+
const {
123+
output: { manifest },
124+
} = api.getNormalizedConfig();
125+
126+
if (manifest === false) {
127+
return;
128+
}
129+
130+
const fileName =
131+
typeof manifest === 'string' ? manifest : 'manifest.json';
132+
133+
const { RspackManifestPlugin } = await import(
134+
'../../compiled/rspack-manifest-plugin'
135+
);
136+
137+
chain.plugin(CHAIN_ID.PLUGIN.MANIFEST).use(RspackManifestPlugin, [
138+
{
139+
fileName,
140+
generate: generateManifest(htmlPaths),
141+
},
142+
]);
143+
});
144+
},
145+
});

packages/core/src/provider/provider.ts

+1
Original file line numberDiff line numberDiff line change
@@ -80,6 +80,7 @@ export const rspackProvider: RsbuildProvider = async ({
8080
plugins.performance(),
8181
plugins.server(),
8282
plugins.moduleFederation(),
83+
plugins.manifest(),
8384
import('./plugins/rspackProfile').then((m) => m.pluginRspackProfile()),
8485
]);
8586

packages/core/src/rspack/preload/HtmlPreloadOrPrefetchPlugin.ts

-1
Original file line numberDiff line numberDiff line change
@@ -67,7 +67,6 @@ function generateLinks(
6767
): HtmlWebpackPlugin.HtmlTagObject[] {
6868
// get all chunks
6969
const extractedChunks = extractChunks({
70-
// @ts-expect-error compilation type mismatch
7170
compilation,
7271
includeType: options.type,
7372
});

packages/core/src/rspack/preload/helpers/doesChunkBelongToHtml.ts

+2-4
Original file line numberDiff line numberDiff line change
@@ -16,9 +16,7 @@
1616
*/
1717

1818
import type { PreloadOrPreFetchOption } from '@rsbuild/shared';
19-
import type { Compilation } from '@rspack/core';
20-
import type { Chunk } from 'webpack';
21-
import type { ChunkGroup } from './extractChunks';
19+
import type { Chunk, ChunkGroup, Compilation } from '@rspack/core';
2220
import type { BeforeAssetTagGenerationHtmlPluginData } from './type';
2321

2422
interface DoesChunkBelongToHtmlOptions {
@@ -39,7 +37,7 @@ function recursiveChunkGroup(
3937
return parents.flatMap((chunkParent) => recursiveChunkGroup(chunkParent));
4038
}
4139

42-
function recursiveChunkEntryNames(chunk: Chunk): string[] {
40+
export function recursiveChunkEntryNames(chunk: Chunk): string[] {
4341
const isChunkName = (name: string | undefined): name is string =>
4442
Boolean(name);
4543

packages/core/src/rspack/preload/helpers/extractChunks.ts

+7-6
Original file line numberDiff line numberDiff line change
@@ -16,9 +16,7 @@
1616
*/
1717

1818
import type { PreloadIncludeType } from '@rsbuild/shared';
19-
import type { Chunk, Compilation } from 'webpack';
20-
21-
export type ChunkGroup = Compilation['chunkGroups'][0];
19+
import type { Chunk, ChunkGroup, Compilation } from '@rspack/core';
2220

2321
interface ExtractChunks {
2422
compilation: Compilation;
@@ -30,6 +28,8 @@ function isAsync(chunk: Chunk | ChunkGroup): boolean {
3028
return !chunk.canBeInitial();
3129
}
3230
if ('isInitial' in chunk) {
31+
// compat webpack
32+
// @ts-expect-error
3333
return !chunk.isInitial();
3434
}
3535
// compat rspack
@@ -64,21 +64,22 @@ export function extractChunks({
6464
// Every asset, regardless of which chunk it's in.
6565
// Wrap it in a single, "pseudo-chunk" return value.
6666
// Note: webpack5 will extract license default, we do not need to preload them
67-
const licenseAssets = [...compilation.assetsInfo.values()]
67+
// @ts-expect-error
68+
const licenseAssets = [...(compilation.assetsInfo?.values() || [])]
6869
.map((info) => {
6970
if (info.related?.license) {
7071
return info.related.license;
7172
}
7273
return false;
7374
})
7475
.filter(Boolean);
76+
7577
return [
7678
{
77-
// @ts-expect-error ignore ts check for files
7879
files: Object.keys(compilation.assets).filter(
7980
(t) => !licenseAssets.includes(t),
8081
),
81-
},
82+
} as Chunk,
8283
];
8384
}
8485

packages/core/tests/__snapshots__/inspect.test.ts.snap

+1
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,7 @@ exports[`inspectConfig > should print plugin names when inspect config 1`] = `
3232
"rsbuild:performance",
3333
"rsbuild:server",
3434
"rsbuild:module-federation",
35+
"rsbuild:manifest",
3536
"rsbuild:rspack-profile",
3637
]
3738
`;

packages/shared/src/types/config/output.ts

+4
Original file line numberDiff line numberDiff line change
@@ -248,6 +248,10 @@ export interface OutputConfig {
248248
* Whether to disable code minification in production build.
249249
*/
250250
minify?: Minify;
251+
/**
252+
* Whether to generate manifest file.
253+
*/
254+
manifest?: string | boolean;
251255
/**
252256
* Whether to generate source map files, and which format of source map to generate
253257
*/

0 commit comments

Comments
 (0)