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

@vielzeug/craftit

v1.0.1

Published

Lightweight, type-safe web component creation library

Downloads

32

Readme

@vielzeug/craftit

Lightweight, type-safe web component creation library

What is Craftit?

Craftit is a modern, minimal library for creating web components with reactive state, automatic rendering, and excellent TypeScript support. Build custom elements with the ergonomics of modern frameworks but with native browser APIs.

The Problem

Creating web components with vanilla Custom Elements API is verbose and error-prone:

// Vanilla Custom Elements - verbose and manual
class MyCounter extends HTMLElement {
  #count = 0;
  #shadow: ShadowRoot;

  constructor() {
    super();
    this.#shadow = this.attachShadow({ mode: 'open' });
    this.render();
  }

  connectedCallback() {
    this.#shadow.querySelector('button')?.addEventListener('click', () => {
      this.#count++;
      this.render(); // Manual re-render
    });
  }

  render() {
    this.#shadow.innerHTML = `
      <div>Count: ${this.#count}</div>
      <button>Increment</button>
    `; // Loses event listeners!
  }
}

customElements.define('my-counter', MyCounter);

The Solution

// Craftit - reactive and automatic
import { defineElement, html } from '@vielzeug/craftit';

defineElement('my-counter', {
  state: { count: 0 },

  template: (el) => html`
    <div>Count: ${el.state.count}</div>
    <button>Increment</button>
  `,

  onConnected(el) {
    el.on('button', 'click', () => {
      el.state.count++; // Automatic re-render!
    });
  },
});

✨ Features

  • 🔥 Reactive State - Automatic re-renders on state changes with Proxy-based reactivity
  • ⚡ Efficient Updates - Smart DOM reconciliation, only updates what changed
  • 🎯 Event Delegation - Built-in support for dynamic element event handling
  • 📝 Form Support - Full ElementInternals integration for form participation
  • 🎨 Shadow DOM - Encapsulated styles with CSSStyleSheet support
  • 🎭 CSS Variables - Built-in theming support with css.var() and css.theme()
  • 🔍 Type-Safe - Complete TypeScript support with full type inference
  • 📦 Tiny Bundle - Only ~5 KB gzipped with zero dependencies
  • 🧪 Testable - Built-in testing utilities (attach, destroy, flush)
  • 🪝 Lifecycle Hooks - Full control with onConnected, onDisconnected, onUpdated
  • 🌐 Framework Agnostic - Use with React, Vue, Svelte, or vanilla JS

📦 Installation

::: code-group

npm install @vielzeug/craftit
yarn add @vielzeug/craftit
pnpm add @vielzeug/craftit

:::

🚀 Quick Start

Basic Component

import { defineElement, html, css } from '@vielzeug/craftit';

defineElement('hello-world', {
  template: html`
    <div class="greeting">
      <h1>Hello, World!</h1>
      <p>Welcome to Craftit!</p>
    </div>
  `,

  styles: [
    css`
      .greeting {
        padding: 1rem;
        background: linear-gradient(135deg, #667eea 0%, #764ba2 100%);
        color: white;
        border-radius: 8px;
      }
    `,
  ],
});

// Use in HTML
// <hello-world></hello-world>

With State

defineElement('user-profile', {
  state: {
    name: 'Alice',
    age: 30,
    email: '[email protected]',
  },

  template: (el) => html`
    <div class="profile">
      <h2>${el.state.name}</h2>
      <p>Age: ${el.state.age}</p>
      <p>Email: ${el.state.email}</p>
    </div>
  `,
});

Interactive Component

defineElement('click-counter', {
  state: { count: 0 },

  template: (el) => html`
    <div>
      <p>Count: ${el.state.count}</p>
      <button class="increment">Increment</button>
      <button class="decrement">Decrement</button>
      <button class="reset">Reset</button>
    </div>
  `,

  onConnected(el) {
    el.on('.increment', 'click', () => {
      el.state.count++;
    });

    el.on('.decrement', 'click', () => {
      el.state.count--;
    });

    el.on('.reset', 'click', () => {
      el.state.count = 0;
    });
  },
});

Form Integration

defineElement('custom-input', {
  state: { value: '' },

  template: (el) => html`<input type="text" value="${el.state.value}" />`,

  formAssociated: true,

  onConnected(el) {
    el.on('input', 'input', (e) => {
      const input = e.currentTarget as HTMLInputElement;
      el.state.value = input.value;
      el.form?.value(input.value);
    });
  },
});

// Use in forms
// <form>
//   <custom-input name="username"></custom-input>
//   <button type="submit">Submit</button>
// </form>

📚 Core Concepts

Reactive State

State changes automatically trigger re-renders:

defineElement('todo-list', {
  state: {
    todos: ['Learn Craftit', 'Build component'],
    filter: 'all',
  },

  template: (el) => html`
    <ul>
      ${el.state.todos.map((todo) => `<li>${todo}</li>`).join('')}
    </ul>
  `,

  onConnected(el) {
    // Any state change triggers re-render
    el.state.todos.push('New todo'); // ✅ Automatic re-render

    // Nested objects also reactive
    el.state.filter = 'completed'; // ✅ Automatic re-render
  },
});

Event Delegation

Handle events on dynamic elements:

defineElement('todo-list', {
  state: { todos: ['Item 1', 'Item 2'] },

  template: (el) => html`
    <ul>
      ${el.state.todos
        .map(
          (todo, i) => `
        <li>
          ${todo}
          <button class="delete" data-index="${i}">Delete</button>
        </li>
      `,
        )
        .join('')}
    </ul>
  `,

  onConnected(el) {
    // Works for dynamically added elements!
    el.on('.delete', 'click', (e) => {
      const index = +(e.currentTarget as HTMLElement).dataset.index!;
      el.state.todos.splice(index, 1);
    });
  },
});

CSS Variables & Theming

Built-in CSS variable helpers with automatic autocomplete:

import { defineElement, html, css } from '@vielzeug/craftit';

// Create a typed theme
const theme = css.theme({
  primaryColor: '#3b82f6',
  bgColor: '#ffffff',
  textColor: '#1f2937',
  spacing: '1rem',
});

defineElement('themed-button', {
  template: html`<button>Click Me</button>`,

  styles: [
    css`
      /* Inject CSS variables */
      ${theme}

      button {
        /* ✨ Autocomplete works! Type theme. to see all properties */
        background: ${theme.primaryColor};  /* var(--primary-color) */
        color: ${theme.textColor};          /* var(--text-color) */
        padding: ${theme.spacing};          /* var(--spacing) */
        border: none;
        border-radius: 8px;
      }
    `,
  ],
});

Benefits:

  • Autocomplete - Type theme. and see all variables
  • Type-safe - Typos caught at compile time
  • Refactoring - Rename properties safely
  • Single import - Just import { css }

Lifecycle Hooks

defineElement('lifecycle-demo', {
  template: html`<div>Component</div>`,

  onConnected(el) {
    console.log('Component added to DOM');
    // Perfect for event listeners, subscriptions
  },

  onDisconnected(el) {
    console.log('Component removed from DOM');
    // Cleanup is automatic!
  },

  onUpdated(el) {
    console.log('Component re-rendered');
  },
});

🎯 API Reference

defineElement(name, options)

Define and register a custom element.

defineElement('my-component', {
  state: {}, // Initial state
  template: html`...`, // Template (string, Node, or function)
  styles: [css`...`], // CSS styles (auto-minified)
  observedAttributes: [], // Attributes to watch
  formAssociated: false, // Enable form participation
  onConnected: (el) => {}, // Lifecycle: added to DOM
  onDisconnected: (el) => {}, // Lifecycle: removed from DOM
  onUpdated: (el) => {}, // Lifecycle: after render
  onAttributeChanged: (name, oldVal, newVal, el) => {},
});

Component Instance API

// State
el.state.count = 10; // Direct mutation
await el.set({ count: 10 }); // Batch update
await el.set((state) => ({ ...state, count: 10 })); // Updater

// DOM Queries
el.find('.button'); // querySelector
el.findAll('.item'); // querySelectorAll

// Events
el.on('.button', 'click', handler); // Event delegation
el.emit('custom-event', { data }); // Dispatch event

// Utilities
el.delay(() => {}, 1000); // setTimeout with cleanup
el.clear(timeoutId); // clearTimeout
await el.flush(); // Wait for render

// Watchers
const unwatch = el.watch(
  (state) => state.count,
  (val, prev) => console.log(val, prev),
);
unwatch(); // Cleanup

🔥 Advanced Features

Async State Updates

el.on('.load', 'click', async () => {
  await el.set(async (state) => {
    const data = await fetch('/api/data').then((r) => r.json());
    return { ...state, data };
  });
});

State Watchers

const unwatch = el.watch(
  (state) => state.count,
  (count, prevCount) => {
    console.log(`Count changed from ${prevCount} to ${count}`);
  },
);

Testing Utilities

import { attach, destroy } from '@vielzeug/craftit';

const el = document.createElement('my-component');
await attach(el); // Mounts and waits for render

// Test assertions
expect(el.find('.count')?.textContent).toBe('0');

destroy(el); // Clean removal

📖 Documentation

🆚 Comparison

| Feature | Craftit | Lit | Stencil | | ---------------- | --------- | -------- | --------- | | Bundle Size | ~6 KB | ~15 KB | ~10 KB | | Dependencies | 0 | 0 | Many | | TypeScript | Native | Good | Excellent | | Reactive State | Built-in | External | Built-in | | Event Delegation | ✅ | ❌ | ❌ | | Form Integration | ✅ | ⚠️ | ✅ | | Learning Curve | Low | Medium | High |

🤝 Contributing

Contributions are welcome! Please see the Contributing Guide.

📄 License

MIT © vielzeug

🔗 Links