1.0.11 • Published 8 months ago

wowter v1.0.11

Weekly downloads
-
License
ISC
Repository
-
Last release
8 months ago

Wowter 😲

A simple router for node.js

A VERY barebones router for node.js. It's called wowter because that's what it sounds like when a cute child tries to say router, and the design is so naive and simple that it's like a child made it.

Installation

npm install wowter || yarn add wowter || pnpm add wowter || bun install wowter

Usage

Examples

  1. Basic Setup Creating a simple HTTP server with wowter is very straightforward. You define your routes, handlers, and then create the server.
import { createRouter } from "wowter"

const homeHandler = (req, res) => {
  res.writeHead(200, { "Content-Type": "application/json" })
  res.end(JSON.stringify({ message: "Welcome to the home page!" }))
}

const routes = {
  "/": { GET: { handler: homeHandler } },
}

const server = createRouter({ routes })

server.listen(3000, () => {
  console.log("Server running at http://localhost:3000")
})
  1. Middleware Middleware functions operate on every request. They are powerful tools for doing things like logging, authentication, and more.

a. Global Middleware You can apply middleware globally to every route by providing an array of middleware functions in the createRouter options.

import { createRouter } from "wowter"

const logMiddleware = (req, res, next) => {
  console.log(`Incoming request: ${req.method} ${req.url}`)
  next()
}

const middleware = [logMiddleware]

const routes = {
  "/": { GET: { handler: homeHandler } },
}

const server = createRouter({ routes, middleware })

server.listen(3000, () => {
  console.log("Server running with global middleware at http://localhost:3000")
})

b. Grouped Middleware If you have a group of routes that need to share some middleware, you can use applyMiddleware to add middleware to a specific set of routes.

import { createRouter, applyMiddleware } from "wowter"

const apiRoutes = {
  "/api/users": { GET: { handler: getUsersHandler } },
  "/api/posts": { GET: { handler: getPostsHandler } },
}

const apiMiddleware = [apiAuth, apiLogging]

const groupedRoutes = applyMiddleware(apiRoutes, apiMiddleware)

const server = createRouter({ routes: groupedRoutes })

server.listen(3000)

c. Route-Specific Middleware You can also define middleware specifically for one route:

const routes = {
  "/secret": {
    GET: {
      handler: secretHandler,
      middleware: [authenticationMiddleware],
    },
  },
}

const server = createRouter({ routes })
  1. Serving Static Files To serve static files from a folder, simply provide the dir option when creating the router.
const server = createRouter({
  routes,
  dir: "./public",
})

server.listen(3000)

This will automatically serve files from the ./public folder for routes that are not defined.

  1. Custom 404 Handling Handling 404 errors can be done in a number of ways.

a. Global 404 To set up a global 404 handler, you can pass a notFound function as an option.

const notFoundHandler = (req, res) => {
  res.writeHead(404, { "Content-Type": "application/json" })
  res.end(JSON.stringify({ message: "Resource not found" }))
}

const server = createRouter({
  routes,
  notFound: notFoundHandler,
})

b. Static Folder 404

If you have a 404.html file in your static folder, it will be automatically served if a file is not found.

  1. Dynamic Routes Dynamic routes capture part of the URL as a parameter. These parameters can be accessed in the route handler.
const routes = {
  "/users/:userId": { GET: { handler: userHandler } },
}

In the userHandler, req.params.userId would hold the dynamic part of the URL.

  1. Easy Query Params Query parameters can easily be accessed through req.query. For example, for a request to /search?q=example, req.query.q would be 'example'.
const searchHandler = (req, res) => {
  const query = req.query.q
  // Do something with the query
}

const routes = {
  "/search": { GET: { handler: searchHandler } },
}

API Reference

createRouter(options)

Creates a Node.js HTTP server that handles routing.

  • Arguments:

    • options (RouterOptions): An options object passed to set up the router.
  • Returns: A Node.js Server instance.

