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

senderwolf

v3.3.0

Published

The simplest way to send emails in Node.js - a true nodemailer alternative with zero learning curve and built-in connection pooling

Readme

🐺 Senderwolf

The simplest way to send emails in Node.js - Powerful, intuitive, and built for modern developers.

npm version License: MIT

Senderwolf makes email sending ridiculously simple. Built from the ground up with an intuitive API, automatic provider detection, built-in connection pooling, and zero configuration for popular email services.

🆕 What's New in v3.3.0

  • 🚀 Built-in Connection Pooling - 50-80% faster bulk email sending
  • High Performance - Efficient connection reuse and management
  • 🔄 Automatic Pool Management - Smart connection rotation and cleanup
  • 📊 Pool Monitoring - Real-time statistics with getPoolStats()
  • 🛡️ Rate Limiting - Built-in protection against provider limits
  • 📧 Enhanced Template System - 4 built-in templates with advanced features
  • 🔧 CLI Tools - Complete command-line interface for email sending and templates
  • 🛡️ Zero Breaking Changes - Full backward compatibility

✨ Key Features

  • One-liner email sending - Send emails with a single function call
  • High-performance connection pooling - 50-80% faster bulk email sending
  • Auto-provider detection - Just provide your email, we handle the rest
  • Built-in provider presets - 13+ popular email services ready to use
  • Zero SMTP dependencies - Pure Node.js implementation
  • Modern authentication - OAuth2, XOAUTH2, and traditional methods
  • Extensible architecture - Add any SMTP provider instantly
  • Full email features - CC/BCC, attachments, custom headers, priority
  • Template system - 4 built-in templates with variable substitution
  • CLI tools - Complete command-line interface for email and template management
  • Clear error messages - Actionable feedback for troubleshooting
  • TypeScript support - Complete type definitions with IntelliSense

🚀 Quick Start

Installation

npm install senderwolf

TypeScript users: Type definitions are included automatically!

Send Your First Email (3 Ways)

1. Super Simple (One-liner)

import { sendGmail } from "senderwolf";

await sendGmail(
	"[email protected]",
	"app-password",
	"[email protected]",
	"Hello!",
	"<h1>World!</h1>"
);

2. Auto-Detection (Just provide your email)

import { sendEmail } from "senderwolf";

await sendEmail({
	smtp: {
		auth: { user: "[email protected]", pass: "password" }, // Auto-detects Outlook!
	},
	mail: {
		to: "[email protected]",
		subject: "Hello from Senderwolf!",
		html: "<h1>No SMTP configuration needed!</h1>",
	},
});

3. High-Performance Mailer (For multiple emails - Recommended)

import { createMailer } from "senderwolf";

const mailer = createMailer({
	smtp: {
		provider: "gmail",
		auth: { user: "[email protected]", pass: "app-password" },
	},
});

// Single email
await mailer.sendHtml("[email protected]", "Subject", "<h1>Hello World!</h1>");

// Bulk sending with connection pooling (50-80% faster!)
const results = await mailer.sendBulk(
	["[email protected]", "[email protected]", "[email protected]"],
	"Newsletter",
	"<h1>Monthly Update</h1>"
);

🔷 TypeScript Support

Senderwolf includes comprehensive TypeScript support with full type definitions:

import {
	sendEmail,
	createMailer,
	type SendEmailConfig,
	type Mailer,
} from "senderwolf";

// Type-safe configuration with IntelliSense
const config: SendEmailConfig = {
	smtp: {
		provider: "gmail", // Auto-completion for providers
		auth: {
			user: "[email protected]",
			pass: "app-password",
			type: "login", // Only valid auth types allowed
		},
	},
	mail: {
		to: "[email protected]",
		subject: "TypeScript Email",
		html: "<h1>Fully typed!</h1>",
		priority: "high", // Only 'high' | 'normal' | 'low' allowed
	},
};

const result = await sendEmail(config); // Fully typed result

Features:

  • Complete type definitions for all functions and interfaces
  • IntelliSense support with auto-completion
  • Compile-time error checking
  • Rich JSDoc documentation in IDE tooltips

📧 Template System

Senderwolf includes a powerful template system with built-in templates and custom template support:

Built-in Templates

import { previewTemplate, listTemplates } from "senderwolf";

// List all available templates
console.log(listTemplates()); // welcome, passwordReset, notification, invoice

// Preview a template with variables
const preview = previewTemplate("welcome", {
	appName: "My App",
	userName: "John Doe",
	verificationUrl: "https://myapp.com/verify",
});

console.log(preview.subject); // "Welcome to My App!"
console.log(preview.html); // Rendered HTML

Custom Templates

import { registerTemplate, createMailer } from "senderwolf";

