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

@dalli/chargily-pay

v3.1.1

Published

JavaScript Library for Chargily Pay™ Gateway - V2. The easiest and free way to integrate e-payment API through EDAHABIA of Algerie Poste and CIB of SATIM into your JS project.

Readme

@dalli/chargily-pay

A robust, production-ready JavaScript/TypeScript SDK for the Chargily Pay™ Gateway V2.

Integrate EDAHABIA (Algerie Poste) and CIB (SATIM) payments into your Node.js applications.

Fork of @chargily/chargily-pay with critical bug fixes, resilience features, and developer experience improvements.

Features

  • Full TypeScript support with strict types
  • Retry with exponential backoff on 429/5xx errors
  • Configurable request timeout with AbortController
  • Built-in rate limiter (token bucket)
  • Idempotency key support for safe retries
  • Typed webhook events with signature verification
  • Framework-agnostic webhook handler (parseWebhookEvent)
  • Optional logger interface (compatible with console, winston, pino)
  • Pagination support with validation
  • Proper error hierarchy (ChargilyApiError, ChargilyNetworkError)

Installation

npm install @dalli/chargily-pay

Requires Node.js >= 18 (uses native fetch).

Quick Start

import { ChargilyClient } from '@dalli/chargily-pay';

const client = new ChargilyClient({
  api_key: 'YOUR_API_SECRET_KEY',
  mode: 'test', // 'test' or 'live'
});

// Create a checkout
const checkout = await client.createCheckout({
  amount: 5000,
  currency: 'dzd',
  success_url: 'https://example.com/success',
});

console.log(checkout.checkout_url); // Redirect your customer here

Configuration

const client = new ChargilyClient({
  api_key: 'YOUR_API_SECRET_KEY',
  mode: 'test',

  // Resilience
  timeout: 30000,            // Request timeout in ms (default: 30000)
  maxRetries: 2,             // Retries on 429/5xx (default: 2)
  retryDelay: 1000,          // Base delay for exponential backoff (default: 1000)

  // Rate limiting
  maxRequestsPerSecond: 5,   // Token bucket rate limit (default: 5, 0 to disable)

  // Logging
  logger: console,           // Any object with debug/info/warn/error methods
});

API Reference

Customers

const customer = await client.createCustomer({ name: 'Ali', email: '[email protected]' });
const fetched  = await client.getCustomer('customer_id');
const updated  = await client.updateCustomer('customer_id', { name: 'Ali R.' });
const deleted  = await client.deleteCustomer('customer_id');
const list     = await client.listCustomers({ per_page: 20, page: 1 });

Products

const product = await client.createProduct({ name: 'T-Shirt' });
const fetched = await client.getProduct('product_id');
const updated = await client.updateProduct('product_id', { name: 'Premium T-Shirt' });
const deleted = await client.deleteProduct('product_id');
const list    = await client.listProducts({ per_page: 10 });

Prices

const price  = await client.createPrice({ amount: 2500, currency: 'dzd', product_id: 'product_id' });
const fetched = await client.getPrice('price_id');
const updated = await client.updatePrice('price_id', { metadata: { size: 'L' } });
const list    = await client.listPrices({ per_page: 10 });
const prices  = await client.getProductPrices('product_id');

Checkouts

// With items
const checkout = await client.createCheckout({
  items: [{ price: 'price_id', quantity: 2 }],
  success_url: 'https://example.com/success',
  failure_url: 'https://example.com/failure',
  webhook_endpoint: 'https://example.com/webhook',
  locale: 'fr',
});

// With direct amount
const checkout2 = await client.createCheckout({
  amount: 5000,
  currency: 'dzd',
  success_url: 'https://example.com/success',
});

const details = await client.getCheckout('checkout_id');
const items   = await client.getCheckoutItems('checkout_id');
const expired = await client.expireCheckout('checkout_id');
const list    = await client.listCheckouts({ per_page: 10 });

Payment Links

const link    = await client.createPaymentLink({
  name: 'Summer Sale',
  items: [{ price: 'price_id', quantity: 1, adjustable_quantity: true }],
});
const fetched = await client.getPaymentLink('link_id');
const updated = await client.updatePaymentLink('link_id', { name: 'Winter Sale' });
const items   = await client.getPaymentLinkItems('link_id');
const list    = await client.listPaymentLinks();

Balance

const balance = await client.getBalance();
console.log(balance.wallets); // [{ currency: 'dzd', balance: 50000, ... }]

