Dynamically inline assets into the DOM using Fetch Injection.
Read the Hacker News discussion.
Fetch Inject implements a performance optimization technique called Fetch Injection for managing asynchronous JavaScript dependencies. It works for stylesheets too, and was designed to be extensible for any resource type that can be loaded using fetch.
Use Fetch Inject to dynamically import external resources in parallel (even across the network), and load them into your page in a desired sequence, at a desired time and under desirable runtime conditions.
Because it uses the Fetch API Fetch Inject works alongside Service Workers for creating offline-first, installable progressive web applications and saves bandwidth on metered networks.
Try CodePen Playground while referencing the Use Cases provided below.
The two following network waterfall diagrams were produced using Fetch Inject to load the WordPress Twenty Seventeen theme for a performance talk given at WordCamp Ubud 2017. Stats captured over a 4G network using a mobile Wi-Fi hotspot. The left-hand side shows page speed with an unprimed browser cache and the other using Service Worker caching.
Notice with Service Workers (right) most latency occurs waiting for the initial response.
bun i fetch-inject # or pnpm, yarn, npm, etc.Or import a version directly from CDN like:
<link rel="modulepreload" href="https://cdn.jsdelivr.net/npm/fetch-inject@3.3.1/+esm" />
<script type="module">
	import fetchInject from 'https://cdn.jsdelivr.net/npm/fetch-inject@3.3.1/+esm';
</script>Ships ESM by default. For asset pipelines requiring UMD, AMD or CJS check out version 2 and below.
Promise<Object[]> fetchInject( inputs[, promise[, options]] )
- inputs
- Resources to fetch. Must be an Arrayof typeUSVStringorRequestobjects.
- promise
- Optional. Promiseto await before injecting fetched resources.
- options
- Optional. Enables customization of Fetch implementation used.
A Promise that resolves to an Array of Objects. Each Object contains a list of resolved properties of the Response Body used by the module, e.g.
[
	{
		blob: { size: 44735, type: 'application/javascript' },
		text: '/*!โต * Bootstrap v4.0.0-alpha.5 ... */'
	},
	{
		blob: { size: 31000, type: 'text/css' },
		text: '/*!โต * Font Awesome 4.7.0 ... */'
	}
];Use the Playground to try any of these on your own.
Problem: External scripts can lead to jank or SPOF if not handled correctly.
Solution: Load external scripts without blocking:
fetchInject(['https://cdn.jsdelivr.net/npm/flexsearch/dist/flexsearch.bundle.min.js']);This is a simple case to get you started. Don't worry, it gets better.
Problem: PageSpeed Insights and Lighthouse ding you for loading unnecessary styles on initial render.
Solution: Inline your critical CSS and load non-critical styles asynchronously:
<style>
	/*! bulma.io v0.4.0 ... */
</style>
<script type="module">
	import fetchInject from 'https://cdn.jsdelivr.net/npm/fetch-inject@3.3.1/+esm';
	fetchInject([
		'/css/non-critical.css',
		'https://cdn.jsdelivr.net/fontawesome/4.7.0/css/font-awesome.min.css'
	]);
