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

@carnil/adapters

v0.2.1

Published

Framework adapters for Carnil unified payments platform

Downloads

2

Readme

@carnil/adapters

npm version License: MIT

Framework adapters for Carnil unified payments platform. This package provides adapters for popular Node.js frameworks including Express and Hono, making it easy to integrate Carnil into your existing applications.

Features

  • 🚀 Express Adapter - Full Express.js integration
  • Hono Adapter - High-performance Hono framework support
  • 🔧 Middleware Support - Built-in middleware for common tasks
  • 🔒 Security - Request validation and security features
  • 📱 TypeScript - Full TypeScript support
  • 🎯 Easy Integration - Simple setup and configuration

Installation

npm install @carnil/adapters

Quick Start

Express.js Integration

import express from "express";
import { createExpressAdapter } from "@carnil/adapters";

const app = express();

// Create Carnil adapter
const carnilAdapter = createExpressAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  debug: process.env.NODE_ENV === "development",
});

// Use the adapter
app.use("/api/carnil", carnilAdapter);

app.listen(3000, () => {
  console.log("Server running on port 3000");
});

Hono Integration

import { Hono } from "hono";
import { createHonoAdapter } from "@carnil/adapters";

const app = new Hono();

// Create Carnil adapter
const carnilAdapter = createHonoAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  debug: process.env.NODE_ENV === "development",
});

// Use the adapter
app.route("/api/carnil", carnilAdapter);

export default app;

API Reference

createExpressAdapter

Creates an Express.js router with Carnil integration.

function createExpressAdapter(config: AdapterConfig): express.Router;

createHonoAdapter

Creates a Hono app with Carnil integration.

function createHonoAdapter(config: AdapterConfig): Hono;

createMiddleware

Creates middleware for request/response processing.

function createMiddleware(
  config: MiddlewareConfig
): express.RequestHandler | HonoMiddleware;

Express.js Integration

Basic Setup

import express from "express";
import { createExpressAdapter } from "@carnil/adapters";

const app = express();

// Create Carnil adapter
const carnilAdapter = createExpressAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  debug: process.env.NODE_ENV === "development",
});

// Use the adapter
app.use("/api/carnil", carnilAdapter);

app.listen(3000, () => {
  console.log("Server running on port 3000");
});

With Custom Middleware

import express from "express";
import { createExpressAdapter, createMiddleware } from "@carnil/adapters";

const app = express();

// Create custom middleware
const authMiddleware = createMiddleware({
  authentication: {
    enabled: true,
    verifyToken: async (token: string) => {
      // Verify JWT token
      return verifyJWT(token);
    },
  },
});

// Create Carnil adapter with middleware
const carnilAdapter = createExpressAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  middleware: [authMiddleware],
});

// Use the adapter
app.use("/api/carnil", carnilAdapter);

Custom Routes

import express from "express";
import { createExpressAdapter } from "@carnil/adapters";

const app = express();

const carnilAdapter = createExpressAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  routes: {
    // Custom route handlers
    "/custom-payment": async (req, res) => {
      try {
        const { amount, currency } = req.body;

        // Create payment intent
        const paymentIntent = await carnil.createPaymentIntent({
          amount,
          currency,
        });

        res.json({ success: true, data: paymentIntent });
      } catch (error) {
        res.status(500).json({ success: false, error: error.message });
      }
    },
  },
});

app.use("/api/carnil", carnilAdapter);

Hono Integration

Basic Setup

import { Hono } from "hono";
import { createHonoAdapter } from "@carnil/adapters";

const app = new Hono();

// Create Carnil adapter
const carnilAdapter = createHonoAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  debug: process.env.NODE_ENV === "development",
});

// Use the adapter
app.route("/api/carnil", carnilAdapter);

export default app;

With Custom Middleware

import { Hono } from "hono";
import { createHonoAdapter, createMiddleware } from "@carnil/adapters";

const app = new Hono();

// Create custom middleware
const authMiddleware = createMiddleware({
  authentication: {
    enabled: true,
    verifyToken: async (token: string) => {
      // Verify JWT token
      return verifyJWT(token);
    },
  },
});

// Create Carnil adapter with middleware
const carnilAdapter = createHonoAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  middleware: [authMiddleware],
});

app.route("/api/carnil", carnilAdapter);

Custom Routes

import { Hono } from "hono";
import { createHonoAdapter } from "@carnil/adapters";

const app = new Hono();

const carnilAdapter = createHonoAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  routes: {
    // Custom route handlers
    "/custom-payment": async (c) => {
      try {
        const { amount, currency } = await c.req.json();

        // Create payment intent
        const paymentIntent = await carnil.createPaymentIntent({
          amount,
          currency,
        });

        return c.json({ success: true, data: paymentIntent });
      } catch (error) {
        return c.json({ success: false, error: error.message }, 500);
      }
    },
  },
});

app.route("/api/carnil", carnilAdapter);

Middleware

Authentication Middleware

import { createMiddleware } from "@carnil/adapters";

const authMiddleware = createMiddleware({
  authentication: {
    enabled: true,
    verifyToken: async (token: string) => {
      // Verify JWT token
      try {
        const decoded = jwt.verify(token, process.env.JWT_SECRET!);
        return decoded;
      } catch (error) {
        throw new Error("Invalid token");
      }
    },
  },
});

// Use with Express
app.use("/api/carnil", authMiddleware);

// Use with Hono
app.use("/api/carnil/*", authMiddleware);

Rate Limiting Middleware

import { createMiddleware } from "@carnil/adapters";

