Skip to content

Commit a708dcc

Browse files
committed
feat(@schematics/angular): update SSR and application builder migration schematics to work with new outputPath
In #26675 we introduced a long-form variant of `outputPath`, this commit updates the application builder migration and ssr schematics to handle this change.
1 parent 69d2dfd commit a708dcc

File tree

5 files changed

+275
-33
lines changed

5 files changed

+275
-33
lines changed

packages/schematics/angular/migrations/update-17/use-application-builder.ts

+28-11
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@ import {
1414
chain,
1515
externalSchematic,
1616
} from '@angular-devkit/schematics';
17-
import { dirname } from 'node:path';
17+
import { dirname, join } from 'node:path/posix';
1818
import { JSONFile } from '../../utility/json-file';
1919
import { TreeWorkspaceHost, allTargetOptions, getWorkspace } from '../../utility/workspace';
2020
import { Builders, ProjectType } from '../../utility/workspace-models';
@@ -68,8 +68,33 @@ export default function (): Rule {
6868
options['polyfills'] = [options['polyfills']];
6969
}
7070

71-
if (typeof options['outputPath'] === 'string') {
72-
options['outputPath'] = options['outputPath']?.replace(/\/browser\/?$/, '');
71+
let outputPath = options['outputPath'];
72+
if (typeof outputPath === 'string') {
73+
if (!/\/browser\/?$/.test(outputPath)) {
74+
// TODO: add prompt.
75+
context.logger.warn(
76+
`The output location of the browser build has been updated from "${outputPath}" to ` +
77+
`"${join(outputPath, 'browser')}". ` +
78+
'You might need to adjust your deployment pipeline or, as an alternative, ' +
79+
'set outputPath.browser to "" in order to maintain the previous functionality.',
80+
);
81+
} else {
82+
outputPath = outputPath.replace(/\/browser\/?$/, '');
83+
}
84+
85+
options['outputPath'] = {
86+
base: outputPath,
87+
};
88+
89+
if (typeof options['resourcesOutputPath'] === 'string') {
90+
const media = options['resourcesOutputPath'].replaceAll('/', '');
91+
if (media && media !== 'media') {
92+
options['outputPath'] = {
93+
base: outputPath,
94+
media: media,
95+
};
96+
}
97+
}
7398
}
7499

75100
// Delete removed options
@@ -189,13 +214,5 @@ function usesNoLongerSupportedOptions(
189214
);
190215
}
191216

