Skip to content

Commit b461e06

Browse files
jkremspkozlowski-opensource
authored andcommittedMar 19, 2025·
fix(core): catch hydration marker with implicit body tag (#60429)
When the browser parses a valid html5 response like this: ```html <!-- ... --> <title>My page</title> </head> <!--nghm--> <app-root></app-root> <!-- ... --> ``` The resulting DOM will only start adding nodes to the body when it runs into the first non-header tag. E.g.: ```yml - head - title "My page" - comment "nghm" - body - app-root ``` This isn't a sign that comments are modified, so it seems worth to handle it gracefully. PR Close #60429
1 parent ae28db0 commit b461e06

File tree

4 files changed

+128
-37
lines changed

4 files changed

+128
-37
lines changed
 

‎packages/core/src/hydration/api.ts

+2-37
Original file line numberDiff line numberDiff line change
@@ -50,7 +50,7 @@ import {
5050
isIncrementalHydrationEnabled,
5151
NGH_DATA_KEY,
5252
processBlockData,
53-
SSR_CONTENT_INTEGRITY_MARKER,
53+
verifySsrContentsIntegrity,
5454
} from './utils';
5555
import {enableFindMatchingDehydratedViewImpl} from './views';
5656
import {DEHYDRATED_BLOCK_REGISTRY, DehydratedBlockRegistry} from '../defer/registry';
@@ -238,7 +238,7 @@ export function withDomHydration(): EnvironmentProviders {
238238
}
239239

240240
if (inject(IS_HYDRATION_DOM_REUSE_ENABLED)) {
241-
verifySsrContentsIntegrity();
241+
verifySsrContentsIntegrity(getDocument());
242242
enableHydrationRuntimeSupport();
243243
} else if (typeof ngDevMode !== 'undefined' && ngDevMode && !isClientRenderModeEnabled()) {
244244
const console = inject(Console);
@@ -397,38 +397,3 @@ function logWarningOnStableTimedout(time: number, console: Console): void {
397397

398398
console.warn(formatRuntimeError(RuntimeErrorCode.HYDRATION_STABLE_TIMEDOUT, message));
399399
}
400-
401-
/**
402-
* Verifies whether the DOM contains a special marker added during SSR time to make sure
403-
* there is no SSR'ed contents transformations happen after SSR is completed. Typically that
404-
* happens either by CDN or during the build process as an optimization to remove comment nodes.
405-
* Hydration process requires comment nodes produced by Angular to locate correct DOM segments.
406-
* When this special marker is *not* present - throw an error and do not proceed with hydration,
407-
* since it will not be able to function correctly.
408-
*
409-
* Note: this function is invoked only on the client, so it's safe to use DOM APIs.
410-
*/
411-
function verifySsrContentsIntegrity(): void {
412-
const doc = getDocument();
413-
let hydrationMarker: Node | undefined;
414-
for (const node of doc.body.childNodes) {
415-
if (
416-
node.nodeType === Node.COMMENT_NODE &&
417-
node.textContent?.trim() === SSR_CONTENT_INTEGRITY_MARKER
418-
) {
419-
hydrationMarker = node;
420-
break;
421-
}
422-
}
423-
if (!hydrationMarker) {
424-
throw new RuntimeError(
425-
RuntimeErrorCode.MISSING_SSR_CONTENT_INTEGRITY_MARKER,
426-
typeof ngDevMode !== 'undefined' &&
427-
ngDevMode &&
428-
'Angular hydration logic detected that HTML content of this page was modified after it ' +
429-
'was produced during server side rendering. Make sure that there are no optimizations ' +
430-
'that remove comment nodes from HTML enabled on your CDN. Angular hydration ' +
431-
'relies on HTML produced by the server, including whitespaces and comment nodes.',
432-
);
433-
}
434-
}

‎packages/core/src/hydration/utils.ts

+62
Original file line numberDiff line numberDiff line change
@@ -697,3 +697,65 @@ export function processBlockData(injector: Injector): Map<string, BlockSummary>
697697
}
698698
return blockDetails;
699699
}
700+
701+
function isSsrContentsIntegrity(node: ChildNode | null): boolean {
702+
return (
703+
!!node &&
704+
node.nodeType === Node.COMMENT_NODE &&
705+
node.textContent?.trim() === SSR_CONTENT_INTEGRITY_MARKER
706+
);
707+
}
708+
709+
function skipTextNodes(node: ChildNode | null): ChildNode | null {
710+
// Ignore whitespace. Before the <body>, we shouldn't find text nodes that aren't whitespace.
711+
while (node && node.nodeType === Node.TEXT_NODE) {
712+
node = node.previousSibling;
713+
}
714+
return node;
715+
}
716+
717+
/**
718+
* Verifies whether the DOM contains a special marker added during SSR time to make sure
719+
* there is no SSR'ed contents transformations happen after SSR is completed. Typically that
720+
* happens either by CDN or during the build process as an optimization to remove comment nodes.
721+
* Hydration process requires comment nodes produced by Angular to locate correct DOM segments.
722+
* When this special marker is *not* present - throw an error and do not proceed with hydration,
723+
* since it will not be able to function correctly.
724+
*
725+
* Note: this function is invoked only on the client, so it's safe to use DOM APIs.
726+
*/
727+
export function verifySsrContentsIntegrity(doc: Document): void {
728+
for (const node of doc.body.childNodes) {
729+
if (isSsrContentsIntegrity(node)) {
730+
return;
731+
}
732+
}
733+
734+
// Check if the HTML parser may have moved the marker to just before the <body> tag,
735+
// e.g. because the body tag was implicit and not present in the markup. An implicit body
736+
// tag is unlikely to interfer with whitespace/comments inside of the app's root element.
737+
738+
// Case 1: Implicit body. Example:
739+
// <!doctype html><head><title>Hi</title></head><!--nghm--><app-root></app-root>
740+
const beforeBody = skipTextNodes(doc.body.previousSibling);
741+
if (isSsrContentsIntegrity(beforeBody)) {
742+
return;
743+
}
744+
745+
// Case 2: Implicit body & head. Example:
746+
// <!doctype html><head><title>Hi</title><!--nghm--><app-root></app-root>
747+
let endOfHead = skipTextNodes(doc.head.lastChild);
748+
if (isSsrContentsIntegrity(endOfHead)) {
749+
return;
750+
}
751+
752+
throw new RuntimeError(
753+
RuntimeErrorCode.MISSING_SSR_CONTENT_INTEGRITY_MARKER,
754+
typeof ngDevMode !== 'undefined' &&
755+
ngDevMode &&
756+
'Angular hydration logic detected that HTML content of this page was modified after it ' +
757+
'was produced during server side rendering. Make sure that there are no optimizations ' +
758+
'that remove comment nodes from HTML enabled on your CDN. Angular hydration ' +
759+
'relies on HTML produced by the server, including whitespaces and comment nodes.',
760+
);
761+
}