// Register a custom template
registerTemplate('order-confirmation', {
  subject: 'Order #{{orderNumber}} Confirmed',
  html: `
    <h1>Thank you {{customerName}}!</h1>
    <p>Your order #{{orderNumber}} has been confirmed.</p>
    <ul>
      {{#each items}}
      <li>{{this.name}}: ${{this.price}}</li>
      {{/each}}
    </ul>
    <p>Total: ${{totalAmount}}</p>
  `,
  description: 'Order confirmation email',
  category: 'ecommerce'
});

// Use template in email
const mailer = createMailer({ /* config */ });
await mailer.sendTemplate('order-confirmation', '[email protected]', {
  customerName: 'John Doe',
  orderNumber: '12345',
  items: [
    { name: 'Product 1', price: '29.99' },
    { name: 'Product 2', price: '39.99' }
  ],
  totalAmount: '69.98'
});

Template CLI

# List all templates
senderwolf-templates list

# Show template details
senderwolf-templates show welcome

# Preview template with data
senderwolf-templates preview welcome --variables '{"appName":"MyApp","userName":"John"}'

# Create new template interactively
senderwolf-templates create

# Save/load templates from files
senderwolf-templates save welcome ./templates/welcome.json
senderwolf-templates load ./templates/welcome.json

🌐 Supported Providers

Built-in Support (No configuration needed!)

  • Gmail - gmail
  • Outlook/Hotmail/Live - outlook
  • Yahoo - yahoo
  • Zoho - zoho
  • Amazon SES - ses
  • SendGrid - sendgrid
  • Mailgun - mailgun
  • Postmark - postmark
  • Mailjet - mailjet
  • Mailtrap - mailtrap
  • Resend - resend
  • Brevo - brevo
  • ConvertKit - convertkit

Plus Any Custom SMTP Server

await sendEmail({
	smtp: {
		host: "mail.your-domain.com",
		port: 587,
		secure: false,
		requireTLS: true,
		auth: { user: "[email protected]", pass: "password" },
	},
	mail: {
		/* ... */
	},
});

🔧 Easily Add New Providers

import { registerProvider } from "senderwolf";

// Add any new email service instantly
registerProvider("newservice", {
	host: "smtp.newservice.com",
	port: 587,
	secure: false,
	requireTLS: true,
});

// Use it immediately
await sendEmail({
	smtp: {
		provider: "newservice",
		auth: { user: "[email protected]", pass: "pass" },
	},
	mail: {
		to: "[email protected]",
		subject: "Hello!",
		html: "<h1>It works!</h1>",
	},
});

📧 Full Email Features

Multiple Recipients

await sendEmail({
	smtp: {
		provider: "gmail",
		auth: { user: "[email protected]", pass: "app-password" },
	},
	mail: {
		to: ["[email protected]", "[email protected]"],
		cc: "[email protected]",
		bcc: ["[email protected]", "[email protected]"],
		subject: "Team Update",
		html: "<h1>Important announcement</h1>",
	},
});

Attachments (Files, Buffers, Streams)

await sendEmail({
	smtp: {
		provider: "gmail",
		auth: { user: "[email protected]", pass: "app-password" },
	},
	mail: {
		to: "[email protected]",
		subject: "Files attached",
		html: "<p>Please find the attached files.</p>",
		attachments: [
			{ filename: "document.pdf", path: "./files/document.pdf" },
			{ filename: "data.json", content: JSON.stringify({ data: "value" }) },
			{ filename: "buffer.txt", content: Buffer.from("Hello World!") },
		],
	},
});

Advanced Options

await sendEmail({
	smtp: {
		provider: "gmail",
		auth: { user: "[email protected]", pass: "app-password" },
	},
	mail: {
		to: "[email protected]",
		replyTo: "[email protected]",
		subject: "Advanced Email",
		html: "<h1>Professional Email</h1>",
		priority: "high",
		headers: {
			"X-Custom-Header": "Custom Value",
			"X-Mailer": "Senderwolf",
		},
	},
});

🔐 Authentication Methods

Basic Authentication (Most common)

auth: {
    user: '[email protected]',
    pass: 'your-app-password',
    type: 'login' // Default
}

OAuth2 (Recommended for production)

auth: {
    type: 'oauth2',
    user: '[email protected]',
    clientId: 'your-client-id',
    clientSecret: 'your-client-secret',
    refreshToken: 'your-refresh-token'
}

XOAUTH2 (Modern apps)

auth: {
    type: 'xoauth2',
    user: '[email protected]',
    accessToken: 'your-access-token'
}

⚡ Simple API Methods

One-Liner Functions

import { sendGmail, sendOutlook, quickSend } from "senderwolf";

// Gmail shortcut
await sendGmail(
	"[email protected]",
	"app-password",
	"[email protected]",
	"Subject",
	"<h1>HTML</h1>"
);

