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 🙏

© 2025 – Pkg Stats / Ryan Hefner

boxwood

v2.5.0

Published

Compile HTML templates into JS

Readme

boxwood

npm build

It's just JavaScript™ - A template engine that gets out of your way

Why Boxwood?

Unlike traditional template engines, Boxwood templates are just JavaScript functions. No new syntax to learn, no parsing overhead, and full access to the JavaScript ecosystem.

// This is your template - just a function that returns HTML nodes
const HomePage = ({ posts }) => {
  return Div([
    H1("Blog"),
    posts.map((post) => Article([H2(post.title), P(post.summary)])),
  ])
}

Key Advantages

Zero Learning Curve

If you know JavaScript, you already know Boxwood. Use map, filter, if/else, and all standard JS features naturally.

IDE Support

Get autocomplete, refactoring, and go-to-definition out of the box. Your templates are just code, so your editor understands them.

True Composition

Components are functions. Compose them like functions. No slots, no special APIs - just parameters and return values.

Performance

No template parsing at runtime. Templates are already JavaScript functions, eliminating parsing overhead.

Security Helpers

  • Automatic HTML escaping by default
  • Basic sanitization for loaded SVG/HTML files
  • Path traversal protection for file operations
  • Remember: security is ultimately your responsibility

Integrated CSS Management

  • Automatic CSS scoping with hash-based class names
  • CSS-in-JS with zero runtime
  • Critical CSS inlining
  • Automatic minification

Built-in i18n Support

First-class internationalization support with a simple, component-friendly API for multi-language applications.

Asset Handling

  • Inline images as base64
  • SVG loading with automatic sanitization
  • JSON data loading
  • Raw HTML imports with XSS protection

SEO Friendly

  • Pure server-side rendering - search engines see fully rendered HTML
  • Lightning fast pages with inlined critical CSS
  • Minimal payload size improves Core Web Vitals scores
  • No client-side hydration delays

Minimal Footprint

Short implementation. No complex build process or heavy dependencies.

Testable by Design

Templates are pure functions - easy to unit test with any testing framework.

Table of Contents

Install

npm install boxwood

Usage

Create a template file:

// templates/greeting.js
const { Div, H1, P } = require("boxwood")

module.exports = ({ name, message }) => {
  return Div([H1(`Hello, ${name}!`), P(message)])
}

Compile and render it:

// app.js
const { compile } = require("boxwood")

const { template } = compile("./templates/greeting.js")
const html = template({
  name: "World",
  message: "Welcome to Boxwood",
})

console.log(html)
// <div><h1>Hello, World!</h1><p>Welcome to Boxwood</p></div>

Express Integration

Boxwood includes built-in Express support:

import express from "express"
import engine from "boxwood/adapters/express"
import crypto from "crypto"

const app = express()

// Register Boxwood as template engine
app.engine("js", engine())
app.set("views", "./views")
app.set("view engine", "js")

// CSP (Content Security Policy) nonce for inline scripts
// A nonce is a unique random value generated for each request that allows
// specific inline scripts to execute while blocking potential XSS attacks
app.use((req, res, next) => {
  // Generate a cryptographically secure random nonce
  res.locals.nonce = crypto.randomBytes(16).toString("base64")

  // Set CSP header - only scripts with this exact nonce can execute
  res.setHeader(
    "Content-Security-Policy",
    `script-src 'nonce-${res.locals.nonce}' 'strict-dynamic';`
  )
  next()
})

// Render templates - nonce is automatically injected into all inline scripts
app.get("/", (req, res) => {
  res.render("home", { title: "Welcome" })
  // Boxwood automatically adds nonce="${res.locals.nonce}" to script tags
})

The Express adapter automatically:

  • Handles template caching in production
  • Hot reloads templates in development
  • Injects CSP nonces from res.locals.nonce into all inline scripts and styles

Understanding CSP Nonces

A Content Security Policy (CSP) nonce is a security feature that helps prevent Cross-Site Scripting (XSS) attacks:

  1. Without CSP: Any injected <script> tag can execute, making XSS attacks possible
  2. With CSP nonce: Only scripts with the correct nonce attribute can run
  3. How it works:
    • Server generates a unique random nonce for each request
    • Server adds this nonce to the CSP header: script-src 'nonce-abc123'
    • Server adds the same nonce to legitimate scripts: <script nonce="abc123">
    • Browser only executes scripts that have the matching nonce
    • Attackers can't guess the nonce, so injected scripts are blocked

Example output:

<!-- HTTP Header -->
Content-Security-Policy: script-src 'nonce-rAnd0m123' 'strict-dynamic';

<!-- Generated HTML -->
<script nonce="rAnd0m123">
  console.log("This legitimate script will execute")
</script>

<script>
  console.log("This injected script will be blocked!")
</script>

Features

Components with CSS

// button.js
const { component, css, Button: ButtonTag } = require("boxwood")

const styles = css`
  .button {
    padding: 8px 16px;
    background: blue;
    color: white;
  }
  .secondary {
    background: gray;
  }
`

const Button = ({ variant, children }) => {
  return ButtonTag(
    {
      // className accepts arrays - falsy values are automatically filtered
      className: [styles.button, variant === "secondary" && styles.secondary],
    },
    children
  )
}

module.exports = component(Button, { styles })

Internationalization

// welcome.js
const { component, i18n, H1, P } = require("boxwood")

const Welcome = ({ translate, username }) => {
  return [
    H1(translate("greeting").replace("{name}", username)),
    P(translate("intro")),
  ]
}

module.exports = component(Welcome, {
  i18n: i18n.load(__dirname),
})

Asset Loading

const { Img, Svg } = require("boxwood")

// Load and inline images
const Logo = Img.load("./assets/logo.png")

// Load and sanitize SVGs
const Icon = Svg.load("./assets/icon.svg")

module.exports = () => {
  return [Logo(), Icon]
}

Additional examples are available in the test directory.

Security

Boxwood provides basic security features:

  • HTML content is escaped by default
  • Loaded SVG and HTML files are sanitized
  • File access is restricted to the project directory
  • Symlinks are blocked to prevent directory traversal

The sanitize: false option should only be used with trusted content. Security remains the developer's responsibility.

Contributing

Issues and pull requests are welcome. The codebase is intentionally small and focused.

License

MIT