Idempotency

All mutation methods accept an optional RequestOptions parameter to prevent duplicate operations:

const customer = await client.createCustomer(
  { name: 'Ali' },
  { idempotencyKey: 'unique-request-id-123' }
);

Webhooks

Quick Setup (Recommended)

Use parseWebhookEvent for one-call verify + parse:

import express from 'express';
import { parseWebhookEvent, isCheckoutPaid } from '@dalli/chargily-pay';

const app = express();
const SECRET = 'YOUR_API_SECRET_KEY';

app.post('/webhook', express.raw({ type: 'application/json' }), (req, res) => {
  try {
    const event = parseWebhookEvent(req.body, req.headers['signature'] as string, SECRET);

    if (isCheckoutPaid(event)) {
      console.log('Payment received!', event.data.id);
      // Handle successful payment
    }

    res.sendStatus(200);
  } catch (err) {
    console.error('Webhook error:', err);
    res.sendStatus(400);
  }
});

app.listen(4000);

Manual Verification

For more control, use verifySignature directly:

import { verifySignature } from '@dalli/chargily-pay';

const isValid = verifySignature(rawBodyBuffer, signatureHeader, secretKey);

Webhook Event Types

import {
  WebhookEvent,
  CheckoutWebhookEvent,
  isCheckoutPaid,
  isCheckoutFailed,
} from '@dalli/chargily-pay';

// Type guards narrow the event type
if (isCheckoutPaid(event)) {
  // event.data is typed as Checkout
  console.log(event.data.amount);
}

Available event types: checkout.paid, checkout.failed, checkout.expired, checkout.canceled, checkout.processing, checkout.pending.

Error Handling

The SDK throws typed errors:

import { ChargilyApiError, ChargilyNetworkError } from '@dalli/chargily-pay';

try {
  await client.createCustomer({ name: '' });
} catch (error) {
  if (error instanceof ChargilyApiError) {
    // API returned an error (4xx/5xx)
    console.log(error.status);     // 422
    console.log(error.statusText); // 'Unprocessable Entity'
    console.log(error.body);       // { message: '...', errors: { ... } }
  } else if (error instanceof ChargilyNetworkError) {
    // Network/timeout error
    console.log(error.message);    // 'Request timed out'
    console.log(error.cause);      // Original error
  }
}

Pagination

All list methods support pagination:

const page = await client.listCustomers({ per_page: 20, page: 2 });

console.log(page.data);          // Customer[]
console.log(page.current_page);  // 2
console.log(page.last_page);     // 5

per_page is clamped to 1-50, page minimum is 1.

Logging

Pass any logger with debug, info, warn, error methods:

// Use console
const client = new ChargilyClient({ ..., logger: console });

// Use winston
import winston from 'winston';
const logger = winston.createLogger({ /* ... */ });
const client = new ChargilyClient({ ..., logger });

// Use pino
import pino from 'pino';
const client = new ChargilyClient({ ..., logger: pino() });

The SDK logs:

  • debug: Every request (GET balance, POST customers)
  • warn: Retry attempts with delay info
  • error: API errors with status and body

What's Different from @chargily/chargily-pay

| Issue | Original | This Fork | |-------|----------|-----------| | Update methods use POST | POST | PATCH (correct) | | URL validation | None (accepts httpmalicious) | new URL() with protocol check | | verifySignature throws | Throws on invalid | Returns false | | Error handling | Generic errors | ChargilyApiError / ChargilyNetworkError | | Timeouts | None | AbortController with configurable timeout | | Retries | None | Exponential backoff on 429/5xx | | Rate limiting | None | Token bucket (5 req/s default) | | Pagination | per_page only | per_page + page with validation | | Webhook DX | Manual verify + parse | parseWebhookEvent one-liner | | TypeScript types | Several incorrect | All fixed and strict | | Logging | None | Pluggable logger interface | | Idempotency | None | RequestOptions with idempotency key | | Tests | None | 51 tests with Vitest | | CI | None | GitHub Actions (Node 18/20/22) | | Linting | None | ESLint + Prettier |

API Documentation

See the full Chargily Pay V2 API docs: dev.chargily.com/pay-v2

Contributing

We welcome contributions! See CONTRIBUTING.md for setup instructions, coding standards, and workflow guidelines.

Please read our Code of Conduct before participating.

Changelog

See CHANGELOG.md for a detailed history of all changes.

License

MIT