// Outlook shortcut
await sendOutlook(
	"[email protected]",
	"password",
	"[email protected]",
	"Subject",
	"Text content"
);

// Any provider
await quickSend(
	"sendgrid",
	"apikey",
	"your-api-key",
	"[email protected]",
	"Subject",
	"<h1>HTML</h1>"
);

High-Performance Mailer (Automatic Connection Pooling)

import { createMailer } from "senderwolf";

const mailer = createMailer({
	smtp: {
		provider: "gmail",
		auth: { user: "[email protected]", pass: "app-password" },
	},
	defaults: { fromName: "My App", replyTo: "[email protected]" },
});

// Simple methods
await mailer.sendHtml("[email protected]", "Welcome!", "<h1>Welcome!</h1>");
await mailer.sendText("[email protected]", "Reset Code", "Your code: 123456");

// With attachments
await mailer.sendWithAttachments(
	"[email protected]",
	"Invoice",
	"<p>Your invoice is attached.</p>",
	[{ filename: "invoice.pdf", path: "./invoice.pdf" }]
);

// High-performance bulk sending (50-80% faster with connection pooling!)
const results = await mailer.sendBulk(
	["[email protected]", "[email protected]"],
	"Newsletter",
	"<h1>Monthly Update</h1>"
);

🛠️ Configuration

Config File (Recommended)

Create .senderwolfrc.json in your project root:

{
	"provider": "gmail",
	"user": "[email protected]",
	"pass": "your-app-password",
	"fromName": "My Application",
	"fromEmail": "[email protected]",
	"replyTo": "[email protected]",

	"customProviders": {
		"mycompany": {
			"host": "smtp.mycompany.com",
			"port": 587,
			"secure": false,
			"requireTLS": true
		}
	},

	"customDomains": {
		"mycompany.com": "mycompany"
	}
}

Now send emails with minimal code:

await sendEmail({
	mail: {
		to: "[email protected]",
		subject: "Using Config",
		html: "<p>SMTP settings loaded automatically!</p>",
	},
});

🔍 Testing & Debugging

Test Connection

import { testConnection } from "senderwolf";

const result = await testConnection({
	smtp: {
		provider: "gmail",
		auth: { user: "[email protected]", pass: "app-password" },
	},
});

console.log(result.success ? "Connected!" : "Failed:", result.message);

Debug Mode

await sendEmail({
	smtp: {
		provider: "gmail",
		debug: true, // Enable detailed logging
		auth: { user: "[email protected]", pass: "app-password" },
	},
	mail: {
		/* ... */
	},
});

Provider Discovery

import { listProviders, suggestSMTPSettings } from "senderwolf";

// List all available providers
console.log(listProviders());

// Get suggestions for unknown domains
console.log(suggestSMTPSettings("newcompany.com"));

🚀 CLI Usage

Senderwolf includes comprehensive command-line tools for both email sending and template management.

Email CLI (senderwolf)

Basic Commands

# Simple email with auto-detection
senderwolf --user [email protected] --pass yourapppass \
  --to [email protected] --subject "Hello" --html "<h1>World!</h1>"

# Use provider preset
senderwolf --provider gmail --user [email protected] --pass yourapppass \
  --to [email protected] --subject "Hello" --html ./email.html

# Multiple recipients with CC/BCC
senderwolf --user [email protected] --pass password \
  --to "[email protected],[email protected]" \
  --cc [email protected] --bcc [email protected] \
  --subject "Team Update" --html "<h1>Update</h1>"

# Interactive mode (guided setup)
senderwolf --interactive

# Dry run (preview without sending)
senderwolf --dry-run --provider gmail --user [email protected] --pass yourapppass \
  --to [email protected] --subject "Test" --html "<h1>Preview</h1>"

Utility Commands

# Test SMTP connection
senderwolf --test --provider gmail --user [email protected] --pass yourapppass

# List all available providers
senderwolf --list-providers

# Get SMTP suggestions for a domain
senderwolf --suggest mycompany.com

# Show configuration file example
senderwolf --config-example

Template CLI (senderwolf-templates)

# List all templates
senderwolf-templates list

# Show template details
senderwolf-templates show welcome

# Preview template with sample data
senderwolf-templates preview welcome

# Preview with custom variables
senderwolf-templates preview welcome \
  --variables '{"appName":"MyApp","userName":"John"}'

# Create new template interactively
senderwolf-templates create

# Load template from file
senderwolf-templates load ./my-template.json

# Save template to file
senderwolf-templates save welcome ./welcome-template.json

# Remove template
senderwolf-templates remove my-template --force

# Validate template syntax
senderwolf-templates validate welcome

