Tiny LiveReload Server
tiny-lr is a minimalist LiveReload server implementation designed for integration into build workflows. It provides an HTTP server and Express middleware with a simple REST API to broadcast file change notifications to connected LiveReload clients. Unlike comprehensive live-reloading solutions, tiny-lr does not include file watching capabilities itself; users must integrate it with an external file watcher (e.g., from a build tool like Gulp or Grunt). The current stable version is 2.0.0, which marked a return to active development after a period of dormancy, focusing on dependency updates and modern browser compatibility. Its primary differentiators are its focused scope (only serving reload notifications), ease of integration into existing build chains, and low overhead, making it suitable for projects that prefer to manage file watching separately.
Common errors
-
Error: listen EADDRINUSE :::35729
cause Another process is already using port 35729, which is the default for LiveReload. This often happens if a previous instance of tiny-lr or another application using this port was not properly shut down.fixEnsure no other applications are running on port 35729. On Linux/macOS, use `lsof -i :35729` to identify and kill the process. On Windows, use `netstat -ano | findstr :35729` and then `taskkill /PID <PID> /F`. -
TypeError: app.use is not a function
cause This error occurs if `tinylr.middleware` is called without providing an Express/Connect application instance, or if `app` is not a valid Express/Connect app.fixWhen using `tinylr.middleware`, ensure you pass a valid Express/Connect application instance, e.g., `tinylr.middleware({ app: app })` where `app = express();`. -
Error: Not Found (404) for /changed endpoint
cause This usually indicates that the `tiny-lr` server or its middleware is not correctly configured or running, or `body-parser` is missing for POST requests.fixVerify that `lrServer.listen()` is called and the server is running, or that `app.use(tinylr.middleware({ app: app }))` is in your Express app's middleware stack, preceded by `body-parser` if using POST requests. Check the port being targeted. -
Browser LiveReload extension not working/connecting
cause The most common causes are the tiny-lr server not running on the standard port 35729, the browser extension not being enabled, or a firewall blocking the connection.fixConfirm tiny-lr is listening on port 35729. Check your browser's extension icon to ensure LiveReload is active for your page. Inspect browser console for `livereload.js` connection errors. Disable firewalls temporarily for testing.
Warnings
- breaking Version 2.0.0 of tiny-lr includes a breaking change where the underlying `livereload-js` client library dropped support for Internet Explorer versions 6-9. Projects requiring compatibility with these legacy browsers should use an older version of tiny-lr or find an alternative.
- gotcha For browser extensions (e.g., Chrome, Firefox LiveReload extensions) to function correctly, tiny-lr *must* listen on its standard port `35729`. If a different port is used, users must manually inject the LiveReload client-side script into their HTML.
- gotcha tiny-lr is a notification server only; it does not include file watching capabilities. Developers must integrate it with a separate file watcher (e.g., Gulp, Grunt, Webpack, chokidar) that detects changes and then sends notifications to tiny-lr's API.
- gotcha When using tiny-lr as Express/Connect middleware for handling POST requests (e.g., `POST /changed`), `body-parser` (or similar middleware) is required to be mounted *before* tiny-lr's middleware in the application stack to parse the request body.
- deprecated The package was largely unmaintained for an extended period prior to version 2.0.0, leading to forks like `mini-lr` and `tiny-lr-fork` to address issues, particularly with npm v3's flat module directory structure. While tiny-lr is now active, be aware of its historical maintenance gaps.
Install
-
npm install tiny-lr -
yarn add tiny-lr -
pnpm add tiny-lr
Imports
- tinylr
import tinylr from 'tiny-lr';
const tinylr = require('tiny-lr'); - tinylr.Server
import { Server as LiveReloadServer } from 'tiny-lr';const LiveReloadServer = require('tiny-lr').Server; - tinylr.middleware
import { middleware as livereloadMiddleware } from 'tiny-lr';const livereloadMiddleware = require('tiny-lr').middleware;
Quickstart
const tinylr = require('tiny-lr');
const express = require('express');
const bodyParser = require('body-parser');
const path = require('path');
const port = process.env.LR_PORT || 35729; // Standard LiveReload port
const app = express();
// Start the LiveReload server independently
const lrServer = tinylr();
lrServer.listen(port, function() {
console.log(`LiveReload server listening on port ${port} (for browser extensions).`);
});
// Or integrate as Express middleware
app.use(bodyParser.json());
app.use(bodyParser.urlencoded({ extended: true }));
app.use(tinylr.middleware({ app: app }));
app.use(express.static(path.resolve('./public'))); // Serve static files
app.get('/', (req, res) => {
res.send('<h1>Hello from tiny-lr!</h1><p>Check the browser console or network tab for livereload.js.</p>');
});
// Example of triggering a reload via HTTP API
// This would typically be called by a build tool when files change.
// curl http://localhost:35729/changed?files=index.html,style.css
// curl -X POST http://localhost:35729/changed -d '{ "files": ["script.js"] }'
app.listen(8000, () => {
console.log('Express server listening on port 8000.');
console.log('Open http://localhost:8000 in your browser and ensure LiveReload extension is active or script tag is added.');
console.log('To trigger a reload, send a POST request to http://localhost:35729/changed with a JSON body: { "files": ["index.html"] }');
});
// To manually trigger a reload (e.g., from your file watcher)
function notifyChange(files) {
lrServer.changed({ body: { files: files } });
console.log('Notified LiveReload clients about:', files);
}
// Simulate a file change after 5 seconds
setTimeout(() => {
notifyChange(['index.html', 'style.css']);
}, 5000);