</script>See also Suspense below.
Problem: You want to load a script in response to a user interaction without affecting your page load times.
Solution: Create an event listener, respond to the event and then destroy the listener.
const el = document.querySelector('details summary');
el.onclick = (evt) => {
	fetchInject(['https://cdn.jsdelivr.net/smooth-scroll/10.2.1/smooth-scroll.min.js']);
	el.onclick = null;
};Here we are loading the smooth scroll polyfill when a user opens a details element, useful for displaying a collapsed and keyboard-friendly table of contents.
Problem: You need to perform a synchronous operation immediately after an asynchronous script is loaded.
Solution:
You could create a script element and use the async and onload attributes. Or you could...
fetchInject(['https://cdn.jsdelivr.net/momentjs/2.17.1/moment.min.js']).then(() => {
	console.log(`Finish in less than ${moment().endOf('year').fromNow(true)}`);
});Problem: You have several scripts that depend on one another and you want to load them all asynchronously, in parallel, without causing race conditions.
Solution:
Pass fetchInject to itself as a second argument, forming a promise recursion:
fetchInject(
	['https://npmcdn.com/bootstrap@4.0.0-alpha.5/dist/js/bootstrap.min.js'],
	fetchInject([
		'https://cdn.jsdelivr.net/jquery/3.1.1/jquery.slim.min.js',
		'https://npmcdn.com/tether@1.2.4/dist/js/tether.min.js'
	])
);Problem: You want to load some dependencies which require some dependencies, which require some dependencies. You want it all in parallel, and you want it now.
Solution:
You could scatter some links into your document head, blocking initial page render, bloat your application bundle with scripts the user might not actually need. Or you could...
const tether = ['https://cdn.jsdelivr.net/tether/1.4.0/tether.min.js'];
const drop = ['https://cdn.jsdelivr.net/drop/1.4.2/js/drop.min.js'];
const tooltip = [
	'https://cdn.jsdelivr.net/tooltip/1.2.0/tooltip.min.js',
	'https://cdn.jsdelivr.net/tooltip/1.2.0/tooltip-theme-arrows.css'
];
fetchInject(tooltip, fetchInject(drop, fetchInject(tether))).then(() => {
	new Tooltip({
		target: document.querySelector('h1'),
		content: 'You moused over the first <b>H1</b>!',
		classes: 'tooltip-theme-arrows',
		position: 'bottom center'
	});
});What about jQuery dropdown menus? Sure why not...
fetchInject(
	['/assets/js/main.js'],
	fetchInject(
		['/assets/js/vendor/superfish.min.js'],
		fetchInject(
			['/assets/js/vendor/jquery.transit.min.js', '/assets/js/vendor/jquery.hoverIntent.js'],
			fetchInject(['/assets/js/vendor/jquery.min.js'])
		)
	)
);Problem: You want to deep link to gallery images using PhotoSwipe without slowing down your page.
Solution: Download everything in parallel and instantiate when finished:
const container = document.querySelector('.pswp')
const items = JSON.parse({{ .Params.gallery.main | jsonify }})
fetchInject([
  '/css/photoswipe.css',
  '/css/default-skin/default-skin.css',
  '/js/photoswipe.min.js',
  '/js/photoswipe-ui-default.min.js'
]).then(() => {
  const gallery = new PhotoSwipe(container, PhotoSwipeUI_Default, items)
  gallery.init()
})This example turns TOML into JSON, parses the object, downloads all of the PhotoSwipe goodies and then activates the PhotoSwipe gallery immediately when the interface is ready to be displayed.
Problem: You're experiencing a flash of unstyled content when lazy-loading page resources.
Solution: Hide the content until your styles are ready:
const pageReady = new Promise((resolve, reject) => {
	document.onreadystatechange = () => {
		document.readyState === 'complete' && resolve(document);
	};
});
fetchInject(
	['https://cdn.jsdelivr.net/npm/bootstrap@4.0.0/dist/css/bootstrap.min.css'],
	pageReady
).then(() => (document.body.style.visibility = 'visible'));Problem: You want to run A/B tests and track the winning experience.
Solution: Dynamically import Fetch Inject, and display and report the winning experience.
<script type="module">
	localStorage.setItem('experience', ['test-a.css', 'test-a.js']);
	const experience = localStorage.getItem('experience');
	const analytics = 'analytics.min.js';
	import('https://cdn.jsdelivr.net/npm/fetch-inject')
	  .then((module) => {
	    console.time('page-time');
	    module.default(experience.split(',').concat(analytics))
	      .then((injections) => {
	        analytics.track({
	          testGroup: experience, // "test-a.css,test-a.js"
	          waitTime: console.timeLog('page-time') // "0.231953125 ms"
	          extraData: injections // [ Blob {size: 7889, ...} ]
	        });
	        document.onclose = _ => analytics.track({
	          testGroup: experience,
	          pageTime: console.endTime('page-time') // "8.29296875 ms"
	        })
	      })
	      .catch((errors) => analytics.error(errors))
	  });
