Package Exports
- lightning-auth-and-payment
- lightning-auth-and-payment/client
- lightning-auth-and-payment/dev
- lightning-auth-and-payment/nextjs
- lightning-auth-and-payment/server
Readme
โก Lightning Auth & Payment
The complete Lightning Network authentication and payment solution for modern web applications
Build Lightning Network-powered applications with ease. From simple single-page shops to complex eCommerce platforms, Lightning Auth & Payment provides everything you need for Lightning Network integration.
๐ Quick Start
For AI Agents (Cursor, etc.)
Use our AI Setup Guide - copy and paste a single prompt to automatically configure everything.
๐ Examples Available
Check out our comprehensive examples in the /examples folder:
- ๐ Next.js Full Example - Complete Lightning integration
- ๐ Auth Only Example - Authentication without payments
- ๐ณ Payment Only Example - Payments without authentication
- โ๏ธ React Example - React with Lightning integration
- ๐ Express.js Example - Node.js API with Lightning
โก Zero-Config Setup (30 seconds!)
- Install the library:
npm install lightning-auth-and-payment- Configure Next.js plugin in next.config.js:
Full Lightning Integration (Auth + Payments):
import { withLightning } from 'lightning-auth-and-payment/nextjs';
/** @type {import('next').NextConfig} */
const nextConfig = {
  // your existing config
};
// Zero-config: Auto-detects everything!
export default withLightning()(nextConfig);Authentication Only:
import { withLightningAuth } from 'lightning-auth-and-payment/nextjs';
export default withLightningAuth()(nextConfig);Payments Only:
import { withLightningPayment } from 'lightning-auth-and-payment/nextjs';
export default withLightningPayment()(nextConfig);- Start development:
npm run dev:lightningThat's it! The plugin automatically:
- ๐ Detects your project configuration
- ๐ง Generates all API routes
- ๐ Creates environment files
- ๐๏ธ Sets up database schema
- ๐ Configures HTTPS development
- ๐ Adds development scripts
๐ฏ Custom Configuration (Optional)
export default withLightning({
  database: 'prisma',     // Auto-detected
  btcpay: true,           // Auto-detected
  development: true,      // Auto-detected
  // ... other options
})(nextConfig);โจ What You Get Automatically
๐ง Auto-Generated API Routes
- /api/auth/lnurl- Generate Lightning authentication URL
- /api/auth/callback- Handle authentication callback
- /api/auth/status- Check authentication status
- /api/auth/logout- User logout
- /api/user- Get current user information
- /api/payment/create-invoice- Create Lightning invoice
- /api/payment/status- Check payment status
- /api/webhooks/btcpay- BTCPay Server webhooks
๐๏ธ Auto-Generated Database Schema
- User management and sessions
- LNURL challenges and logins
- Payment and invoice tracking
- Order and order item management
- Complete Prisma schema with migrations
๐ Zero-Config Development Features
- Smart Detection: Auto-detects Prisma, BTCPay, database setup
- Environment Setup: Auto-creates .env.localwith secure defaults
- Database Setup: Auto-generates Prisma schema and runs migrations
- HTTPS Development: Auto-configures SSL certificates for Lightning wallets
- Development Scripts: Auto-adds dev:lightningand other helpful scripts
- Hot Reloading: Automatic route regeneration on changes
- TypeScript Support: Full type safety and IntelliSense
- Mobile Wallet Compatibility: Works with Alby, Zeus, and other Lightning wallets
๐ณ BTCPay Server Setup (Required for Payments)
To use the payment features, you need a BTCPay Server instance with Lightning Network support. The easiest way to set this up is using the SamRock Protocol with AQUA Wallet:
Recommended Setup: SamRock Protocol + AQUA Wallet
- Install BTCPay Server with the SamRock plugin
- Install AQUA Wallet on your mobile device
- Connect using SamRock Protocol:- Install the SamRock plugin in BTCPay Server
- Click "SamRock Protocol" in the BTCPay dashboard
- Select payment methods: Bitcoin, Liquid, Lightning
- Scan the QR code with AQUA Wallet
- Your wallet securely provides the necessary public keys
- No private keys are ever exposed to the server
 