192-
if (typeof resourcesOutputPath === 'string' && /^\/?media\/?$/.test(resourcesOutputPath)) {
193-
hasUsage = true;
194-
context.logger.warn(
195-
`Skipping migration for project "${projectName}". "resourcesOutputPath" option is not available in the application builder.` +
196-
`Media files will be output into a "media" directory within the output location.`,
197-
);
198-
}
199-
200217
return hasUsage;
201218
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,104 @@
1+
/**
2+
* @license
3+
* Copyright Google LLC All Rights Reserved.
4+
*
5+
* Use of this source code is governed by an MIT-style license that can be
6+
* found in the LICENSE file at https://angular.io/license
7+
*/
8+
9+
import { EmptyTree } from '@angular-devkit/schematics';
10+
import { SchematicTestRunner, UnitTestTree } from '@angular-devkit/schematics/testing';
11+
import { Builders, ProjectType, WorkspaceSchema } from '../../utility/workspace-models';
12+
13+
function createWorkSpaceConfig(tree: UnitTestTree) {
14+
const angularConfig: WorkspaceSchema = {
15+
version: 1,
16+
projects: {
17+
app: {
18+
root: '/project/lib',
19+
sourceRoot: '/project/app/src',
20+
projectType: ProjectType.Application,
21+
prefix: 'app',
22+
architect: {
23+
build: {
24+
builder: Builders.Browser,
25+
options: {
26+
tsConfig: 'src/tsconfig.app.json',
27+
main: 'src/main.ts',
28+
polyfills: 'src/polyfills.ts',
29+
outputPath: 'dist/project',
30+
resourcesOutputPath: '/resources',
31+
},
32+
},
33+
},
34+
},
35+
},
36+
};
37+
38+
tree.create('/angular.json', JSON.stringify(angularConfig, undefined, 2));
39+
tree.create('/tsconfig.json', JSON.stringify({}, undefined, 2));
40+
tree.create('/package.json', JSON.stringify({}, undefined, 2));
41+
}
42+
43+
describe(`Migration to use the application builder`, () => {
44+
const schematicName = 'use-application-builder';
45+
const schematicRunner = new SchematicTestRunner(
46+
'migrations',
47+
require.resolve('../migration-collection.json'),
48+
);
49+
50+
let tree: UnitTestTree;
51+
beforeEach(() => {
52+
tree = new UnitTestTree(new EmptyTree());
53+
createWorkSpaceConfig(tree);
54+
});
55+
56+
it(`should replace 'outputPath' to string if 'resourcesOutputPath' is set to 'media'`, async () => {
57+
// Replace resourcesOutputPath
58+
tree.overwrite('angular.json', tree.readContent('angular.json').replace('/resources', 'media'));
59+
60+
const newTree = await schematicRunner.runSchematic(schematicName, {}, tree);
61+
const {
62+
projects: { app },
63+
} = JSON.parse(newTree.readContent('/angular.json'));
64+
65+
const { outputPath, resourcesOutputPath } = app.architect['build'].options;
66+
expect(outputPath).toEqual({
67+
base: 'dist/project',
68+
});
69+
expect(resourcesOutputPath).toBeUndefined();
70+
});
71+
72+
it(`should set 'outputPath.media' if 'resourcesOutputPath' is set and is not 'media'`, async () => {
73+
const newTree = await schematicRunner.runSchematic(schematicName, {}, tree);
74+
const {
75+
projects: { app },
76+
} = JSON.parse(newTree.readContent('/angular.json'));
77+
78+
const { outputPath, resourcesOutputPath } = app.architect['build'].options;
79+
expect(outputPath).toEqual({
80+
base: 'dist/project',
81+
media: 'resources',
82+
});
83+
expect(resourcesOutputPath).toBeUndefined();
84+
});
85+
86+
it(`should remove 'browser' portion from 'outputPath'`, async () => {
87+
// Replace outputPath
88+
tree.overwrite(
89+
'angular.json',
90+
tree.readContent('angular.json').replace('dist/project/', 'dist/project/browser/'),
91+
);
92+
93+
const newTree = await schematicRunner.runSchematic(schematicName, {}, tree);
94+
const {
95+
projects: { app },
96+
} = JSON.parse(newTree.readContent('/angular.json'));
97+
98+
const { outputPath } = app.architect['build'].options;
99+
expect(outputPath).toEqual({
100+
base: 'dist/project',
101+
media: 'resources',
102+
});
103+
});
104+
});

packages/schematics/angular/ssr/files/application-builder/server.ts.template

