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

@pokedotdev/snowflake

v0.0.7

Published

High-performance TypeScript library for generating unique, sortable Snowflake IDs

Downloads

17

Readme

Snowflake ID Generator

A lightweight and fast TypeScript library for generating unique, sortable 64-bit IDs inspired by Twitter's Snowflake algorithm and Discord's ID system.

Features

  • Zero Dependencies: Lightweight and fast
  • 🔒 Sequence Safe: Handle rapid generation with sequence overflow protection
  • ⚙️ Configurable: Customize bit allocations for your use case
  • 🛡️ Graceful Error Handling: Handles clock drift and sequence overflow cases without throwing errors
  • 🎯 TypeScript First: Full type safety with comprehensive interfaces

Installation

npm install @pokedotdev/snowflake

Quick Start

import { SnowflakeGenerator } from '@pokedotdev/snowflake';

// Create a generator with a unique worker ID
const generator = new SnowflakeGenerator({ workerId: 1 });

// Generate unique IDs
const id1 = generator.generate(); // 1234567890123456789n
const id2 = generator.generate(); // 1234567890123456790n

// IDs are naturally sortable by generation time
console.log(id1 < id2); // true

Configuration

The library uses a flexible bit allocation system. By default:

  • 1 bit: Unused (always 0)
  • 41 bits: Timestamp (milliseconds since epoch)
  • 10 bits: Worker ID (0-1023)
  • 0 bits: Process ID
  • 12 bits: Sequence (0-4095 per millisecond)

Basic Configuration

const generator = new SnowflakeGenerator({
  workerId: 42,           // Required: unique worker identifier
  processId: 0,           // Optional: process identifier (default: 0)
  epoch: 1640995200000,   // Optional: custom epoch (default: 2020-01-01)
});

Advanced Configuration

Customize bit allocations for your specific needs using the bits configuration object:

const generator = new SnowflakeGenerator({
  workerId: 1,
  bits: {
    workerId: 8,     // 256 possible workers (0-255)
    processId: 4,    // 16 possible processes (0-15)
    sequence: 10,    // 1024 IDs per millisecond (0-1023)
    // Total: 8 + 4 + 10 = 22 bits (within 64-bit limit)
  }
});

API Reference

SnowflakeGenerator

Constructor

new SnowflakeGenerator(config: SnowflakeConfig)

Methods

generate(): bigint

Generate a new unique Snowflake ID.

const id = generator.generate();
console.log(id); // 1234567890123456789n
compose(timestamp: number, workerId: number, processId: number, sequence: number): bigint

Create an ID from individual components.

const id = generator.compose(
  Date.now(),  // timestamp
  1,           // workerId
  0,           // processId
  42           // sequence
);
decompose(id: bigint): SnowflakeComponents

Extract components from an existing ID.

const components = generator.decompose(1234567890123456789n);
console.log(components);
// {
//   timestamp: 1640995200000,
//   workerId: 1,
//   processId: 0,
//   sequence: 42
// }

Configuration Interface

interface SnowflakeConfig {
  /** Custom epoch timestamp in milliseconds (default: 2020-01-01) */
  epoch?: number;
  /** Worker ID for this instance */
  workerId: number;
  /** Process ID for this instance (default: 0) */
  processId?: number;
  /** Bit allocation configuration (optional) */
  bits?: BitAllocation;
}

interface BitAllocation {
  /** Number of bits for worker ID (default: 10) */
  workerId: number;
  /** Number of bits for process ID (default: 0) */
  processId: number;
  /** Number of bits for sequence (default: 12) */
  sequence: number;
}

Components Interface

interface SnowflakeComponents {
  /** Timestamp in milliseconds since epoch */
  timestamp: number;
  /** Worker ID */
  workerId: number;
  /** Process ID */
  processId: number;
  /** Sequence number */
  sequence: number;
}

Error Handling

The library provides specific error classes for different failure scenarios:

import {
  SnowflakeGenerator,
  ConfigurationError,
  InvalidIdError
} from '@pokedotdev/snowflake';

try {
  const generator = new SnowflakeGenerator({
    workerId: 2000,
    bits: { workerId: 10, processId: 0, sequence: 12 }
  });
} catch (error) {
  if (error instanceof ConfigurationError) {
    console.error('Configuration error:', error.message);
    // "Worker ID (2000) exceeds maximum value (1023) for 10 bits"
  }
}

Error Types

  • ConfigurationError: Invalid configuration parameters
  • InvalidIdError: Invalid ID format during decomposition

Best Practices

1. Choose Appropriate Bit Allocations

// For small deployments (fewer workers, more throughput)
const generator = new SnowflakeGenerator({
  workerId: 1,
  bits: {
    workerId: 8,     // 256 workers max
    processId: 0,    // No process distinction
    sequence: 14,    // 65,536 IDs/ms
  }
});

// For large deployments (more workers, adequate throughput)
const generator = new SnowflakeGenerator({
  workerId: 1,
  bits: {
    workerId: 10,    // 1,024 workers max
    processId: 0,    // No process distinction
    sequence: 12,    // 4,096 IDs/ms
  }
});

2. Use Consistent Epochs

// Use the same epoch across all services
const COMPANY_EPOCH = new Date('2024-01-01').getTime();

const generator = new SnowflakeGenerator({
  workerId: 1,
  epoch: COMPANY_EPOCH,
});

Validation

The library validates all configurations at construction time:

// ✅ Valid - total bits: 8 + 4 + 10 = 22
new SnowflakeGenerator({
  workerId: 1,
  bits: {
    workerId: 8,
    processId: 4,
    sequence: 10,
  }
});

// ❌ Invalid - total bits: 10 + 10 + 10 = 30 > 22
new SnowflakeGenerator({
  workerId: 1,
  bits: {
    workerId: 10,
    processId: 10,
    sequence: 10,
  }
}); // Throws ConfigurationError

Predefined Configurations

For common use cases, you can use these predefined bit allocations:

// Default: Good balance for most applications
const defaultConfig = { workerId: 10, processId: 0, sequence: 12 };

// Distributed: For microservices with multiple processes
const distributedConfig = { workerId: 8, processId: 4, sequence: 10 };

// High-throughput: Maximum sequence capacity
const highThroughputConfig = { workerId: 6, processId: 0, sequence: 16 };

// Example usage
const generator = new SnowflakeGenerator({
  workerId: 1,
  bits: distributedConfig
});

Development

Install dependencies:

pnpm install

Run tests:

pnpm run test

Build the library:

pnpm run build

Type checking:

pnpm run typecheck

Format code:

pnpm run format

License

MIT

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.