This setup eliminates the need to:
- Run a Lightning node
- Manage private keys on the server
- Configure complex XPUB settings
- Handle Liquid blinding keys manually
Learn more: SamRock Protocol Documentation
Alternative: Manual BTCPay Server Setup
If you prefer manual setup:
- Set up BTCPay Server with Lightning support
- Configure your Lightning node (LND, CLN, or Eclair)
- Create a store and get your API credentials
- Add the credentials to your environment variables
๐ฏ What the Plugin Provides
- โ Automatic API route generation - No manual route creation needed
- โ Database adapter integration - Works with Prisma out of the box
- โ BTCPay Server integration - Complete payment processing
- โ Authentication flow - LNURL-auth with session management
- โ Development server - HTTPS with SSL certificates
- โ TypeScript support - Full type safety and IntelliSense
๐ฏ Core Features
โ Lightning Authentication
- LNURL-auth protocol - Industry standard Lightning authentication
- QR Code generation - Works with any Lightning wallet
- Session management - Secure JWT-based sessions
- Wallet compatibility - Alby, Phoenix, Breez, Zeus, and more
โ Lightning Payments
- BTCPay Server integration - Real Lightning invoices
- Automatic polling - Payment status detection
- QR Code payments - Mobile wallet support
- Success handling - User-friendly payment confirmation
โ Development Experience
- Local HTTPS server - SSL certificates for wallet compatibility
- TypeScript support - Full type safety
- React components - Ready-to-use UI components
- Hot reload - Fast development iteration
๐ ๏ธ Development Server
The library includes a built-in development server for local HTTPS development with Lightning authentication support.
โก Quick Start with Binary
# Install the library
npm install lightning-auth-and-payment
# Add to package.json scripts
npm pkg set scripts.dev:lightning="lightning-dev-server"
npm pkg set scripts.dev:https="lightning-dev-server"
# Start the development server
npm run dev:lightning๐ฏ What You Get
- ๐ Automatic SSL certificates - Uses mkcert for trusted local certificates
- ๐ Hot reload support - Works with Next.js development server
- ๐ฑ Mobile wallet compatibility - HTTPS required for Lightning wallets
- ๐ CORS handling - Pre-configured for Lightning wallet requests
- โก Lightning-ready - Optimized for Lightning Network development
- ๐จ Beautiful UI - Professional Lightning Network theming
- ๐ Real-time logging - Detailed development feedback
Advanced Configuration
import { LightningDevServer } from 'lightning-auth-and-payment/dev';
const devServer = new LightningDevServer({
  nextPort: 3000,        // Next.js development server port
  httpsPort: 3443,       // HTTPS proxy port
  certsDir: 'certs',     // SSL certificates directory
  projectRoot: process.cwd(),
  verbose: true,          // Enable detailed logging
});
await devServer.start();Package.json Integration
{
  "scripts": {
    "dev": "next dev",
    "dev:lightning": "lightning-dev-server",
    "dev:https": "lightning-dev-server"
  }
}๐ฆ What's Included
๐ Authentication
import { LightningAuth, useLightningAuth } from 'lightning-auth-and-payment';
// Server-side authentication
const auth = new LightningAuth({
  sessionSecret: process.env.SESSION_SECRET!,
  lnurlStore: new MemoryLnurlStore(),
});
// Client-side authentication
const { isAuthenticated, login, logout, user } = useLightningAuth();๐ณ Payments
import { BTCPayPaymentModal, createBTCPayService } from 'lightning-auth-and-payment';
// Payment modal component
<BTCPayPaymentModal
  isOpen={showPayment}
  onClose={() => setShowPayment(false)}
  amount={1000}
  description="Purchase item"
  onPaymentSuccess={() => console.log('Payment successful!')}
  autoCloseDelay={3000}
  successMessage="Payment confirmed!"
