astro-sw/index.js

216 lines
7.5 KiB
JavaScript

import { readFile, writeFile, readdir, unlink } from 'node:fs/promises';
import { fileURLToPath } from 'node:url';
import { randomUUID } from "node:crypto";
import path from 'pathe';
import { build } from 'esbuild';
/**
* @typedef {import('astro').AstroIntegration} AstroIntegration
* @typedef {import('esbuild').BuildOptions} BuildOptions
* @typedef {{
* path: string,
* assetCachePrefix?: string,
* assetCacheVersionID?: string,
* customRoutes?: Array<string>,
* excludeRoutes?: Array<string,
* logAssets?: true,
* esbuild?: BuildOptions
* }} ServiceWorkerConfig
*/
/**
* Accepts configuration options with service worker path
* and injects needed variables such as `__assets` generated by Astro
* @param {ServiceWorkerConfig} config
* @returns {AstroIntegration}
*/
export default function serviceWorker(config) {
let {
assetCachePrefix,
assetCacheVersionID = randomUUID(),
path: serviceWorkerPath,
customRoutes = [],
excludeRoutes = [],
logAssets = false,
esbuild = {}
} = config;
/**
* @type {Array<string>}
*/
let assets = [];
const registrationScript = `const registerSW = async () => {
if ("serviceWorker" in navigator) {
try {
const registration = await navigator.serviceWorker.register("/sw.js", {
scope: "/",
});
if (registration.installing) {
// installingFn();
console.log('[astro-sw] Installing...')
} else if (registration.waiting) {
// installedFn();
console.log('[astro-sw] Installed...')
} else if (registration.active) {
// activeFn();
console.log('[astro-sw] Active...')
}
} catch (error) {
// onError(error);
console.error('[astro-sw] ERR', error)
}
} else {
// onUnsupported();
console.log('[astro-sw] Browser does not support Service Worker')
}
}
registerSW();`
let output = 'static';
const __dirname = path.resolve(path.dirname('.'));
return {
'name': 'astro-sw',
'hooks': {
'astro:config:setup': async ({ injectScript, config, command, logger }) => {
output = config.output;
if (command === 'build') {
injectScript('page', registrationScript);
}
const injectedTypeDefinitions = `
/***
* @ayco/astro-sw injected variables
*/
declare const __assets: string;
declare const __version: string;
declare const __prefix: string;
`
const envTs = path.join(__dirname, 'src/env.d.ts');
try {
await writeFile(
envTs,
injectedTypeDefinitions,
{ flag: 'a+' }
);
} catch (err) {
logger.error(err.toString())
}
},
'astro:build:ssr': ({ manifest }) => {
const files = manifest.routes.map(route => route.file.replaceAll('/', ''));
const assetsMinusFiles = manifest.assets.filter(ass => !files.includes(ass.replaceAll('/', '')));
assets = output === 'static'
? assetsMinusFiles
: manifest.assets.filter(ass => !ass.includes('sw.js'));
},
'astro:build:done': async ({ dir, routes, pages, logger }) => {
const outfile = fileURLToPath(new URL('./sw.js', dir));
const swPath = path.join(__dirname, serviceWorkerPath ?? '');
let originalScript;
const _publicFiles = (await readdir(dir, { withFileTypes: true }) ?? [])
.filter(dirent => dirent.isFile())
.map(dirent => `/${dirent.name}`);
const _routes = routes
.filter(({ isIndex }) => isIndex)
.map(({ pathname }) => pathname)
.filter(pathname => pathname !== '')
?? [];
const _pages = pages
.filter(({ pathname }) => pathname !== '')
.map(({ pathname }) => `/${pathname}`)
?? [];
const _pagesWithoutEndSlash = pages
.filter(({ pathname }) => pathname !== '')
.map(({ pathname }) => {
const lastChar = pathname.slice(-1);
const len = pathname.length;
return lastChar === '/'
? `/${pathname.slice(0, len - 1)}`
: `/${pathname}`;
})
.filter(pathname => pathname !== '')
?? [];
const _excludeRoutes = [
...excludeRoutes,
...excludeRoutes.map(route => `${route}/`)
];
assets = [...new Set([
...assets,
..._routes,
..._pages,
..._pagesWithoutEndSlash,
...customRoutes,
..._publicFiles
])].filter(asset => !!asset
&& asset !== ''
&& !asset.includes('404')
&& !asset.includes('index.html')
&& !_excludeRoutes.includes(asset)
);
logger.info(`${assets.length} assets for caching.`);
if (logAssets) {
logger.info('Assets: ' + assets.toString().replaceAll(',', ', '));
}
try {
logger.info(`Using service worker: ${swPath}`);
originalScript = await readFile(swPath);
} catch {
logger.error(`Service worker script not found! ${swPath}`)
}
const assetsDeclaration = `const __assets = ${JSON.stringify(assets)};\n`;
const versionDeclaration = `const __version = ${JSON.stringify(assetCacheVersionID)};\n`;
const prefixDeclaration = `const __prefix = ${JSON.stringify(assetCachePrefix)};\n`;
/**
* TODO: allow importing in dev's sw.js by resolving imports
*/
const tempFile = `${swPath}.tmp.ts`;
try {
await writeFile(
tempFile,
assetsDeclaration + versionDeclaration + prefixDeclaration + originalScript,
{ flag: 'w+' }
);
} catch (err) {
logger.error(err.toString())
}
try {
await build({
entryPoints: [tempFile],
outfile,
platform: 'browser',
bundle: true,
...esbuild
})
} catch (err) {
logger.error(err.toString())
}
// remove temp file
try {
await unlink(tempFile);
} catch (err) {
logger.error(err.toString())
}
}
}
}
};