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

play.ts

v1.0.0

Published

A comprehensive TypeScript library for creative coding, providing utilities for math, colors, animations, random generation, and geometric operations

Readme

play.ts

npm version TypeScript License: MIT

A comprehensive TypeScript library for creative coding and interactive applications. Built with modern TypeScript and optimized for performance, play.ts provides a rich set of utilities for mathematics, colors, animations, random generation, and geometric operations.

✨ Features

  • 🧮 Advanced Math: Vector operations, interpolation, trigonometry
  • 🎨 Color Manipulation: RGB/HSL conversion, color harmony, CSS utilities
  • 🎬 Animation System: Easing functions, tweens, springs, frame loops
  • 🎲 Random & Noise: Seeded randomness, Perlin noise, distributions
  • 📐 Geometry: Shapes, collision detection, spatial operations
  • 🚀 Performance: Tree-shakeable, optimized for modern browsers
  • 📦 TypeScript First: Full type safety and IntelliSense support
  • 🌐 Multi-Platform: Works in browsers, Node.js, Bun, and Deno

🚀 Quick Start

Installation

# Using npm
npm install play.ts

# Using bun
bun add play.ts

# Using yarn
yarn add play.ts

Basic Usage

import { play, setup, vec2, randomColor, easeInOutQuad } from 'play.ts';

// Setup canvas
const canvas = document.getElementById('canvas') as HTMLCanvasElement;
setup(canvas);

// Start animation loop
play.start(({ time, deltaTime }) => {
  // Clear with random background
  play.background(randomColor());
  
  // Draw animated circle
  const pos = vec2(
    Math.sin(time * 0.001) * 100 + canvas.width / 2,
    canvas.height / 2
  );
  
  play.fill('#ffffff');
  play.drawCircle(pos.x, pos.y, 20 + easeInOutQuad(Math.sin(time * 0.002)) * 10);
});

play.play();

📚 API Overview

🧮 Math Module

import { vec2, vec3, lerp, clamp, map, degrees, radians } from 'play.ts/math';

// 2D Vectors
const pos = vec2(10, 20);
const velocity = vec2(1, -1);
const newPos = vec2Add(pos, velocity);

// 3D Vectors
const point3d = vec3(1, 2, 3);
const normalized = vec3Normalize(point3d);

// Utilities
const interpolated = lerp(0, 100, 0.5); // 50
const clamped = clamp(150, 0, 100); // 100
const mapped = map(0.5, 0, 1, 0, 360); // 180

🎨 Color Module

import { rgb, hsl, colorLerp, complementary, randomColor } from 'play.ts/color';

// Color creation
const red = rgb(255, 0, 0);
const blue = hsl(240, 100, 50);

// Color manipulation
const purple = colorLerp(red, blue, 0.5);
const complement = complementary(red);
const random = randomColor();

// CSS output
const cssString = toCssRgb(red); // "rgb(255, 0, 0)"

🎬 Animation Module

import { tween, spring, AnimationLoop, easeInOutBounce } from 'play.ts/animation';

// Tweening
const myTween = tween({
  from: 0,
  to: 100,
  duration: 1000,
  easing: easeInOutBounce,
  onUpdate: (value) => console.log(value)
});

// Springs
const mySpring = spring({
  from: 0,
  to: 100,
  stiffness: 0.1,
  damping: 0.8
});

// Animation loop
const loop = new AnimationLoop();
loop.onFrame(({ time, deltaTime }) => {
  // Your animation code
});
loop.start();

🎲 Random Module

import { random, randomInt, noise, setSeed, randomChoice } from 'play.ts/random';

// Basic random
const value = random(); // 0-1
const integer = randomInt(1, 10); // 1-10
const choice = randomChoice(['a', 'b', 'c']);

// Seeded random
setSeed(12345);
const seededValue = random(); // Reproducible

// Noise
const noiseValue = noise(x * 0.01, y * 0.01, time * 0.001);

📐 Geometry Module