/>
// BTCPay service
const btcpayService = createBTCPayService();
const invoice = await btcpayService.createInvoice({
  amount: 1000,
  currency: 'SATS',
  description: 'Purchase item',
});๐จ UI Components
import { 
  AuthHeader, 
  BTCPayPaymentModal, 
  Button, 
  Card 
} from 'lightning-auth-and-payment';
// Pre-built components with Lightning Network styling
<AuthHeader />
<Button onClick={handlePayment}>Buy Now</Button>
<Card>Your content here</Card>๐ ๏ธ Environment Setup
Create .env.local:
# Session Configuration
SESSION_SECRET=your-super-secret-session-key-here-make-it-long-and-random
SESSION_COOKIE_DOMAIN=localhost
# BTCPay Server Configuration (required for payments)
BTCPAY_HOST=https://your-btcpay-server.com
BTCPAY_STORE_ID=your-store-id
BTCPAY_API_KEY=your-api-key
BTCPAY_WEBHOOK_SECRET=your-webhook-secret
# Application Configuration
NEXT_PUBLIC_APP_URL=https://localhost:3443
NODE_ENV=development๐๏ธ API Routes
๐ฏ Automatic Route Generation with Next.js Plugin
The library's Next.js plugin automatically generates all API routes for you:
// next.config.js
import { withLightning } from 'lightning-auth-and-payment/nextjs';
export default withLightning({
  // your existing config
});โจ What Gets Generated Automatically
- /api/auth/lnurl- LNURL generation for Lightning wallets
- /api/auth/callback- Authentication callback handling
- /api/auth/status- Authentication status checking
- /api/auth/logout- User logout functionality
- /api/user- User data retrieval
- /api/payment/create-invoice- BTCPay Server invoice creation
- /api/payment/status- Payment status checking
- /api/webhooks/btcpay- BTCPay Server webhook handling
๐ฏ Benefits of Automatic Generation
- โ Zero boilerplate - No manual route creation needed
- โ Database integration - Works with Prisma out of the box
- โ BTCPay Server ready - Complete payment processing
- โ CORS handling - Pre-configured for Lightning wallets
- โ Error handling - Built-in status codes and error responses
- โ TypeScript support - Full type safety and IntelliSense
- โ Hot reload - Routes update automatically during development
๐ง Manual Route Creation (Advanced)
If you prefer manual control, you can still create routes manually:
// /api/auth/lnurl/route.ts - LNURL generation
import { NextRequest, NextResponse } from 'next/server';
import { handleLnurlRequest, getAuthCorsHeaders } from 'lightning-auth-and-payment';
import { lnurlStore } from '@/lib/lnurl-store';
export async function GET(request: NextRequest) {
  const result = await handleLnurlRequest(lnurlStore, request);
  const response = NextResponse.json(result);
  
  // Apply CORS headers
  const corsHeaders = getAuthCorsHeaders();
  Object.entries(corsHeaders).forEach(([key, value]) => {
    response.headers.set(key, value);
  });
  
  return response;
}๐ณ Payment Routes
// Payment routes use BTCPay utilities
import { 
  handleBTCPayInvoiceCreation, 
  handleBTCPayInvoiceStatus,
  handleBTCPayWebhook 
} from 'lightning-auth-and-payment';๐ง Development Server
Start the Lightning development server with HTTPS support:
npm run dev:lightningThis provides:
- โ HTTPS with trusted SSL certificates
- โ Wallet-compatible LNURL endpoints
- โ Hot reload and debugging
- โ Automatic certificate management
๐ฑ Wallet Compatibility
Desktop Wallets
- Alby - Browser extension (recommended for development)
- Phoenix - Desktop Lightning wallet
- Breez - Mobile/desktop Lightning wallet
Mobile Wallets
- Phoenix - iOS/Android Lightning wallet
- Breez - Mobile Lightning wallet
- Zeus - Advanced Lightning wallet
- Wallet of Satoshi - Simple Lightning wallet
๐จ UI Components
Authentication Components
import { AuthHeader, useLightningAuth } from 'lightning-auth-and-payment';
function MyApp() {
  const { isAuthenticated, login, logout } = useLightningAuth();
  
  return (
    <AuthHeader 
      onLogin={login}
      onLogout={logout}
      isAuthenticated={isAuthenticated}
    />
  );
}Payment Components
import { BTCPayPaymentModal } from 'lightning-auth-and-payment';
function PaymentButton() {
  const [showPayment, setShowPayment] = useState(false);
  
  return (
    <BTCPayPaymentModal
      isOpen={showPayment}
      onClose={() => setShowPayment(false)}
      amount={1000}
      description="Purchase item"
      onPaymentSuccess={() => {
        // Handle successful payment
        setShowPayment(false);
      }}
      autoCloseDelay={3000}
      successMessage="Payment confirmed!"
    />
  );
}Utility Components
import { 
  Button, 
  Card, 
  Badge, 
  Dialog 
} from 'lightning-auth-and-payment';
// Pre-styled components with Lightning Network theming
<Button variant="primary">Lightning Button</Button>
<Card>Lightning Card</Card>
<Badge variant="success">Success</Badge>๐ Hooks
Authentication Hooks
import { 
  useLightningAuth,
  useSession 
} from 'lightning-auth-and-payment';
// Lightning authentication with all features
const { isAuthenticated, login, logout, user, isLoading } = useLightningAuth();
// Session management
const { session, refreshSession } = useSession();Payment Hooks
import { 
  useBTCPayPayment,
  useLightningPayment 
} from 'lightning-auth-and-payment';
// BTCPay Server payments
const { 
  paymentState, 
  createInvoice, 
  copyBolt11 
} = useBTCPayPayment();
// Basic Lightning payments
const { 
  createPayment, 
  paymentStatus, 
  resetPayment 
} = useLightningPayment();Utility Hooks
import { 
  useCopyToClipboard,
  useCountdown,
  useDebounce,
  useLocalStorage 
} from 'lightning-auth-and-payment';
// Copy to clipboard
const { copied, copy } = useCopyToClipboard();
// Countdown timer
const { timeLeft, isExpired } = useCountdown(targetDate);
// Debounced values
const debouncedValue = useDebounce(value, 500);
// Local storage
const [storedValue, setStoredValue] = useLocalStorage('key', defaultValue);๐ช E-Commerce Features
import { 
  ECommerceManager,
  OrderManager,
  ProductManager 
} from 'lightning-auth-and-payment';
// E-commerce management
const ecommerce = new ECommerceManager();
const orders = new OrderManager();
const products = new ProductManager();๐งช Testing
import { 
  createTestAuth,
  createTestStore,
  mockUser,
  mockInvoice 
} from 'lightning-auth-and-payment/testing';
// Test utilities
const testAuth = createTestAuth();
const testStore = createTestStore();
const user = mockUser();
const invoice = mockInvoice();๐ Documentation & Examples
Documentation
- API Reference - Complete API documentation with examples
- Quick Start Guide - Get up and running in minutes
- AI Setup Guide - Complete setup with AI assistance
- Next.js Plugin Guide - Advanced plugin configuration
Examples
Check out the examples directory for complete implementations:
- Next.js App Router - Modern Next.js 13+ with App Router
- Express.js - Traditional Express.js server
- E-commerce - Complete shopping cart implementation
๐ค Contributing
- Fork the repository
- Create a feature branch
- Make your changes
- Add tests
- Submit a pull request
๐ License
MIT License - see LICENSE for details.
๐ Support
- Documentation: AI Setup Guide
- Issues: GitHub Issues
- Discussions: GitHub Discussions
๐ฏ Roadmap
- WebLN integration for browser wallets
- Lightning Address support
- Multi-currency support
- Advanced payment flows
- Mobile app templates
Built with โก for the Lightning Network