</script>Use alongside Suspense for a winning combination.
Version 3.3.1 introduces support for HTML lt;template> element Fetch Injection, making it possible to build web components using using HTML templates without a build step. To use it simply create an HTML file like:
<template id="PICO-PROMPT">
	<link
		rel="stylesheet"
		href="https://cdn.jsdelivr.net/npm/@picocss/pico@2/css/pico.classless.min.css"
	/>
	<label for="prompt"><slot name="label">Prompt:</slot></label>
	<textarea name="prompt" id="prompt"></textarea>
	<small>75 of 75 tokens remaining</small>
</template>Define your custom element in a JS file:
customElements.define(
	'pico-prompt',
	class extends HTMLElement {
		static observedAttributes = ['placeholder', 'value', 'disabled'];
		constructor() {
			super()
				.attachShadow({ mode: 'open' })
				.append(document.getElementById(this.nodeName).content.cloneNode(true));
		}
		/* snip */
	}
);Ensure HTML templates are injected before registering your custom elements:
<script type="module">
	import fetchInject from 'https://cdn.jsdelivr.net/npm/fetch-inject@3.3.1/+esm';
	fetchInject(
		['./components/pico-dialog.js', './components/pico-prompt.js', './components/pico-fab.js'],
		fetchInject([
			'./components/pico-dialog.html',
			'./components/pico-prompt.html',
			'./components/pico-fab.html'
		]).then(() => {
			document.body.style.visibility = 'visible';
		})
	);
</script>Combine with Suspense to avoid FOUC.
As of version 3.1.0 Fetch Inject supports use with SvelteKit. Use it inside your load functions to run Fetch requests client- and server-side. Or drop it inside your hooks in order to inject resources into the document like so:
export const handle: Handle = sequence(
	async ({ event, resolve }) => {
		const response = await resolve(event);
		const [flexsearch] = await fetchInject([
			'https://cdn.jsdelivr.net/npm/flexsearch/dist/flexsearch.light.min.js'
		]);
		const body = await response.text();
		return new Response(
			body.replace('</body>', `<script>${flexsearch.text}</script></body>`),
			response
		);
	}
	/* snip */
);The above will inject FlexSearch into every page on the site.
Fetch Inject 3.0.0 quietly introduced a new feature allowing control the Fetch implementation used. SvelteKit provides its own server-side Fetch implementation, which you can now override when fetching resources with Fetch Inject:
fetchInject(['/assets/scripts/crawlers.js'], Promise.resolve(), { fetch: globalThis.fetch });The above replaces the SvelteKit fetch implementation with native fetch.
All browsers with support for Fetch and Promises.
You don't need to polyfill fetch for older browsers when they already know how to load external scripts. Give them a satisfactory fallback experience instead.
In your document head get the async loading started right away if the browser supports it:
(function () {
	if (!window.fetch) return;
	fetchInject(
		['/js/bootstrap.min.js'],
		fetchInject(['/js/jquery.slim.min.js', '/js/tether.min.js'])
	);
})();Then, before the close of the document body (if JS) or in the head (if CSS), provide the traditional experience:
(function () {
	if (window.fetch) return;
	document.write('<script src="/js/bootstrap.min.js"></script>');
	document.write('<script src="/js/jquery.slim.min.jss"></script>');
	document.write('<script src="/js/tether.min.js"></script>');
})();This is entirely optional, but a good practice unless you're going full hipster.
- fetch - Polyfill for window.fetch
- promise-polyfill - Polyfill for Promises
- es-module-loader - Polyfill for the ES Module Loader
- isomorphic-fetch - A library for using fetchin Node
- Dynamic Imports - import()proposal for JavaScript
- load-stylesheets - Promise-based stylesheet-loading via <link>tags
- PreloadJS - Full-featured JS preloader using XHR2
- Gluebert - Helper for lazy-loading DOM elements using import()
- node-fetch - A light-weight module that brings the Fetch API to Node.js
Fetch Inject has been built into a WordPress plugin, enabling Fetch Injection to work within WordPress. Initial testing shows Fetch Injection enables WordPress to load pages 300% faster than conventional methods.
Access the plugin from the Hyperdrive repo and see the related Hacker Noon post for more details.
Fetch Inject - Dynamically inline assets into the DOM using Fetch Injection.
Copyright (C) 2017-2019, 2022ย ย VHS <vhsdev@tutanota.com> (https://vhs.codeberg.page)
This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software.
See the file COPYING in the source for full license text.


