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 🙏

© 2026 – Pkg Stats / Ryan Hefner

patterin

v0.4.0

Published

Declarative procedural 2D vector graphics with system scaffolds

Readme

Patterin

Declarative procedural 2D vector graphics for the modern web.

Patterin helps you create intricate geometric patterns with code. Whether you're designing for a plotter, generating art for a gallery wall, or exploring algorithmic beauty—Patterin gives you the tools to think in systems, not just shapes.

import { shape } from 'patterin';

// Start with a circle, turn it into a gear
const gear = shape.circle()
  .radius(50)
  .numSegments(16);

// Extrude every other edge outward
gear.lines.every(2).extrude(15);

Simple, right? But Patterin goes deeper. Create grids, tessellations, fractals. Operate on points, lines, or entire collections of shapes. Transform patterns with a few method calls. Export clean SVG for fabrication or the web.

Try it live in the Playground → | Read the API Docs →

Why Patterin?

  • 🎯 System-based approach - Work with grids, tessellations, and parametric scaffolds, not just primitives
  • 🔄 Context switching - Seamlessly operate on points, lines, or entire shape collections
  • 🎨 Generative-first - Built for procedural patterns, algorithmic art, and creative exploration
  • 📐 SVG-native - Perfect for plotters, laser cutters, CNC machines, and web rendering
  • 💻 Live playground - Interactive Monaco editor with full auto-complete and instant visual feedback
  • 🔗 Composable - Chain operations, combine systems, nest transformations naturally
  • 📦 Zero dependencies - Lightweight, tree-shakeable, and ready for any modern JavaScript environment

Installation

npm (recommended)

npm install patterin

This gives you the compiled library ready to use in any JavaScript or TypeScript project.

GitHub

npm install github:neurofuzzy/patterin

Install directly from GitHub to get the latest version between releases.

Or Just Use the Playground

Don't want to install anything? Try the live playground with full TypeScript autocomplete, built-in examples, and instant SVG preview. Perfect for learning, prototyping, or creating one-off designs.

Quick Start

Basic Shapes

import { shape, SVGCollector } from 'patterin';

const svg = new SVGCollector();

// Create a gear
const gear = shape.circle()
  .radius(50)
  .numSegments(16);

gear.lines.every(2).extrude(15);
gear.stamp(svg);

console.log(svg.toString());

Auto-Render Mode (Playground)

In the playground, shapes automatically render:

// Just create shapes - they appear automatically!
const star = shape.circle()
  .radius(50)
  .numSegments(10);

star.points.every(2).expand(20);

System Scaffolds

import { system, shape } from 'patterin';

// Create a hexagonal grid
const grid = system.grid({ 
  type: 'hexagonal', 
  count: [10, 10], 
  size: 30 
});

// Place shapes at grid points
grid.place(shape.hexagon().radius(12));

console.log(grid.toSVG({ width: 800, height: 800 }));

Core Concepts

Shapes & Contexts

Patterin uses context switching to expose different operations:

const rect = shape.rect().size(20);

// Operate on the shape itself
rect.scale(2).rotate(45);

// Switch to points context
rect.points.every(2).expand(5);

// Switch to lines context  
rect.lines.at(0, 2).extrude(10);

Systems

Systems are parametric scaffolds that provide placement coordinates:

// Grid system
const grid = system.grid({ 
  type: 'square',
  count: [5, 5],
  size: 40
});

// Tessellation system
const tiles = system.tessellation({
  pattern: 'penrose',
  size: 40,
  bounds: { width: 400, height: 400 },
  iterations: 4
});

// L-System (fractals)
const dragon = system.lsystem({
  axiom: 'F',
  rules: { F: 'F+G', G: 'F-G' },
  iterations: 12,
  angle: 90,
  length: 4
});

Clone & Transform

Create complex patterns by cloning and transforming:

// Create a grid of scaled, rotated shapes
const pattern = shape.rect()
  .clone(10, 40, 0)    // 11 copies horizontally
  .clone(10, 0, 40);   // Clone each vertically (121 total)

// Transform every other shape
pattern.every(2).scale(3).rotate(45);

// Add offset rings
const rings = pattern.every(2).offset(5, 3); // 3 concentric rings

