npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

lnsr

v1.0.1

Published

lean server - small node.js bits & modules to create a lean and simple sever from scratch

Downloads

10

Readme

lnsr – a lean server

npm version License: MIT tests workflow

lnsr is a framework to create and completely understand your next nodejs server application.

The framework by itself is actually no server and it doesn't create a server (no var app = connect(); or var app = express();, etc.). Because node already offers the necessary server, lnsr offers just a few higher order functions, mainly queue and filters, to let you glue express and/or connect compatible middleware together and transparently create your next node server applications without magic, e.g. app.use().

Getting started

Install module

Install the module using you favorite package manager to you application package.

$ npm install --save lnsr
$ yarn add lnsr

Implement your server

Routing requests is easy and transparent using queues and filters with less magic.

import {createServer} from 'http';
import {queue, useFilter, filters as f} from 'lnsr/index.mjs';

const lnsr = queue(
  host('example.com', redirectToWww),
  host('www.example.com', queue(
    useFilter(f.contentType('application/json'), handleApiRequest),
    useFilter(f.method('post'), parseBody),
    useFilter([f.method('get'), f.path('/user/:user')], showUser),
    useFilter([f.method('post'), f.path('/user/:user')], queue(
      saveUser,
      showUser
    ),
    showStart
  ),
  notFound
  )
)

const server = createServer(lnsr);
server.listen(80, '0.0.0.0');

Documentation

lnsr lets you create a node based server application with less magic, fewer hidden logic or side-effects, but takes full advantage of the well-knwon middleware concept introduced by connect and express.

If you already know how to create a plain http/https server with node, and what a requestListener or a middleware function is, you can skip forward to queue and filters.

Sever

import {createServer} from 'http';

const requestListener = (req, res) => {
  // side-effects on req, res
  res.end('hello world');
};
const server = createServer(requestListener);
server.listen(port, host);

node.js provides already everything to come up with a http / https server. So nothing to re-invent here. The server uses object-oriented style concepts. Main entrypoint usually is the request event one can bind a requestListener function to.

It accepts two parameters, request and response (objects by itself), and doesn't need a return a value. A request to the server can be answered using side effects like calling methods of the response object from within the request handler. In theory you could bind multiple requestListeners to the servers request event, but you'll rarely see this used. Some side effects can barely triggered twice, e.g. res.end();

Middleware

const middlewareOne = (req, res, next) => {
  req.sideEffect = true;
  next();
}

const middlewareTwo = (req, res, next) => {
  if (req.hasError) next('there was an error');
  else next();
}

Some time ago connect introduced the middleware concept, a middleware being a higher order function accepting a third argument beside request and response, a callback function next()

Each middleware works still as a node server requestListener. A middleware can change its behavior because of side causes or trigger side effects, both because of the request and response object. But now, as long as the middleware doesn't answers/ends the http request, it can also trigger the next callback.

Usually the next callback is triggered without any arguments. Depending on the used framework there are conventions for a single argument. The most basic one, expects next(e)to have in single argument in case of an error.

const config = {stopWithError: 'emergency'};
const createMiddleware = (config) =>
  (req, res, next) =>
    config.stop?next('stop'):next();

There's a bunch of middleware available and usually you can configure the middleware using factory methods which just create a middleware function.

Now, the main reason to introduce the next() callback was to call multiple middleware functions instead of a single requestListener. And this is achieved by the frameworks own server object or app.

lnsr doesn't introduce another object, but uses another higher order function to glue the middleware pieces together.

queue

queue is a higher order function which returns by itself a middleware function / requestListener. It expects either an array of middleware functions as a single argument or middleware functions as multiple arguments.

The middleware, when called, is then going to execute all middleware functions in the order applied, first in first out (fifo) before calling its own next callback.

Because queue returns a middleware function, a queue invocation can be used as argument to queue as well to structure you middlewar.

import {queue} from 'lnsr/index.mjs';

const requestListener = queue(
  logRequest,
  parseBody,
  queue(
    showPage,
    notFound
  )
);

filters

While other frameworks already provide a router, lnsr offers lean filter modules instead and a useFilter middleware creator function.

filter

A request filter when called with request as argument returns either true or false.

const getRequestFilter = (req) => req.method.toLowerCase()==='get';

But lnsr offers some filter creation functions to configure filters for convenience.

import {filters as f} from 'lnsr/index.mjs';

const getRequestFilter = f.method('get');

useFilter

In the end a filter (true/false) makes the decision, if a middleware is a called or skipped. When skipped next() is called immediately. For that you can use useFilter(filter, middleware).

import {queue, useFilter, filters as f} from 'lnsr/index.mjs';

const parseBodyIfPost = useFilter(f.method('post'), parseBody);

createFilterMiddleware

For convenience we created middleware factories for all filters so far.

import {queue, method} from 'lnsr/index.mjs';

const parseBodyIfPost = method('post', parseBody);

lnsr filters

So far we have these filters available:

  • host, filter to implement virtual hosts
  • method, filters by http method (get, post, put, …)
  • path, matches with well-known path patterns (e.g. /path/:var) and adds var to req.params (side-effect!)
  • contentType, filters by content-type accepted by client
  • parameters, filters by parameters from querystring (?pdf=1&lang=de)
  • and others.

existing middleware

There's probably a huge number of existing middleware that is easily usable with lnsr as it is with connect, express or others. You don't need to rebuild everything by yourself.

Here are some useful examples.

Modules

While the world goes forward and Javascript evolved, in nodejs there are still CommonJS modules everywhere.

ESM

lnsr is written using syntactical sugar from ES6 and exporting functions using ESM import/export syntax, which also allows partial imports, etc.

For this to work natively in nodejs, we need to use .mjs suffix.

I would encourage to use ESM module syntax to use lnsr

import {queue, method} from 'lnsr/index.mjs';

const requestHandler = queue(
  method('post', parseBody),
  (req, res, next) => { res.end('have fun.'); }
);

CommonJS

If you're in need to use CommonJS, we have a prebuilt module file you can require() all the stuff. We use rollupjs to bundle things together.

const lnsr = require('lnsr'); // or 'lnsr/index.js'

const requestHandler = lnsr.queue(
  lnsr.method('post', parseBody),
  (req, res, next) => { res.end('have fun.'); }
);

Tests

We have unit tests run with node-tap. To make middleware testing easier, we use node-mocks-http to mock Request and Response objects (mocked objects contain express like properties not needed for lnsr. Spying on callback execution is done with sinon. And for code coverage we use c8 because of .mjs files and ESM modules.

Support

Feel free to give feedback, ask for support, report issues or to fork and submit pull requests.

License

The code is available at GitHub under the MIT license.