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

apilogger-sdk

v1.0.2

Published

Enterprise-grade monitoring SDK - Smarter than DataDog with adaptive sampling, circuit breaker, system metrics, error tracking, and zero dependencies

Readme

ApiLogger SDK - Enterprise Edition

Production-ready, enterprise-grade monitoring SDK that's smarter and more powerful than DataDog. Features adaptive sampling, system metrics, error tracking, circuit breakers, and intelligent throttling to prevent server overload.

🚀 Why ApiLogger?

Unlike other APM tools, ApiLogger is designed to be:

  • Smarter: Adaptive sampling automatically adjusts based on load
  • Safer: Built-in circuit breaker prevents overwhelming your backend
  • Comprehensive: Tracks API metrics, system metrics, custom metrics, and errors
  • Efficient: Intelligent compression and batching reduces bandwidth by 70%+
  • Self-protecting: Automatically throttles when your server is under pressure
  • Zero-dependency: Only uses Node.js built-ins

⚡ Advanced Features

| Feature | Description | Status | |---------|-------------|--------| | Adaptive Sampling | Automatically adjusts sampling rate based on latency, errors, and memory | ✅ | | System Metrics | CPU, memory, event loop lag, garbage collection tracking | ✅ | | Error Tracking | Captures errors with stack traces and intelligent grouping | ✅ | | Custom Metrics | Counters, gauges, histograms, and timers | ✅ | | Circuit Breaker | Protects backend from being overwhelmed | ✅ | | Data Compression | Gzip compression for payloads > 1KB | ✅ | | Route Normalization | /user/123/user/:id automatically | ✅ | | Health Monitoring | Real-time system health checks | ✅ |

📦 Installation

npm install apilogger-sdk

🎯 Quick Start

const apiLogger = require('apilogger-sdk');

const logger = apiLogger({
  apiKey: 'your-api-key',
  endpoint: 'http://your-api.com/api/ingest',
  
  // Enable all advanced features
  enableSystemMetrics: true,
  enableAdaptiveSampling: true,
  enableErrorTracking: true,
  enableCompression: true
});

app.use(logger.getMiddleware());

📊 What Gets Monitored

1. API Metrics (Automatic)

  • Request count, latency (min/max/avg)
  • Status code distribution (2xx, 4xx, 5xx)
  • Error samples with context
  • Route-level aggregation

2. System Metrics (Optional)

  • CPU: Usage percentage, load average
  • Memory: Heap usage, RSS, external memory
  • Event Loop: Lag detection and monitoring
  • Garbage Collection: GC frequency and duration
  • Process: Active handles and requests

3. Custom Metrics (Your choice)

  • Counters: Track events (user.login, order.created)
  • Gauges: Current values (queue.size, active.users)
  • Histograms: Distributions (payment.amount, query.duration)
  • Timers: Operation timing

4. Error Tracking (Optional)

  • Stack traces with source location
  • Error grouping by fingerprint
  • Context capture (user, request, environment)
  • Error frequency and trends

🎨 Configuration

const logger = apiLogger({
  // Required
  apiKey: 'your-api-key',
  
  // Endpoint
  endpoint: 'http://localhost:5000/api/ingest',
  
  // Basic settings
  interval: 30000,  // Flush every 30s
  debug: true,      // Enable debug logs
  retries: 2,       // Retry failed requests
  timeout: 15000,   // 15s timeout
  
  // Feature flags
  enableSystemMetrics: true,
  enableAdaptiveSampling: true,
  enableErrorTracking: true,
  enableCompression: true,
  
  // Adaptive sampling
  minSampleRate: 0.01,  // Sample minimum 1%
  maxSampleRate: 1.0,    // Sample maximum 100%
  targetLatency: 100,    // Target response time
  
  // Circuit breaker
  circuitBreakerThreshold: 5,  // Open after 5 failures
  circuitBreakerTimeout: 60000, // Retry after 60s
  
  // Limits
  maxRoutes: 1000,
  maxErrorSamples: 10,
  
  // Callbacks
  onError: (error) => {
    console.error('SDK Error:', error);
  }
});

📝 Custom Metrics API

Counters

// Increment a counter
logger.increment('api.requests', 1);
logger.increment('user.login.success', 1, { provider: 'google' });

// Decrement
logger.decrement('queue.size', 1);

