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

planllama

v1.0.0

Published

A simple and powerful cloud-based job scheduler for Node.js applications. Schedule jobs with cron expressions, process background tasks, and manage worker queues without requiring a database connection.

Downloads

139

Readme

PlanLlama

A simple and powerful job scheduler for Node.js applications. PlanLlama provides a clean API for scheduling and managing background jobs without requiring a database connection - just an API key.

Installation

npm install planllama

Getting Started

1. Get Your API Token

Sign up at https://planllama.io to get your API token. You'll find it in your project settings dashboard.

2. Quick Start

import { PlanLlama } from "planllama";

// Initialize with your api token from https://planllama.io
const planLlama = new PlanLlama("your-api-token");

// Start the job scheduler
await planLlama.start();

// Publish a job (fire-and-forget)
await planLlama.publish("send-email", {
  to: "[email protected]",
  subject: "Welcome!",
  body: "Thanks for signing up!",
});

// Or request a job and wait for the result
const result = await planLlama.request("generate-report", {
  userId: 123,
  reportType: "monthly",
});

Configuration

Basic Setup

import { PlanLlama } from "planllama";

// Option 1: Initialize with token string
const planLlama = new PlanLlama("your-api-token");

// Option 2: Initialize with options object
const planLlama = new PlanLlama({
  apiToken: "your-api-token",
  // Additional options can be added here
});

Publishing Jobs

Immediate Jobs (Fire-and-Forget)

// Publish a job to be processed immediately
await planLlama.publish("process-payment", {
  userId: 123,
  amount: 29.99,
  currency: "USD",
});

Delayed Jobs

// Publish a job to run in 5 minutes
await planLlama.publish(
  "reminder-email",
  { userId: 123, message: "Don't forget!" },
  { startAfter: new Date(Date.now() + 5 * 60 * 1000) }
);

// Publish a job to run in 1 hour
await planLlama.publish(
  "cleanup-temp-files",
  { directory: "/tmp/uploads" },
  { startAfter: "1 hour" }
);

Recurring Jobs

// Run every 15 minutes
await planLlama.schedule("health-check", "*/15 * * * *", {
  endpoint: "https://api.example.com/health",
});

// Run daily at 2 AM
await planLlama.schedule("daily-report", "0 2 * * *", {
  reportType: "daily",
  recipients: ["[email protected]"],
});

// Run every Monday at 9 AM
await planLlama.schedule("weekly-summary", "0 9 * * 1", {
  type: "weekly",
});

Request Pattern (Wait for Result)

// Request a job and wait for the result
const report = await planLlama.request("generate-report", {
  userId: 123,
  year: 2025,
});
console.log("Report generated:", report);

// Request with timeout
try {
  const result = await planLlama.request(
    "slow-operation",
    { data: "important" },
    { timeout: 30000 } // 30 seconds
  );
} catch (error) {
  console.error("Request timed out or failed:", error);
}

Job Handlers

Register handlers to process your jobs:

// Register a job handler
planLlama.work("send-email", async (job) => {
  const { to, subject, body } = job.data;

  try {
    await emailService.send({ to, subject, body });
    console.log(`Email sent to ${to}`);
  } catch (error) {
    console.error("Failed to send email:", error);
    throw error; // Job will be retried
  }
});

// Handler with options
planLlama.work(
  "process-payment",
  {
    teamSize: 5, // Process up to 5 jobs concurrently
    teamConcurrency: 2, // Each worker processes 2 jobs at a time
  },
  async (job) => {
    const { userId, amount, currency } = job.data;

    const result = await paymentProcessor.charge({
      userId,
      amount,
      currency,
    });

    return result;
  }
);

Job Options

Retry Configuration

await planLlama.publish(
  "flaky-api-call",
  { url: "https://api.unreliable.com/data" },
  {
    retryLimit: 5,
    retryDelay: 30, // seconds
    retryBackoff: true, // exponential backoff
  }
);

Job Expiration

await planLlama.publish(
  "time-sensitive-task",
  { data: "important" },
  {
    expireIn: "5 minutes", // Job expires if not processed within 5 minutes
  }
);

Job Priority

// High priority job (processed first)
await planLlama.publish(
  "urgent-notification",
  { message: "System alert!" },
  { priority: 10 }
);

// Low priority job
await planLlama.publish("cleanup-logs", { olderThan: "30 days" }, { priority: -10 });

Monitoring Jobs

Job Events

// Listen for job completion
planLlama.on("completed", (job) => {
  console.log(`Job ${job.id} completed successfully`);
});

// Listen for job failures
planLlama.on("failed", (job, error) => {
  console.log(`Job ${job.id} failed:`, error.message);
});

// Listen for job retries
planLlama.on("retrying", (job) => {
  console.log(`Retrying job ${job.id}, attempt ${job.retryCount + 1}`);
});

Getting Job Status

// Get job by ID
const job = await planLlama.getJobById("job-id-123");
console.log(job.state); // 'created', 'retry', 'active', 'completed', 'expired', 'cancelled', 'failed'

// Cancel a job
await planLlama.cancel("job-id-123");

// Get job counts
const counts = await planLlama.getQueueSize();
console.log(counts); // { waiting: 5, active: 2, completed: 100, failed: 3 }

Advanced Usage

Job Batches

// Process multiple related jobs as a batch
const batchId = await planLlama.publishBatch([
  { name: "resize-image", data: { imageId: 1, size: "thumbnail" } },
  { name: "resize-image", data: { imageId: 1, size: "medium" } },
  { name: "resize-image", data: { imageId: 1, size: "large" } },
]);

// Wait for entire batch to complete
await planLlama.waitForBatch(batchId);

Custom Job IDs

// Use custom job ID to prevent duplicates
await planLlama.publish(
  "user-welcome-email",
  { userId: 123 },
  {
    id: `welcome-email-user-123`,
    singletonKey: "user-123", // Prevents duplicate jobs for same user
  }
);

Error Handling

try {
  await planLlama.publish("risky-operation", { data: "test" });
} catch (error) {
  if (error.code === "RATE_LIMIT_EXCEEDED") {
    console.log("Rate limit exceeded, try again later");
  } else if (error.code === "INVALID_TOKEN") {
    console.log("Invalid api token");
  } else {
    console.log("Unexpected error:", error.message);
  }
}

Graceful Shutdown

process.on("SIGINT", async () => {
  console.log("Shutting down gracefully...");
  await planLlama.stop();
  process.exit(0);
});

API Reference

Constructor Options

interface PlanLlamaOptions {
  apiToken: string;
  serverUrl?: string;
}

Job Options

interface JobOptions {
  id?: string;
  priority?: number;
  startAfter?: Date | string;
  expireIn?: string;
  retryLimit?: number;
  retryDelay?: number;
  retryBackoff?: boolean;
  singletonKey?: string;
}

Work Options

interface WorkOptions {
  teamSize?: number;
  teamConcurrency?: number;
}

Examples

Check out the examples directory for more detailed usage examples including:

  • Consumer/worker patterns
  • Cron job scheduling
  • Performance testing
  • Publisher/consumer workflows
  • Batch job processing
  • Workflow orchestration

Support

License

MIT