Offset & Expand

Generate concentric copies:

// Create concentric circles
const circles = shape.circle()
  .radius(20)
  .offset(10, 5); // 5 rings, each 10 units larger

// By default, offset returns only the copies (no original)
// To include the original:
const withOriginal = shape.circle()
  .radius(20)
  .offset(10, 5, 4, true); // includeOriginal = true

Sequence Generators

Replace manual indexing with declarative sequences that advance automatically:

import { Sequence } from 'patterin';

// Create repeating values
const sizes = Sequence.repeat(10, 20, 30);

for (let i = 0; i < 6; i++) {
  shape.circle()
    .radius(sizes())  // Auto-advances: 10, 20, 30, 10, 20, 30
    .move(i * 50, 0)
    .stamp(svg);
}

// Yoyo (bounce back and forth)
const heights = Sequence.yoyo(20, 40, 60);

// Random with seed (deterministic)
const angles = Sequence.random(42, 0, 15, 30, 45);

// Additive (running total)
const spacing = Sequence.additive(10, 5, 3);

// Multiplicative (exponential growth)
const growth = Sequence.multiplicative(1.2, 1.5);

Modes: repeat, yoyo, once, shuffle, random, additive, multiplicative
Properties/Methods: .current, peek(), reset()
Advanced: Nest sequences inside sequences for complex patterns

See API docs for full details.

Color & Styling

Patterin includes a declarative color palette generator and flexible rendering modes:

import { palette, sequence, SVGCollector } from 'patterin';

// Streamlined API - create palette and use directly
const colors = palette.create(6, "blues", "cyans").vibrant();

const circles = shape.circle()
  .radius(20)
  .clone(5, 50, 0);

// Use palette directly - no .toArray() or spread needed!
circles.color(colors);

// Or shuffle the colors!
circles.color(colors.shuffle());  // Random order
circles.color(colors.yoyo());     // Gradient back and forth

// Sequences work for other properties too
const sizes = sequence.repeat(10, 20, 30);
circles.scale(sizes);

// Configure rendering mode
const svg = new SVGCollector();
svg.setRenderMode('glass'); // 'fill', 'stroke', or 'glass'
circles.stamp(svg);

Color Zones: reds, oranges, yellows, greens, cyans, blues, purples, magentas
Modifiers: .vibrant(), .muted(), .darkMode(), .lightMode()
Sequence Modes: .shuffle(), .yoyo(), .random(seed) - Convert palette to different iteration patterns
Render Modes:

  • fill - Solid fill with no stroke
  • stroke - Stroke only with no fill
  • glass - Semi-transparent fill (50%) with opaque stroke

See API docs for full details.

Examples

Mandala

const mandala = shape.circle()
  .radius(100)
  .numSegments(12);

mandala.points.expandToCircles(20, { segments: 8 });

Clone Grid with Transformations

const grid = shape.rect()
  .clone(10, 40, 0)
  .clone(10, 0, 40);

// Transform subset
grid.every(2).scale(3).rotate(45);

// Add offset copies to subset
const subset = grid.every(2);
const rings = subset.offset(5, 2); // 2 concentric rings

Fractal Tree (L-System)

const tree = system.lsystem({
  axiom: 'F',
  rules: { 
    F: 'FF+[+F-F-F]-[-F+F+F]'
  },
  iterations: 4,
  angle: 22.5,
  length: 3
});

console.log(tree.toSVG({ width: 600, height: 800 }));

Quilt Patterns

// Create a 4x4 quilt with alternating blocks
const quilt = system.quilt({
  gridSize: [4, 4],
  blockSize: 100
});

// Alternate between Broken Dishes and Friendship Star using .pattern
quilt.pattern.every(2).placeBlock('BD');
quilt.pattern.every(2, 1).placeBlock('FS');

// Access shapes by fabric group (light/dark)
const shapes = quilt.shapes;
shapes.shapes.forEach(shape => {
  const color = shape.group === 'dark' ? '#333' : '#999';
  svg.addShape(shape, { fill: color, stroke: '#000' });
});

Documentation

API Overview

Shape Factory