‎packages/core/test/bundling/hydration/bundle.golden_symbols.json

+2
Original file line numberDiff line numberDiff line change
@@ -345,6 +345,7 @@
345345
"isReadableStreamLike",
346346
"isRefreshingViews",
347347
"isRootView",
348+
"isSsrContentsIntegrity",
348349
"isSubscription",
349350
"isTemplateNode",
350351
"isTypeProvider",
@@ -437,6 +438,7 @@
437438
"shimStylesContent",
438439
"shouldSearchParent",
439440
"siblingAfter",
441+
"skipTextNodes",
440442
"sortAndConcatParams",
441443
"storeLViewOnDestroy",
442444
"stringify",
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,62 @@
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.dev/license
7+
*/
8+
9+
import {verifySsrContentsIntegrity, SSR_CONTENT_INTEGRITY_MARKER} from '../../src/hydration/utils';
10+
11+
describe('verifySsrContentsIntegrity', () => {
12+
if (typeof DOMParser === 'undefined') {
13+
it('is only tested in the browser', () => {
14+
expect(typeof DOMParser).toBe('undefined');
15+
});
16+
return;
17+
}
18+
19+
async function doc(html: string): Promise<Document> {
20+
return new DOMParser().parseFromString(html, 'text/html');
21+
}
22+
23+
it('fails without integrity marker comment', async () => {
24+
const dom = await doc('<app-root></app-root>');
25+
expect(() => verifySsrContentsIntegrity(dom)).toThrowError(/NG0507/);
26+
});
27+
28+
it('succeeds with "complete" DOM', async () => {
29+
const dom = await doc(
30+
`<!doctype html><head><title>Hi</title></head><body><!--${SSR_CONTENT_INTEGRITY_MARKER}--><app-root></app-root></body>`,
31+
);
32+
expect(() => verifySsrContentsIntegrity(dom)).not.toThrow();
33+
});
34+
35+
it('succeeds with <body>-less DOM', async () => {
36+
const dom = await doc(
37+
`<!doctype html><head><title>Hi</title></head><!--${SSR_CONTENT_INTEGRITY_MARKER}--><app-root></app-root>`,
38+
);
39+
expect(() => verifySsrContentsIntegrity(dom)).not.toThrow();
40+
});
41+
42+
it('succeeds with <body>- and <head>-less DOM', async () => {
43+
const dom = await doc(
44+
`<!doctype html><title>Hi</title><!--${SSR_CONTENT_INTEGRITY_MARKER}--><app-root></app-root>`,
45+
);
46+
expect(() => verifySsrContentsIntegrity(dom)).not.toThrow();
47+
});
48+
49+
it('succeeds with <body>-less DOM that contains whitespace', async () => {
50+
const dom = await doc(
51+
`<!doctype html><head><title>Hi</title></head>\n<!--${SSR_CONTENT_INTEGRITY_MARKER}-->\n<app-root></app-root>`,
52+
);
53+
expect(() => verifySsrContentsIntegrity(dom)).not.toThrow();
54+
});
55+
56+
it('succeeds with <body>- and <head>-less DOM that contains whitespace', async () => {
57+
const dom = await doc(
58+
`<!doctype html><title>Hi</title>\n<!--${SSR_CONTENT_INTEGRITY_MARKER}-->\n<app-root></app-root>`,
59+
);
60+
expect(() => verifySsrContentsIntegrity(dom)).not.toThrow();
61+
});
62+
});

0 commit comments

Comments
 (0)
Please sign in to comment.