const rateLimitMiddleware = createMiddleware({
  rateLimit: {
    enabled: true,
    windowMs: 15 * 60 * 1000, // 15 minutes
    max: 100, // limit each IP to 100 requests per windowMs
    message: "Too many requests from this IP",
  },
});

// Use with Express
app.use("/api/carnil", rateLimitMiddleware);

// Use with Hono
app.use("/api/carnil/*", rateLimitMiddleware);

Logging Middleware

import { createMiddleware } from "@carnil/adapters";

const loggingMiddleware = createMiddleware({
  logging: {
    enabled: true,
    level: "info",
    format: "combined",
  },
});

// Use with Express
app.use("/api/carnil", loggingMiddleware);

// Use with Hono
app.use("/api/carnil/*", loggingMiddleware);

Webhook Handling

Express Webhook Handler

import express from "express";
import { createExpressAdapter } from "@carnil/adapters";

const app = express();

const carnilAdapter = createExpressAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  webhooks: {
    enabled: true,
    handlers: {
      "payment.succeeded": async (event) => {
        console.log("Payment succeeded:", event.data);
        // Handle payment success
      },
      "payment.failed": async (event) => {
        console.log("Payment failed:", event.data);
        // Handle payment failure
      },
    },
  },
});

app.use("/api/carnil", carnilAdapter);

Hono Webhook Handler

import { Hono } from "hono";
import { createHonoAdapter } from "@carnil/adapters";

const app = new Hono();

const carnilAdapter = createHonoAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  webhooks: {
    enabled: true,
    handlers: {
      "payment.succeeded": async (event) => {
        console.log("Payment succeeded:", event.data);
        // Handle payment success
      },
      "payment.failed": async (event) => {
        console.log("Payment failed:", event.data);
        // Handle payment failure
      },
    },
  },
});

app.route("/api/carnil", carnilAdapter);

Error Handling

Express Error Handling

import express from "express";
import { createExpressAdapter } from "@carnil/adapters";

const app = express();

const carnilAdapter = createExpressAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  errorHandler: (error, req, res, next) => {
    console.error("Carnil error:", error);

    if (error.code === "INVALID_REQUEST") {
      return res.status(400).json({ error: "Invalid request" });
    }

    if (error.code === "AUTHENTICATION_ERROR") {
      return res.status(401).json({ error: "Authentication failed" });
    }

    return res.status(500).json({ error: "Internal server error" });
  },
});

app.use("/api/carnil", carnilAdapter);

Hono Error Handling

import { Hono } from "hono";
import { createHonoAdapter } from "@carnil/adapters";

const app = new Hono();

const carnilAdapter = createHonoAdapter({
  provider: {
    provider: "stripe",
    apiKey: process.env.STRIPE_API_KEY!,
    webhookSecret: process.env.WEBHOOK_SECRET!,
  },
  errorHandler: (error, c) => {
    console.error("Carnil error:", error);

    if (error.code === "INVALID_REQUEST") {
      return c.json({ error: "Invalid request" }, 400);
    }

    if (error.code === "AUTHENTICATION_ERROR") {
      return c.json({ error: "Authentication failed" }, 401);
    }

    return c.json({ error: "Internal server error" }, 500);
  },
});

app.route("/api/carnil", carnilAdapter);

Configuration

Adapter Configuration

interface AdapterConfig {
  provider: ProviderConfig;
  debug?: boolean;
  middleware?: Middleware[];
  routes?: Record<string, RouteHandler>;
  webhooks?: {
    enabled: boolean;
    handlers: Record<string, WebhookHandler>;
  };
  errorHandler?: ErrorHandler;
}

Middleware Configuration

interface MiddlewareConfig {
  authentication?: {
    enabled: boolean;
    verifyToken: (token: string) => Promise<any>;
  };
  rateLimit?: {
    enabled: boolean;
    windowMs: number;
    max: number;
    message?: string;
  };
  logging?: {
    enabled: boolean;
    level: "debug" | "info" | "warn" | "error";
    format?: string;
  };
}

Testing

Express Testing

import request from "supertest";
import express from "express";
import { createExpressAdapter } from "@carnil/adapters";

describe("Express Adapter", () => {
  let app: express.Application;

  beforeEach(() => {
    app = express();
    const carnilAdapter = createExpressAdapter({
      provider: {
        provider: "stripe",
        apiKey: "sk_test_...",
        webhookSecret: "whsec_...",
      },
    });
    app.use("/api/carnil", carnilAdapter);
  });

  it("should create payment intent", async () => {
    const response = await request(app)
      .post("/api/carnil/payment-intents")
      .send({
        amount: 2000,
        currency: "usd",
      });

    expect(response.status).toBe(200);
    expect(response.body.success).toBe(true);
  });
});

Hono Testing

import { Hono } from "hono";
import { createHonoAdapter } from "@carnil/adapters";

describe("Hono Adapter", () => {
  let app: Hono;

  beforeEach(() => {
    app = new Hono();
    const carnilAdapter = createHonoAdapter({
      provider: {
        provider: "stripe",
        apiKey: "sk_test_...",
        webhookSecret: "whsec_...",
      },
    });
    app.route("/api/carnil", carnilAdapter);
  });

  it("should create payment intent", async () => {
    const response = await app.request("/api/carnil/payment-intents", {
      method: "POST",
      body: JSON.stringify({
        amount: 2000,
        currency: "usd",
      }),
    });

    expect(response.status).toBe(200);
    const data = await response.json();
    expect(data.success).toBe(true);
  });
});

Contributing

We welcome contributions! Please see our Contributing Guide for details.

License

MIT © Carnil Team

Support