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

metigan

v1.0.7

Published

SDK for integration with Metigan's email and audience management platform

Downloads

14

Readme

Metigan SDK

A powerful and flexible SDK for integrating with the Metigan email and audience management platform. Metigan SDK provides a simple interface for sending emails, managing contacts, and organizing audiences.

Features

  • 📧 Email Sending: Send transactional and marketing emails with ease
  • 👥 Contact Management: Create, update, and manage contacts
  • 🎯 Audience Management: Organize contacts into targeted audiences
  • 📝 Email Templates: Use templates with variable substitution
  • 📎 Attachments: Support for file attachments in various formats
  • 🔄 Retry Mechanism: Built-in retry system for improved reliability
  • 🔒 Error Handling: Comprehensive error handling and reporting

Installation

# Using npm
npm install metigan

# Using yarn
yarn add metigan

# Using pnpm
pnpm add metigan

Quick Start

import Metigan from 'metigan';

// Initialize the SDK with your API key
const metigan = new Metigan('your_api_key');

// Send a simple email
async function sendWelcomeEmail() {
  try {
    const response = await metigan.sendEmail({
      from: '[email protected]',
      recipients: ['[email protected]'],
      subject: 'Welcome to Our Service',
      content: '<h1>Welcome!</h1><p>Thank you for signing up.</p>',
    });
    
    console.log('Email sent successfully:', response);
  } catch (error) {
    console.error('Failed to send email:', error);
  }
}

sendWelcomeEmail();

Configuration

The Metigan SDK can be configured with various options:

const metigan = new Metigan('your_api_key', {
 
  // User ID for logs (optional)
  userId: 'your-user-id',
  
  // Disable logs (optional)
  disableLogs: false,
  
  // Number of retry attempts for failed operations (optional, default: 3)
  retryCount: 5,
  
  // Base time between retry attempts in ms (optional, default: 1000)
  retryDelay: 2000,
  
  // Timeout for requests in ms (optional, default: 30000)
  timeout: 60000,
});

Email Sending

Basic Email

await metigan.sendEmail({
  from: '[email protected]',
  recipients: ['[email protected]', '[email protected]'],
  subject: 'Important Update',
  content: '<h1>New Features Available</h1><p>Check out our latest updates...</p>',
});

Email with Attachments

// Browser environment (using File objects)
const file = new File(['file content'], 'document.pdf', { type: 'application/pdf' });

// Node.js environment
const nodeAttachment = {
  buffer: Buffer.from('file content'),
  originalname: 'document.pdf',
  mimetype: 'application/pdf',
};

// Custom attachment
const customAttachment = {
  content: 'file content as string or buffer',
  filename: 'document.pdf',
  contentType: 'application/pdf',
};

await metigan.sendEmail({
  from: '[email protected]',
  recipients: ['[email protected]'],
  subject: 'Document Attached',
  content: '<p>Please find the attached document.</p>',
  attachments: [file], // or [nodeAttachment] or [customAttachment]
});

Email with Tracking

const trackingId = metigan.generateTrackingId();

await metigan.sendEmail({
  from: '[email protected]',
  recipients: ['[email protected]'],
  subject: 'Trackable Email',
  content: '<p>This email will be tracked.</p>',
  trackingId: trackingId,
});

Email with Template

await metigan.sendEmailWithTemplate({
  from: '[email protected]',
  recipients: ['[email protected]'],
  subject: 'Welcome to Our Service',
  templateId: 'welcome-template-id',
});

Contact Management

Creating Contacts

await metigan.createContacts(
  ['[email protected]', '[email protected]'],
  {
    createContact: true,
    audienceId: 'your-audience-id'
  }
);

Getting Contact Details

const contactDetails = await metigan.getContact('[email protected]', 'your-audience-id');
console.log('Contact details:', contactDetails);

Listing Contacts

const contacts = await metigan.listContacts({
  audienceId: 'your-audience-id',
  page: 1,
  limit: 50,
  filters: {
    company: 'Acme Inc',
  },
});

console.log(`Found ${contacts.contacts.length} contacts`);

Updating a Contact

await metigan.updateContact('[email protected]', {
  audienceId: 'your-audience-id'
});

Deleting a Contact

await metigan.deleteContact('contact-id', 'your-audience-id');

Audience Management

Creating an Audience

const newAudience = await metigan.createAudience({
  name: 'Newsletter Subscribers',
  description: 'People who subscribed to our monthly newsletter',
});

console.log('New audience ID:', newAudience.audience.id);

Getting All Audiences

const audiences = await metigan.getAudiences();
console.log(`Found ${audiences.audiences.length} audiences`);

