summaryrefslogtreecommitdiff
path: root/packages/integrations/web-vitals/src/middleware.ts
blob: 1935b78d78bd1203b8969adc84575ab01dcb0b7c (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
import type { MiddlewareHandler } from 'astro';

/**
 * Middleware which adds the web vitals `<meta>` tag to each page’s `<head>`.
 *
 * @example
 * <meta name="x-astro-vitals-route" content="/blog/[slug]" />
 */
export const onRequest: MiddlewareHandler = async ({ params, url }, next) => {
	const response = await next();
	const contentType = response.headers.get('Content-Type');
	if (contentType !== 'text/html') return response;
	const webVitalsMetaTag = getMetaTag(url, params);
	return new Response(
		response.body
			?.pipeThrough(new TextDecoderStream())
			.pipeThrough(HeadInjectionTransformStream(webVitalsMetaTag))
			.pipeThrough(new TextEncoderStream()),
		response,
	);
};

/** TransformStream which injects the passed HTML just before the closing </head> tag.  */
function HeadInjectionTransformStream(htmlToInject: string) {
	let hasInjected = false;
	return new TransformStream({
		transform: (chunk, controller) => {
			if (!hasInjected) {
				const headCloseIndex = chunk.indexOf('</head>');
				if (headCloseIndex > -1) {
					chunk = chunk.slice(0, headCloseIndex) + htmlToInject + chunk.slice(headCloseIndex);
					hasInjected = true;
				}
			}
			controller.enqueue(chunk);
		},
	});
}

/** Get a `<meta>` tag to identify the current Astro route. */
function getMetaTag(url: URL, params: Record<string, string | undefined>) {
	let route = url.pathname;
	for (const [key, value] of Object.entries(params)) {
		if (value) route = route.replace(value, `[${key}]`);
	}
	route = miniEncodeAttribute(stripTrailingSlash(route));
	return `<meta name="x-astro-vitals-route" content="${route}" />`;
}

function stripTrailingSlash(str: string) {
	return str.length > 1 && str.at(-1) === '/' ? str.slice(0, -1) : str;
}

function miniEncodeAttribute(str: string) {
	return str
		.replaceAll('&', '&amp;')
		.replaceAll('<', '&lt;')
		.replaceAll('>', '&gt;')
		.replaceAll('"', '&quot;');
}