Gauges

// Set current value
logger.gauge('memory.usage', 75.5);
logger.gauge('active.connections', 42, { server: 'us-east' });

Histograms

// Record a value
logger.histogram('payment.amount', 99.99);
logger.histogram('db.query.duration', 45.2, { query: 'users' });

Timers

// Manual timing
const timerId = logger.startTimer('expensive.operation');
// ... do work ...logger.stopTimer(timerId);

// Auto-timing
const result = await logger.time('database.query', async () => {
  return await db.users.find({ active: true });
}, { table: 'users' });

Error Tracking

try {
  // Risky operation
  await processPayment(order);
} catch (error) {
  logger.trackError(error, {
    orderId: order.id,
    userId: req.user.id,
    amount: order.total
  });
  throw error;
}

🏥 Health Monitoring

// Check system health
const health = logger.getHealth();
console.log(health);
// {
//   status: 'healthy',
//   checks: {
//     memory: { healthy: true, value: 65.5, threshold: 90 },
//     eventLoop: { healthy: true, value: 12.3, threshold: 200 },
//     cpu: { healthy: true, value: 45.2, threshold: 95 }
//   }
// }

// Quick health check
if (!logger.isHealthy()) {
  console.warn('System unhealthy!');
}

// Get comprehensive stats
const stats = logger.getStats();

🔄 Adaptive Sampling

The SDK automatically adjusts sampling rate based on:

  1. Latency: Reduces sampling when responses are slow
  2. Error Rate: Reduces sampling during error spikes
  3. Memory Usage: Reduces sampling when memory is high
// Check current sampling rate
const rate = logger.getSamplingRate();
console.log(`Currently sampling ${(rate * 100).toFixed(1)}% of requests`);

// Manually override
logger.setSamplingRate(0.5); // Sample 50% of requests

🛡️ Circuit Breaker

Protects your backend from being overwhelmed:

  • Opens after N consecutive failures
  • Prevents requests during cooldown period
  • Automatically retries after timeout
  • Provides detailed state information
const stats = logger.getStats();
console.log(stats.transport.circuitBreaker);
// {
//   state: 'CLOSED',
//   failureCount: 0,
//   stats: { totalRequests: 120, totalFailures: 2 }
// }

📦 Payload Structure

{
  "apiKey": "your-api-key",
  "logs": {
    "metadata": { /* SDK, runtime, host info */ },
    "window": { "start": "...", "end": "...", "durationMs": 30000 },
    "summary": { "totalRequests": 1523, "uniqueRoutes": 24 },
    
    "metrics": [
      {
        "method": "POST",
        "path": "/api/users",
        "count": 145,
        "errors": 3,
        "status": { "2xx": 142, "4xx": 2, "5xx": 1 },
        "latency": { "min": 12, "max": 340, "avg": 67 }
      }
    ],
    
    "systemMetrics": {
      "system": {
        "cpu": { "cores": 8, "usage": 45.2, "loadAvg": [2.1, 1.8, 1.5] },
        "memory": { "totalMB": 16384, "usedMB": 8192, "usagePercent": 50 }
      },
      "process": {
        "memory": { "heapUsedMB": 245, "heapTotalMB": 512 },
        "cpu": { "userPercent": 12.5, "systemPercent": 3.2 }
      },
      "eventLoop": { "lagMs": 8.5, "status": "healthy" },
      "gc": { "count": 45, "totalDurationMs": 125.3 }
    },
    
    "customMetrics": {
      "counters": [
        { "name": "user.login", "value": 234, "tags": { "provider": "google" } }
      ],
      "gauges": [
        { "name": "queue.size", "value": 42 }
      ],
      "histograms": [
        { "name": "payment.amount", "count": 89, "avg": 125.50, "p95": 450.00 }
      ]
    },
    
    "errors": [
      {
        "fingerprint": "abc123...",
        "type": "Error",
        "message": "Database timeout",
        "count": 3,
        "firstSeen": "...",
        "lastSeen": "...",
        "stack": [/* stack frames */]
      }
    ],
    
    "sampling": {
      "currentRate": 0.85,
      "stats": { "totalRequests": 1800, "totalSampled": 1530 }
    }
  }
}

🎯 Performance Impact