Getting Audience Details

const audienceDetails = await metigan.getAudience('audience-id');
console.log('Audience details:', audienceDetails);

Updating an Audience

await metigan.updateAudience('audience-id', {
  name: 'VIP Newsletter Subscribers',
  description: 'Premium subscribers to our newsletter',
});

Deleting an Audience

await metigan.deleteAudience('audience-id');

Combined Operations

Send Email and Create Contacts

await metigan.sendEmailAndCreateContacts({
  from: '[email protected]',
  recipients: ['[email protected]'],
  subject: 'Welcome to Our Service',
  content: '<h1>Welcome!</h1><p>Thank you for signing up.</p>',
  contactOptions: {
    createContact: true,
    audienceId: 'your-audience-id'
  },
});

Send Template Email and Create Contacts

await metigan.sendTemplateAndCreateContacts({
  from: '[email protected]',
  recipients: ['[email protected]'],
  subject: 'Welcome to Our Service',
  templateId: 'welcome-template-id',
  contactOptions: {
    createContact: true,
    audienceId: 'your-audience-id'
  },
});

Error Handling

The Metigan SDK provides comprehensive error handling with specific error types:

import { MetiganError, ValidationError, ApiError, NetworkError, ContactError } from 'metigan';
import { ErrorCode } from 'metigan';

try {
  await metigan.sendEmail({
    // Email options
  });
} catch (error) {
  if (error instanceof MetiganError) {
    console.error(`Error code: ${error.code}, Message: ${error.message}`);
    
    // Handle specific error types
    if (error instanceof ValidationError) {
      console.error('Validation failed');
    } else if (error instanceof ApiError) {
      console.error(`API error with status: ${error.status}`);
    } else if (error instanceof NetworkError) {
      console.error('Network connectivity issue');
    } else if (error instanceof ContactError) {
      console.error('Contact operation failed');
    }
    
    // Handle specific error codes
    switch (error.code) {
      case ErrorCode.INVALID_API_KEY:
        console.error('Invalid API key. Please check your credentials.');
        break;
      case ErrorCode.MISSING_REQUIRED_FIELD:
        console.error('Missing required field in request.');
        break;
      case ErrorCode.INVALID_EMAIL_FORMAT:
        console.error('Invalid email format.');
        break;
      // Handle other error codes
    }
  } else {
    console.error('Unknown error:', error);
  }
}

API Reference

Core Methods

| Method | Description |-----|----- | sendEmail(options) | Sends an email with the specified options | sendEmailWithTemplate(options) | Sends an email using a template | generateTrackingId() | Generates a unique tracking ID for email analytics

Contact Methods

| Method | Description |-----|----- | createContacts(emails, options) | Creates contacts in the specified audience | getContact(email, audienceId) | Gets a contact by email | listContacts(options) | Lists contacts in an audience | updateContact(email, options) | Updates a contact | deleteContact(contactId, audienceId) | Deletes a contact

Audience Methods

| Method | Description |-----|----- | createAudience(options) | Creates a new audience | getAudiences() | Gets all audiences | getAudience(id) | Gets an audience by ID | updateAudience(id, options) | Updates an audience | deleteAudience(id) | Deletes an audience

Combined Methods

| Method | Description |-----|----- | sendEmailAndCreateContacts(options) | Sends an email and creates contacts in one operation | sendTemplateAndCreateContacts(options) | Sends a template email and creates contacts in one operation

Utility Methods

| Method | Description |-----|----- | enableLogging() | Enables logging | disableLogging() | Disables logging

TypeScript Support

The Metigan SDK is written in TypeScript and provides comprehensive type definitions for all methods and options.

import type {
  EmailOptions,
  EmailSuccessResponse,
  EmailErrorResponse,
  ApiKeyErrorResponse,
  EmailApiResponse,
  ContactApiResponse,
  ContactCreationOptions,
  ContactQueryOptions,
  ContactUpdateOptions,
  ContactData,
  NodeAttachment,
  CustomAttachment,
  TemplateVariables,
  TemplateFunction,
  TemplateOptions,
  TemplateApiResponse,
  AudienceApiResponse,
  AudienceCreationOptions,
  AudienceUpdateOptions,
} from 'metigan';

Browser Compatibility

The Metigan SDK is designed to work in both Node.js and browser environments. In browser environments, it uses the native FormData and File APIs for handling attachments.

Development

Building the SDK

# Install dependencies
npm install

# Build the SDK
npm run build

# Run tests
npm test

License

This project is licensed under the MIT License - see the LICENSE file for details.

Support

For support, please contact [email protected] or open an issue on GitHub.


Made with ❤️ by the Metigan Team