import { circle, rect, polygon, pointInCircle, lineIntersection } from 'play.ts/geometry';

// Shapes
const myCircle = circle(50, 50, 25);
const myRect = rect(0, 0, 100, 100);
const triangle = polygon([
  { x: 0, y: 0 },
  { x: 50, y: 100 },
  { x: 100, y: 0 }
]);

// Collision detection
const isInside = pointInCircle({ x: 60, y: 60 }, myCircle);
const intersection = lineIntersection(line1, line2);

🎯 Examples

Animated Spirals

import { play, setup, vec2FromAngle, hsl, TAU } from 'play.ts';

const canvas = document.getElementById('canvas') as HTMLCanvasElement;
setup(canvas);

play.start(({ time }) => {
  play.background('#000');
  
  const center = vec2(canvas.width / 2, canvas.height / 2);
  const spirals = 5;
  const points = 100;
  
  for (let s = 0; s < spirals; s++) {
    for (let i = 0; i < points; i++) {
      const angle = (i / points) * TAU * 3 + time * 0.001 + (s * TAU / spirals);
      const radius = (i / points) * 150;
      const pos = vec2FromAngle(angle, radius);
      
      play.fill(toCssHsl(hsl((angle + time * 0.1) % 360, 70, 60)));
      play.drawCircle(center.x + pos.x, center.y + pos.y, 3);
    }
  }
});

play.play();

Particle System

import { play, setup, vec2, randomInCircle, colorLerp, rgb } from 'play.ts';

class Particle {
  constructor(
    public pos = randomInCircle(vec2(400, 300), 200),
    public vel = vec2(random(-2, 2), random(-2, 2)),
    public life = 1.0
  ) {}
  
  update(deltaTime: number) {
    this.pos = vec2Add(this.pos, vec2Mul(this.vel, deltaTime));
    this.life -= deltaTime * 0.001;
  }
  
  draw() {
    const color = colorLerp(rgb(255, 100, 100), rgb(100, 100, 255), 1 - this.life);
    play.fill(toCssRgba({ ...color, a: this.life }));
    play.drawCircle(this.pos.x, this.pos.y, 5 * this.life);
  }
}

🛠️ Development

Requirements

  • Node.js 18+
  • TypeScript 5.0+
  • Bun (recommended) or npm

Setup

# Clone the repository
git clone <repository-url>
cd play.ts

# Install dependencies
bun install

# Start development
bun run dev

# Run tests
bun test

# Build library
bun run build

Nix Development Environment

This project supports Nix for reproducible development environments:

# Enter development shell
nix develop

# Available commands
dev      # Start development server
build    # Build the library
test     # Run tests
examples # Run example programs

📖 Documentation

Module Structure

  • /math - Mathematical utilities and vector operations
  • /color - Color manipulation and conversion functions
  • /animation - Easing functions and animation utilities
  • /random - Random number generation and noise functions
  • /geometry - Geometric shapes and spatial operations

Live Examples

The repository includes a comprehensive examples application with interactive demonstrations of all library features. To explore the examples:

# Start the examples application
cd _examples
bun run dev
# Then visit http://localhost:3000

Features include:

  • Interactive Examples: Real-time demonstrations of all library capabilities
  • Professional Search: Command-K search interface for quick navigation
  • Responsive Design: Mobile-friendly interface with professional UI components
  • Code Examples: Full source code for every demonstration

🤝 Contributing

We welcome contributions! To contribute to this project:

  1. Fork the repository
  2. Create a feature branch (git checkout -b feature/amazing-feature)
  3. Commit your changes (git commit -m 'Add amazing feature')
  4. Push to the branch (git push origin feature/amazing-feature)
  5. Open a Pull Request

Please ensure your code follows the existing style and includes appropriate tests.

📄 License

This project is licensed under the MIT License - see the LICENSE file for details.

🙏 Acknowledgments

  • Inspired by creative coding communities and Processing
  • Built with modern TypeScript and web standards
  • Optimized for performance and developer experience

Happy creative Coding! 🎨✨