📚 Examples & Documentation

  • examples.js - Comprehensive usage examples
  • examples/ - Real-world example scripts
  • ADDING-PROVIDERS.md - Guide for adding new email providers
  • TEMPLATES.md - Complete template system documentation
  • Configuration examples for all major providers
  • Error handling patterns and troubleshooting

🔧 Advanced Features

🔧 Connection Pooling (High Performance)

Senderwolf includes built-in connection pooling for efficient bulk email sending:

import { sendEmail, createMailer } from "senderwolf";

// Automatic pooling with createMailer (recommended for multiple emails)
const mailer = createMailer({
	smtp: {
		provider: "gmail",
		pool: {
			maxConnections: 5, // Max concurrent connections
			maxMessages: 100, // Max messages per connection
			rateDelta: 1000, // Rate limiting window (ms)
			rateLimit: 3, // Max messages per rateDelta
			idleTimeout: 30000, // Connection idle timeout (ms)
		},
		auth: { user: "[email protected]", pass: "app-password" },
	},
});

// Efficient bulk sending using pooled connections (50-80% faster!)
const results = await mailer.sendBulk(
	["[email protected]", "[email protected]", "[email protected]"],
	"Newsletter",
	"<h1>Monthly Update</h1>"
);

Pool Configuration Options:

  • maxConnections - Maximum concurrent SMTP connections (default: 5)
  • maxMessages - Messages per connection before rotation (default: 100)
  • rateDelta - Rate limiting time window in ms (default: 1000)
  • rateLimit - Max messages per rateDelta (default: 3)
  • idleTimeout - Connection idle timeout in ms (default: 30000)

Pool Management:

import { getPoolStats, closeAllPools } from "senderwolf";

// Monitor pool performance
console.log(getPoolStats());

// Graceful shutdown
await closeAllPools();

Performance Benefits:

  • 🚀 50-80% faster bulk email sending
  • 💾 Reduced memory usage through connection reuse
  • Lower CPU usage with efficient connection management
  • 🛡️ Built-in rate limiting to avoid provider limits
  • 🔄 Automatic connection rotation for reliability

Performance Comparison:

// Before: Sequential sending (slower)
for (const recipient of recipients) {
	await sendEmail({
		/* config */
	}); // New connection each time
}

// Now: Connection pooling (50-80% faster!)
const mailer = createMailer({
	/* config */
});
const results = await mailer.sendBulk(recipients, subject, content);

Bulk Email Sending

const mailer = createMailer({
	/* config */
});

const recipients = [
	"[email protected]",
	"[email protected]",
	"[email protected]",
];
const results = await mailer.sendBulk(
	recipients,
	"Newsletter",
	"<h1>Monthly Update</h1>"
);

results.forEach((result) => {
	console.log(`${result.recipient}: ${result.success ? "Sent" : "Failed"}`);
});

Custom Error Handling

try {
	await sendEmail({
		/* config */
	});
} catch (error) {
	if (error.message.includes("authentication")) {
		console.log("Check your credentials");
	} else if (error.message.includes("connection")) {
		console.log("Check your network/firewall");
	}
}

Provider Management

import { registerProvider, hasProvider, getAllProviders } from "senderwolf";

// Add new provider
registerProvider("newservice", { host: "smtp.newservice.com", port: 587 });

// Check if provider exists
console.log(hasProvider("newservice")); // true

// Get all provider configurations
console.log(getAllProviders());

🔒 Security Best Practices

  1. Use App Passwords for Gmail (not your main password)
  2. Use OAuth2 for production applications
  3. Store credentials in environment variables or config files
  4. Enable 2FA on your email accounts
  5. Use STARTTLS when available (requireTLS: true)

🤝 Contributing

We welcome contributions! Whether it's:

  • Adding new email provider presets
  • Improving documentation
  • Fixing bugs
  • Adding features

See our contribution guidelines and provider addition guide.


📄 License

MIT © 2025 Chandraprakash


🌟 Why Senderwolf?

  • 🚀 Faster development - Less time configuring, more time building
  • ⚡ High performance - Built-in connection pooling for 50-80% faster bulk sending
  • 🧠 Lower cognitive load - Intuitive API that just makes sense
  • 🔮 Future-proof - Easily add any new email provider
  • 🪶 Lightweight - Zero unnecessary dependencies
  • 🛡️ Reliable - Built on Node.js native modules with robust error handling
  • 📧 Template system - Built-in templates with advanced variable substitution
  • 🔧 CLI tools - Complete command-line interface for all operations
  • 📚 Well-documented - Clear examples and guides

Ready to simplify your email sending? Install senderwolf today!

npm install senderwolf

🌐 Website📖 Documentation🐛 Issues💬 Discussions

Made with ❤️ for developers who value simplicity