npm install --save vapr
npm install --save vapr-static
This is a plugin that provides a basic static file server.
const staticFileServer = require('vapr-static');
const app = require('vapr')();
const route = app.notFound();
route.use(staticFileServer({ root: '/path/to/static/folder' }));
It's as simple as that!
This plugin also exports a function called getFilename()
which returns the fully resolved filename associated with a request, typically for logging purposes. If a valid filename could not be determined (e.g., because the request was invalid), it returns null
.
const { getFilename } = require('vapr-static');
route.use((req) => (res) => {
if (req.method === 'GET' && res.code === 404) {
console.error(`The requested file does not exist: ${getFilename(req)}`);
}
});
Under the hood, this plugin uses vapr-conditionals
to provide ETags, so you shouldn't use that plugin in combination with this one, and you shouldn't provide your own ETag implementation either. However, you may want to utilize vapr-caching
and/or vapr-compress
to improve the performance of serving static files.
This is the only required option. It's the (string) filesystem path of the directory from which to serve static files.
By default, for security purposes, this plugin will not serve files that have a path segment beginning with a dot ("."
). You can disable that behavior by setting this option to true
.
By default, ETags will automatically be generated to support conditional requests for static files (improving the performance of the server). However, you can disable ETags by setting this option to true
.
This option allows you to provide a "broker" function, which allows you to perform custom logic on incoming requests, before the filesystem is accessed.
The broker function takes two arguments. The first argument is a decoded (not containing percent-encodings) version of req.target.pathname
. The second argument is the req
object itself.
The broker function must return a filesystem path intended to replace the path given as the first argument. Alternatively, the broker can throw any valid vapr response.
Below are some examples of things you can do with a broker.
route.use(staticFileServer({
root: '/path/to/folder',
broker: (pathname) => {
if (pathname === '/') return '/index.html';
return pathname;
},
}));
const { extname } = require('path');
route.use(staticFileServer({
root: '/path/to/folder',
broker: (pathname) => {
if (!extname(pathname)) return pathname + '.html';
return pathname;
},
}));
route.use(staticFileServer({
root: '/path/to/folder',
broker: (pathname, req) => {
if (pathname !== '/' && pathname.endsWith('/')) {
throw [308, { location: req.target.pathname.slice(0, -1) }];
}
return pathname;
},
}));
route.use(staticFileServer({
root: '/path/to/folder',
broker: (pathname) => {
if (!pathname.startsWith('/static/')) throw 404;
return pathname.slice(7);
},
}));