Skip to content

Commit 5880a02

Browse files
committed
fix(@angular/ssr): correctly handle serving of prerendered i18n pages
Ensures proper handling of internationalized (i18n) pages during the serving of prerendered content. (cherry picked from commit e4448bb)
1 parent c5a83cc commit 5880a02

File tree

9 files changed

+107
-26
lines changed

9 files changed

+107
-26
lines changed

packages/angular/build/src/builders/application/execute-post-bundle.ts

+3
Original file line numberDiff line numberDiff line change
@@ -63,6 +63,7 @@ export async function executePostBundleSteps(
6363
const {
6464
baseHref = '/',
6565
serviceWorker,
66+
i18nOptions,
6667
indexHtmlOptions,
6768
optimizationOptions,
6869
sourcemapOptions,
@@ -114,6 +115,7 @@ export async function executePostBundleSteps(
114115
optimizationOptions.styles.inlineCritical ?? false,
115116
undefined,
116117
locale,
118+
baseHref,
117119
);
118120

119121
additionalOutputFiles.push(
@@ -194,6 +196,7 @@ export async function executePostBundleSteps(
194196
optimizationOptions.styles.inlineCritical ?? false,
195197
serializableRouteTreeNodeForManifest,
196198
locale,
199+
baseHref,
197200
);
198201

199202
for (const chunk of serverAssetsChunks) {

packages/angular/build/src/utils/server-rendering/manifest.ts

+5-1
Original file line numberDiff line numberDiff line change
@@ -103,6 +103,8 @@ export default {
103103
* server-side rendering and routing.
104104
* @param locale - An optional string representing the locale or language code to be used for
105105
* the application, helping with localization and rendering content specific to the locale.
106+
* @param baseHref - The base HREF for the application. This is used to set the base URL
107+
* for all relative URLs in the application.
106108
*
107109
* @returns An object containing:
108110
* - `manifestContent`: A string of the SSR manifest content.
@@ -114,6 +116,7 @@ export function generateAngularServerAppManifest(
114116
inlineCriticalCss: boolean,
115117
routes: readonly unknown[] | undefined,
116118
locale: string | undefined,
119+
baseHref: string,
117120
): {
118121
manifestContent: string;
119122
serverAssetsChunks: BuildOutputFile[];
@@ -142,9 +145,10 @@ export function generateAngularServerAppManifest(
142145
export default {
143146
bootstrap: () => import('./main.server.mjs').then(m => m.default),
144147
inlineCriticalCss: ${inlineCriticalCss},
148+
baseHref: '${baseHref}',
149+
locale: ${locale !== undefined ? `'${locale}'` : undefined},
145150
routes: ${JSON.stringify(routes, undefined, 2)},
146151
assets: new Map([\n${serverAssetsContent.join(', \n')}\n]),
147-
locale: ${locale !== undefined ? `'${locale}'` : undefined},
148152
};
149153
`;
150154

packages/angular/build/src/utils/server-rendering/prerender.ts

+1-3
Original file line numberDiff line numberDiff line change
@@ -165,7 +165,6 @@ export async function prerenderPages(
165165
workspaceRoot,
166166
outputFilesForWorker,
167167
assetsReversed,
168-
appShellOptions,
169168
outputMode,
170169
appShellRoute ?? appShellOptions?.route,
171170
);
@@ -188,7 +187,6 @@ async function renderPages(
188187
workspaceRoot: string,
189188
outputFilesForWorker: Record<string, string>,
190189
assetFilesForWorker: Record<string, string>,
191-
appShellOptions: AppShellOptions | undefined,
192190
outputMode: OutputMode | undefined,
193191
appShellRoute: string | undefined,
194192
): Promise<{
@@ -224,7 +222,7 @@ async function renderPages(
224222
for (const { route, redirectTo, renderMode } of serializableRouteTreeNode) {
225223
// Remove the base href from the file output path.
226224
const routeWithoutBaseHref = addTrailingSlash(route).startsWith(baseHrefWithLeadingSlash)
227-
? addLeadingSlash(route.slice(baseHrefWithLeadingSlash.length - 1))
225+
? addLeadingSlash(route.slice(baseHrefWithLeadingSlash.length))
228226
: route;
229227

230228
const outPath = posix.join(removeLeadingSlash(routeWithoutBaseHref), 'index.html');

packages/angular/ssr/src/app.ts

+28-2
Original file line numberDiff line numberDiff line change
@@ -214,8 +214,7 @@ export class AngularServerApp {
214214
return null;
215215
}
216216

217-
const { pathname } = stripIndexHtmlFromURL(new URL(request.url));
218-
const assetPath = stripLeadingSlash(joinUrlParts(pathname, 'index.html'));
217+
const assetPath = this.buildServerAssetPathFromRequest(request);
219218
if (!this.assets.hasServerAsset(assetPath)) {
220219
return null;
221220
}
@@ -355,6 +354,33 @@ export class AngularServerApp {
355354

356355
return new Response(html, responseInit);
357356
}
357+
358+
/**
359+
* Constructs the asset path on the server based on the provided HTTP request.
360+
*
361+
* This method processes the incoming request URL to derive a path corresponding
362+
* to the requested asset. It ensures the path points to the correct file (e.g.,
363+
* `index.html`) and removes any base href if it is not part of the asset path.
364+
*
365+
* @param request - The incoming HTTP request object.
366+
* @returns The server-relative asset path derived from the request.
367+
*/
368+
private buildServerAssetPathFromRequest(request: Request): string {
369+
let { pathname: assetPath } = new URL(request.url);
370+
if (!assetPath.endsWith('/index.html')) {
371+
// Append "index.html" to build the default asset path.
372+
assetPath = joinUrlParts(assetPath, 'index.html');
373+
}
374+
375+
const { baseHref } = this.manifest;
376+
// Check if the asset path starts with the base href and the base href is not (`/` or ``).
377+
if (baseHref.length > 1 && assetPath.startsWith(baseHref)) {
378+
// Remove the base href from the start of the asset path to align with server-asset expectations.
379+
assetPath = assetPath.slice(baseHref.length);
380+
}
381+
382+
return stripLeadingSlash(assetPath);
383+
}
358384
}
359385

360386
let angularServerApp: AngularServerApp | undefined;

packages/angular/ssr/src/manifest.ts

+6
Original file line numberDiff line numberDiff line change
@@ -71,6 +71,12 @@ export interface AngularAppEngineManifest {
7171
* Manifest for a specific Angular server application, defining assets and bootstrap logic.
7272
*/
7373
export interface AngularAppManifest {
74+
/**
75+
* The base href for the application.
76+
* This is used to determine the root path of the application.
77+
*/
78+
readonly baseHref: string;
79+
7480
/**
7581
* A map of assets required by the server application.
7682
* Each entry in the map consists of:

packages/angular/ssr/test/app-engine_spec.ts

+52-11
Original file line numberDiff line numberDiff line change
@@ -34,15 +34,44 @@ describe('AngularAppEngine', () => {
3434
async () => {
3535
@Component({
3636
standalone: true,
37-
selector: `app-home-${locale}`,
38-
template: `Home works ${locale.toUpperCase()}`,
37+
selector: `app-ssr-${locale}`,
38+
template: `SSR works ${locale.toUpperCase()}`,
3939
})
40-
class HomeComponent {}
40+
class SSRComponent {}
41+
42+
@Component({
43+
standalone: true,
44+
selector: `app-ssg-${locale}`,
45+
template: `SSG works ${locale.toUpperCase()}`,
46+
})
47+
class SSGComponent {}
4148

4249
setAngularAppTestingManifest(
43-
[{ path: 'home', component: HomeComponent }],
44-
[{ path: '**', renderMode: RenderMode.Server }],
50+
[
51+
{ path: 'ssg', component: SSGComponent },
52+
{ path: 'ssr', component: SSRComponent },
53+
],
54+
[
55+
{ path: 'ssg', renderMode: RenderMode.Prerender },
56+
{ path: '**', renderMode: RenderMode.Server },
57+
],
4558
'/' + locale,
59+
{
60+
'ssg/index.html': {
61+
size: 25,
62+
hash: 'f799132d0a09e0fef93c68a12e443527700eb59e6f67fcb7854c3a60ff082fde',
63+
text: async () => `<html>
64+
<head>
65+
<title>SSG page</title>
66+
<base href="/${locale}" />
67+
</head>
68+
<body>
69+
SSG works ${locale.toUpperCase()}
70+
</body>
71+
</html>
72+
`,
73+
},
74+
},
4675
);
4776

4877
return {
@@ -58,29 +87,41 @@ describe('AngularAppEngine', () => {
5887
appEngine = new AngularAppEngine();
5988
});
6089

61-
describe('render', () => {
90+
describe('handle', () => {
6291
it('should return null for requests to unknown pages', async () => {
6392
const request = new Request('https://example.com/unknown/page');
6493
const response = await appEngine.handle(request);
6594
expect(response).toBeNull();
6695
});
6796

6897
it('should return null for requests with unknown locales', async () => {
69-
const request = new Request('https://example.com/es/home');
98+
const request = new Request('https://example.com/es/ssr');
7099
const response = await appEngine.handle(request);
71100
expect(response).toBeNull();
72101
});
73102

74103
it('should return a rendered page with correct locale', async () => {
75-
const request = new Request('https://example.com/it/home');
104+
const request = new Request('https://example.com/it/ssr');
76105
const response = await appEngine.handle(request);
77-
expect(await response?.text()).toContain('Home works IT');
106+
expect(await response?.text()).toContain('SSR works IT');
78107
});
79108

80109
it('should correctly render the content when the URL ends with "index.html" with correct locale', async () => {
81-
const request = new Request('https://example.com/it/home/index.html');
110+
const request = new Request('https://example.com/it/ssr/index.html');
111+
const response = await appEngine.handle(request);
112+
expect(await response?.text()).toContain('SSR works IT');
113+
});
114+
115+
it('should return a serve prerendered page with correct locale', async () => {
116+
const request = new Request('https://example.com/it/ssg');
117+
const response = await appEngine.handle(request);
118+
expect(await response?.text()).toContain('SSG works IT');
119+
});
120+
121+
it('should correctly serve the prerendered content when the URL ends with "index.html" with correct locale', async () => {
122+
const request = new Request('https://example.com/it/ssg/index.html');
82123
const response = await appEngine.handle(request);
83-
expect(await response?.text()).toContain('Home works IT');
124+
expect(await response?.text()).toContain('SSG works IT');
84125
});
85126

86127
it('should return null for requests to unknown pages in a locale', async () => {

packages/angular/ssr/test/assets_spec.ts

+1
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@ describe('ServerAsset', () => {
1313

1414
beforeAll(() => {
1515
assetManager = new ServerAssets({
16+
baseHref: '/',
1617
bootstrap: undefined as never,
1718
assets: new Map(
1819
Object.entries({

packages/angular/ssr/test/testing-utils.ts

+1
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,7 @@ export function setAngularAppTestingManifest(
3131
): void {
3232
setAngularAppManifest({
3333
inlineCriticalCss: false,
34+
baseHref,
3435
assets: new Map(
3536
Object.entries({
3637
...additionalServerAssets,

tests/legacy-cli/e2e/tests/build/server-rendering/server-routes-output-mode-server-i18n-base-href.ts

+10-9
Original file line numberDiff line numberDiff line change
@@ -87,17 +87,18 @@ export default async function () {
8787

8888
// Tests responses
8989
const port = await spawnServer();
90-
const pathname = '/ssr';
91-
90+
const pathnamesToVerify = ['/ssr', '/ssg'];
9291
for (const { lang } of langTranslations) {
93-
const res = await fetch(`http://localhost:${port}/base/${lang}${pathname}`);
94-
const text = await res.text();
92+
for (const pathname of pathnamesToVerify) {
93+
const res = await fetch(`http://localhost:${port}/base/${lang}${pathname}`);
94+
const text = await res.text();
9595

96-
assert.match(
97-
text,
98-
new RegExp(`<p id="locale">${lang}</p>`),
99-
`Response for '${lang}${pathname}': '<p id="locale">${lang}</p>' was not matched in content.`,
100-
);
96+
assert.match(
97+
text,
98+
new RegExp(`<p id="locale">${lang}</p>`),
99+
`Response for '${lang}${pathname}': '<p id="locale">${lang}</p>' was not matched in content.`,
100+
);
101+
}
101102
}
102103
}
103104

0 commit comments

Comments
 (0)