+2-2
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@ import <% if (isStandalone) { %>bootstrap<% } else { %>AppServerModule<% } %> fr
99
export function app(): express.Express {
1010
const server = express();
1111
const serverDistFolder = dirname(fileURLToPath(import.meta.url));
12-
const browserDistFolder = resolve(serverDistFolder, '../browser');
12+
const browserDistFolder = resolve(serverDistFolder, '../<%= browserDistDirectory %>');
1313
const indexHtml = join(serverDistFolder, 'index.server.html');
1414

1515
const commonEngine = new CommonEngine();
@@ -19,7 +19,7 @@ export function app(): express.Express {
1919

2020
// Example Express Rest API endpoints
2121
// server.get('/api/**', (req, res) => { });
22-
// Serve static files from /browser
22+
// Serve static files from /<%= browserDistDirectory %>
2323
server.get('*.*', express.static(browserDistFolder, {
2424
maxAge: '1y'
2525
}));

packages/schematics/angular/ssr/index.ts

+95-20
Original file line numberDiff line numberDiff line change
@@ -6,9 +6,10 @@
66
* found in the LICENSE file at https://angular.io/license
77
*/
88

9-
import { join, normalize, strings } from '@angular-devkit/core';
9+
import { isJsonObject, join, normalize, strings } from '@angular-devkit/core';
1010
import {
1111
Rule,
12+
SchematicContext,
1213
SchematicsException,
1314
Tree,
1415
apply,
@@ -19,6 +20,7 @@ import {
1920
schematic,
2021
url,
2122
} from '@angular-devkit/schematics';
23+
import { posix } from 'node:path';
2224
import { Schema as ServerOptions } from '../server/schema';
2325
import { DependencyType, addDependency, readWorkspace, updateWorkspace } from '../utility';
2426
import { JSONFile } from '../utility/json-file';
@@ -33,21 +35,24 @@ import { Schema as SSROptions } from './schema';
3335

3436
const SERVE_SSR_TARGET_NAME = 'serve-ssr';
3537
const PRERENDER_TARGET_NAME = 'prerender';
38+
const DEFAULT_BROWSER_DIR = 'browser';
39+
const DEFAULT_MEDIA_DIR = 'media';
40+
const DEFAULT_SERVER_DIR = 'server';
3641

37-
async function getOutputPath(
42+
async function getLegacyOutputPaths(
3843
host: Tree,
3944
projectName: string,
4045
target: 'server' | 'build',
4146
): Promise<string> {
4247
// Generate new output paths
4348
const workspace = await readWorkspace(host);
4449
const project = workspace.projects.get(projectName);
45-
const serverTarget = project?.targets.get(target);
46-
if (!serverTarget || !serverTarget.options) {
50+
const architectTarget = project?.targets.get(target);
51+
if (!architectTarget?.options) {
4752
throw new SchematicsException(`Cannot find 'options' for ${projectName} ${target} target.`);
4853
}
4954

50-
const { outputPath } = serverTarget.options;
55+
const { outputPath } = architectTarget.options;
5156
if (typeof outputPath !== 'string') {
5257
throw new SchematicsException(
5358
`outputPath for ${projectName} ${target} target is not a string.`,
@@ -57,6 +62,52 @@ async function getOutputPath(
5762
return outputPath;
5863
}
5964

65+
async function getApplicationBuilderOutputPaths(
66+
host: Tree,
67+
projectName: string,
68+
): Promise<{ browser: string; server: string; base: string }> {
69+
// Generate new output paths
70+
const target = 'build';
71+
const workspace = await readWorkspace(host);
72+
const project = workspace.projects.get(projectName);
73+
const architectTarget = project?.targets.get(target);
74+
75+
if (!architectTarget?.options) {
76+
throw new SchematicsException(`Cannot find 'options' for ${projectName} ${target} target.`);
77+
}
78+
79+
const { outputPath } = architectTarget.options;
80+
if (outputPath === null || outputPath === undefined) {
81+
throw new SchematicsException(
82+
`outputPath for ${projectName} ${target} target is undeined or null.`,
83+
);
84+
}
85+
86+
const defaultDirs = {
87+
server: DEFAULT_SERVER_DIR,
88+
browser: DEFAULT_BROWSER_DIR,
89+
};
90+
91+
if (outputPath && isJsonObject(outputPath)) {
92+
return {
93+
...defaultDirs,
94+
// eslint-disable-next-line @typescript-eslint/no-explicit-any
95+
...(outputPath as any),
96+
};
97+
}
98+
99+
if (typeof outputPath !== 'string') {
100+
throw new SchematicsException(
101+
`outputPath for ${projectName} ${target} target is not a string.`,
102+
);
103+
}
104+
105+
return {
106+
base: outputPath,
107+
...defaultDirs,
108+
};
109+
}
110+
60111
function addScriptsRule({ project }: SSROptions, isUsingApplicationBuilder: boolean): Rule {
61112
return async (host) => {
62113
const pkgPath = '/package.json';
@@ -66,11 +117,11 @@ function addScriptsRule({ project }: SSROptions, isUsingApplicationBuilder: bool
66117
}
67118

68119
if (isUsingApplicationBuilder) {
69-
const distPath = await getOutputPath(host, project, 'build');
120+
const { base, server } = await getApplicationBuilderOutputPaths(host, project);
70121
pkg.scripts ??= {};
71-
pkg.scripts[`serve:ssr:${project}`] = `node ${distPath}/server/server.mjs`;
122+
pkg.scripts[`serve:ssr:${project}`] = `node ${posix.join(base, server)}/server.mjs`;
72123
} else {
73-
const serverDist = await getOutputPath(host, project, 'server');
124+
const serverDist = await getLegacyOutputPaths(host, project, 'server');
74125
pkg.scripts = {
75126
...pkg.scripts,
76127
'dev:ssr': `ng run ${project}:${SERVE_SSR_TARGET_NAME}`,
@@ -111,15 +162,40 @@ function updateApplicationBuilderTsConfigRule(options: SSROptions): Rule {
111162
function updateApplicationBuilderWorkspaceConfigRule(
112163
projectRoot: string,
113164
options: SSROptions,
165+
{ logger }: SchematicContext,
114166
): Rule {
115167
return updateWorkspace((workspace) => {
116168
const buildTarget = workspace.projects.get(options.project)?.targets.get('build');
117169
if (!buildTarget) {
118170
return;
119171
}
120172

173+
let outputPath = buildTarget.options?.outputPath;
174+
if (outputPath && isJsonObject(outputPath)) {
175+
if (outputPath.browser === '') {
176+
const base = outputPath.base as string;
177+
logger.warn(
178+
`The output location of the browser build has been updated from "${base}" to "${posix.join(
179+
base,
180+
DEFAULT_BROWSER_DIR,
181+
)}".
182+
You might need to adjust your deployment pipeline.`,
183+
);
184+
185+
if (
186+
(outputPath.media && outputPath.media !== DEFAULT_MEDIA_DIR) ||
187+
(outputPath.server && outputPath.server !== DEFAULT_SERVER_DIR)
188+
) {
189+
delete outputPath.browser;
190+
} else {
191+
outputPath = outputPath.base;
192+
}
193+
}
194+
}
195+
121196
buildTarget.options = {
122197
...buildTarget.options,
198+
outputPath,
123199
prerender: true,
124200
ssr: {
125201
entry: join(normalize(projectRoot), 'server.ts'),
@@ -238,23 +314,22 @@ function addDependencies(isUsingApplicationBuilder: boolean): Rule {
238314

239315
function addServerFile(options: ServerOptions, isStandalone: boolean): Rule {
240316
return async (host) => {
317+
const projectName = options.project;
241318
const workspace = await readWorkspace(host);
242-
const project = workspace.projects.get(options.project);
319+
const project = workspace.projects.get(projectName);
243320
if (!project) {
244-
throw new SchematicsException(`Invalid project name (${options.project})`);
321+
throw new SchematicsException(`Invalid project name (${projectName})`);
245322
}
323+
const isUsingApplicationBuilder =
324+
project?.targets?.get('build')?.builder === Builders.Application;
246325

247-
const browserDistDirectory = await getOutputPath(host, options.project, 'build');
326+
const browserDistDirectory = isUsingApplicationBuilder
327+
? (await getApplicationBuilderOutputPaths(host, projectName)).browser
328+
: await getLegacyOutputPaths(host, projectName, 'build');
248329

249330
return mergeWith(
250331
apply(
251-
url(
252-
`./files/${
253-
project?.targets?.get('build')?.builder === Builders.Application
254-
? 'application-builder'
255-
: 'server-builder'
256-
}`,
257-
),
332+
url(`./files/${isUsingApplicationBuilder ? 'application-builder' : 'server-builder'}`),
258333
[
259334
applyTemplates({
260335
...strings,
@@ -270,7 +345,7 @@ function addServerFile(options: ServerOptions, isStandalone: boolean): Rule {
270345
}
271346

272347
export default function (options: SSROptions): Rule {
273-
return async (host) => {
348+
return async (host, context) => {
274349
const browserEntryPoint = await getMainFilePath(host, options.project);
275350
const isStandalone = isStandaloneApp(host, browserEntryPoint);
276351

@@ -289,7 +364,7 @@ export default function (options: SSROptions): Rule {
289364
}),
290365
...(isUsingApplicationBuilder
291366
? [
292-
updateApplicationBuilderWorkspaceConfigRule(clientProject.root, options),
367+
updateApplicationBuilderWorkspaceConfigRule(clientProject.root, options, context),
293368
updateApplicationBuilderTsConfigRule(options),
294369
]
295370
: [

0 commit comments

Comments
 (0)