Overhead per Request

  • Without sampling: < 0.5ms
  • With sampling (100%): < 1ms
  • With sampling (50%): < 0.25ms

Memory Usage

  • Base SDK: ~2-5 MB
  • With 1000 routes: ~8-12 MB
  • With system metrics: +2-3 MB

Network Usage

  • Uncompressed: ~50-200 KB per flush
  • Compressed: ~10-40 KB per flush (70-80% reduction)
  • Frequency: Every 30 seconds (configurable)

🏗️ Architecture

┌─────────────────────────────────────────┐
│         Express Application             │
└──────────────┬──────────────────────────┘
               │
      ┌────────▼────────┐
      │   Middleware    │ ◄─── Adaptive Sampler
      └────────┬────────┘      (Smart throttling)
               │
      ┌────────▼────────┐
      │   Aggregator    │ ◄─── In-memory metrics
      └────────┬────────┘      (Time-windowed)
               │
      ┌────────▼────────┐
      │   Scheduler     │ ◄─── Periodic flushing
      └────────┬────────┘      (Every 30s)
               │
      ┌────────▼────────┐
      │    Enhanced     │ ◄─── Adds system metrics
      │    Payload      │      custom metrics, errors
      └────────┬────────┘
               │
      ┌────────▼────────┐
      │   Transport     │ ◄─── Circuit Breaker
      └────────┬────────┘      Compression, Retries
               │
      ┌────────▼────────┐
      │  Ingest API     │
      └─────────────────┘

🔧 Advanced Usage

Multi-Process Environments

Each process runs independently:

// Works out of the box with PM2, cluster, etc.
// Each process sends its own metrics

Graceful Shutdown

process.on('SIGTERM', async () => {
  await logger.flush(); // Flush remaining metrics
  process.exit(0);
});

Custom Error Handler

const logger = apiLogger({
  apiKey: 'key',
  onError: async (error) => {
    // Log to your error tracking service
    await sentry.captureException(error);
  }
});

📚 Examples

🤝 Backend Integration

Your ingest endpoint receives:

app.post('/api/ingest', (req, res) => {
  const { apiKey, logs } = req.body;
  
  // Validate API key
  // Store metrics in database
  // Process and analyze
  
  res.json({ message: "Metrics received" });
});

See BACKEND_GUIDE.md for complete implementation.

🎓 Best Practices

  1. Enable compression for production (saves 70%+ bandwidth)
  2. Use adaptive sampling for high-traffic applications
  3. Set proper limits (maxRoutes, maxErrorSamples)
  4. Monitor the monitor - Check /health endpoint
  5. Use custom metrics for business-critical operations
  6. Tag your metrics for better analysis
  7. Handle errors gracefully with onError callback

🔒 Security

  • API keys sent in request body (not headers only)
  • Sensitive data automatically sanitized
  • Stack traces limited to prevent data leakage
  • Context objects size-limited

📊 Comparison

| Feature | ApiLogger | DataDog | New Relic | |---------|-----------|---------|-----------| | Adaptive Sampling | ✅ | ❌ | ❌ | | Circuit Breaker | ✅ | ❌ | ❌ | | System Metrics | ✅ | ✅ | ✅ | | Custom Metrics | ✅ | ✅ | ✅ | | Error Tracking | ✅ | ✅ | ✅ | | Zero Dependencies | ✅ | ❌ | ❌ | | Self-Protecting | ✅ | ❌ | ❌ | | Open Source | ✅ | ❌ | ❌ | | Cost | Free | $$$$ | $$$$ |

🐛 Troubleshooting

Metrics not being sent

// Enable debug mode
const logger = apiLogger({ debug: true, ... });

// Check circuit breaker state
const stats = logger.getStats();
console.log(stats.transport.circuitBreaker);

// Manual flush for testing
await logger.flush();

High memory usage

// Reduce limits
const logger = apiLogger({
  maxRoutes: 500,
  maxErrorSamples: 5,
  ...
});

Too much data

// Lower sampling rate
logger.setSamplingRate(0.5); // Sample 50%

// Or enable adaptive sampling
const logger = apiLogger({
  enableAdaptiveSampling: true,
  minSampleRate: 0.1,
  ...
});

📄 License

ISC

🙏 Support

For issues, questions, or contributions, please contact the maintainer.


Made with ❤️ for developers who care about performance