shape.circle(radius?)
shape.rect(width?, height?)
shape.square(size?)
shape.hexagon(radius?)
shape.triangle(radius?)

Shape Operations

.clone(n, offsetX?, offsetY?)  // Create n copies with spacing
.scale(factor)                  // Scale around center
.rotate(degrees)                // Rotate in degrees
.translate(x, y)                // Move by delta
.xy(x, y)                       // Move to position
.offset(distance, count?, miterLimit?, includeOriginal?) // Inset/outset
.expand(distance, count?)       // Outset (positive offset)
.inset(distance, count?)        // Inset (negative offset)

Context Switching

shape.points.expand(distance)   // Operate on vertices
shape.lines.extrude(distance)   // Operate on segments
shape.clone(5).every(2)         // Operate on shape collection

Selection

.every(n, offset?)    // Select every nth element
.at(...indices)       // Select specific indices
.slice(start, end?)   // Select range (shapes only)

Systems

system.grid(options)              // Square, hex, triangular grids
system.tessellation(options)      // Penrose, trihexagonal
system.fromShape(shape, options)  // Use shape vertices as nodes
system.lsystem(options)           // Lindenmayer systems (fractals)
system.quilt(options)             // Traditional quilt block patterns

SVG Output

const svg = new SVGCollector();

shape.stamp(svg, x?, y?, style?);
system.stamp(svg, style?);

// Render to string
svg.toString({ 
  width?: number,
  height?: number,
  margin?: number,
  autoScale?: boolean
});

For complete details, parameter descriptions, and more examples, see the API Reference.

Playground

Patterin includes a live coding playground with:

  • Monaco editor with full TypeScript support
  • Auto-complete for the entire API
  • Instant visual preview with pan/zoom
  • Auto-render mode (shapes appear as you type!)
  • Export to SVG
  • Theme picker

Try it live →

Or run locally:

cd playground
npm install
npm run dev

Use Cases

  • Generative Art: Procedural patterns, fractals, algorithmic compositions
  • Data Visualization: Custom charts, diagrams, infographics
  • Fabrication: Laser cutting, CNC machining, pen plotting
  • Creative Coding: Interactive installations, live coding performances
  • Design Tools: Pattern generators, texture creation, geometric exploration

Project Structure

src/
├── primitives/    # Vector2, Vertex, Segment, Shape
├── contexts/      # ShapeContext, PointsContext, LinesContext, ShapesContext  
├── shapes/        # Shape factory (circle, rect, etc.)
├── systems/       # GridSystem, TessellationSystem, LSystem, CloneSystem
├── collectors/    # SVGCollector
└── index.ts       # Public API exports

Development

npm install        # Install dependencies
npm test           # Run tests (204 tests)
npm run test:watch # Watch mode
npm run build      # Build TypeScript
npm run lint       # Lint code

TypeScript Support

Full TypeScript support with type definitions included:

import { shape, SVGCollector, type PathStyle } from 'patterin';

const style: PathStyle = {
  stroke: '#000',
  strokeWidth: 1.5,
  fill: 'none'
};

const svg = new SVGCollector();
shape.circle().radius(50).stamp(svg, 0, 0, style);

Browser Support

Patterin works in all modern browsers and Node.js environments:

  • ESM-only (no CommonJS)
  • No runtime dependencies
  • TypeScript 5.3+
  • Node.js 18+

Examples Gallery

The examples/ directory contains 30+ runnable examples organized by concept:

  • Basics: Circles, stars, gears, multiple shapes
  • Transformations: Cloning, scaling, rotating, offsetting
  • Contexts: Point expansion, line extrusion, polar spreads
  • Grids: Square, hexagonal, triangular grids
  • Tessellations: Penrose, trihexagonal
  • Fractals: Koch curves, dragon, Hilbert, Sierpiński, plants
  • Quilting: Traditional quilt block patterns with selection
  • Advanced: Complex mandalas, geometric patterns, plotter art

Run any example:

npx tsx examples/01-basics/star.ts
# ✓ Generated: examples/output/star.svg

Contributing

Issues and pull requests welcome! This is an early-stage project and the API is still evolving.

License

MIT © Geoff Gaudreault

Links


Made with ❤️ for generative artists, creative coders, and maker enthusiasts.