Router(req, res, options)

Central router function that's called for every request.

  • Arguments:

    • req (ExtendedRequest): The Node.js request object with additional properties (query, params).
    • res (ServerResponse): The Node.js response object.
    • options (RouterOptions): Options for routing.
  • Returns: Promise

applyMiddleware(routes, extraMiddleware)

Adds middleware to every route in a Routes object.

  • Arguments:

    • routes (Routes): Object with routes and their configurations.
    • extraMiddleware (Array): Array of middleware functions to be applied.
  • Returns: Routes - A new routes object with the extra middleware applied.

Types

ExtendedRequest

The Node.js request object with additional properties:

  • query (Object.<string, string | string[] | undefined>): Represents the query parameters of the URL.
  • params (Object.<string, string | undefined>): Represents dynamic route parameters.

RouterOptions

Options object for setting up the router:

  • routes (Routes): An object with routes as keys and RouteConfig objects as values.
  • middleware (Array): An array of functions that will operate on every request.
  • dir (string): The directory to serve static files from.
  • notFound (Function): A custom 404 handler. If not provided, a default 404 handler will be used.

RouteConfig

Configuration for a specific route:

  • handler (Function): The main handler function for the route.
  • middleware (Array): Array of middleware functions specific to the route.

Routes

An object where the keys are paths and the values are objects mapping HTTP methods to RouteConfig.

Example:

Middleware

Functions

parseCookies(cookieString: string): Object

Parses cookies from the Cookie HTTP header.

Parameters:

  • cookieString: A string containing the raw cookies from the HTTP header.

Returns:

  • An object containing parsed cookies.

errorCheck(req: Request, res: Response, next: Function): void

Checks for the existence of a query parameter error=true and sends a 500 status code if found.

Parameters:

  • req: HTTP request object.
  • res: HTTP response object.
  • next: Callback function to proceed to the next middleware.

logger(req: Request, res: Response, next: Function): void

Logs incoming HTTP requests.

Parameters:

  • req: HTTP request object.
  • res: HTTP response object.
  • next: Callback function to proceed to the next middleware.

rateLimiter(req: Request, res: Response, next: Function): void

Limits the rate of incoming HTTP requests based on IP address.

Parameters:

  • req: HTTP request object.
  • res: HTTP response object.
  • next: Callback function to proceed to the next middleware.

urlEncodedParser(req: Request, res: Response, next: Function): void

Parses application/x-www-form-urlencoded POST data.

Parameters:

  • req: HTTP request object.
  • res: HTTP response object.
  • next: Callback function to proceed to the next middleware.

JSONParser(req: Request, res: Response, next: Function): void

Parses JSON POST data.

Parameters:

  • req: HTTP request object.
  • res: HTTP response object.
  • next: Callback function to proceed to the next middleware.

CORS(options?: CORSOptions): Function

Enables Cross-Origin Resource Sharing (CORS).

Parameters:

  • options: Optional configuration options. See CORSOptions.

Returns:

  • Middleware function for enabling CORS.

fileUpload(options?: FileUploadOptions): Function

Handles file uploads.

Parameters:

Returns:

  • Middleware function for handling file uploads.

Type Definitions

CORSOptions

FileUploadOptions

  • MAX_SIZE: Number, default 5242880 (5MB)
  • allowedTypes: Array of Strings or null, default null
  • onFileBegin: Function or null, default null
  • onError: Function or null, default null
  • onEnd: Function or null, default null
  • tempFileDir: String or null, default null
1.0.11

8 months ago

1.0.10

8 months ago

1.0.9

8 months ago

1.0.8

8 months ago

1.0.7

8 months ago

1.0.6

8 months ago

1.0.5

8 months ago

1.0.4

8 months ago

1.0.3

8 months ago

1.0.2

8 months ago

1.0.1

8 months ago

1.0.0

8 months ago