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

admitad-api-client

v1.1.0

Published

A TypeScript/JavaScript client for the Admitad API with built-in authentication and token management

Downloads

11

Readme

Admitad API Client

A TypeScript/JavaScript client for the Admitad API with built-in authentication and token management.

Features

  • 🔐 Automatic Authentication: Handles OAuth2 client credentials flow
  • 🔄 Token Management: Automatic token expiration checking
  • 📝 TypeScript Support: Full type definitions included
  • 🛠 Easy Configuration: Environment variable support
  • 🚀 Modern API: Promise-based with async/await support
  • 🔧 Flexible: Works with Node.js, Bun, and modern browsers

Installation

# Using npm
npm install admitad-api-client

# Using yarn
yarn add admitad-api-client

# Using pnpm
pnpm add admitad-api-client

# Using bun
bun add admitad-api-client

Setup

Environment Variables

Create a .env file in your project root:

ADMITAD_CLIENT_ID=your_client_id_here
ADMITAD_CLIENT_SECRET=your_client_secret_here
# Optional: if you already have the base64 encoded auth header
ADMITAD_BASE64_AUTH=your_base64_encoded_auth_header_here
# Optional: custom API base URL (defaults to https://api.admitad.com)
ADMITAD_API_BASE_URL=https://api.admitad.com

Getting Your Credentials

  1. Log in to your Admitad publisher account
  2. Navigate to your application settings
  3. Click "Show credentials" to get your client_id and client_secret

Usage

Basic Usage

import { createAdmitadClient } from 'admitad-api-client';

async function main() {
  // Create client using environment variables
  const client = createAdmitadClient();

  // Authenticate with required scopes
  await client.authenticate(['advcampaigns', 'banners', 'websites']);

  // Make API requests
  const campaigns = await client.request('/advcampaigns/');
  console.log(campaigns);
}

Manual Configuration

import { AdmitadApiClient } from 'admitad-api-client';

const client = new AdmitadApiClient({
  clientId: 'your_client_id',
  clientSecret: 'your_client_secret',
  baseUrl: 'https://api.admitad.com' // optional
});

await client.authenticate(['advcampaigns']);

Using Pre-encoded Base64 Auth

If you already have the base64-encoded authorization header:

import { createAdmitadClient } from 'admitad-api-client';

const client = createAdmitadClient({
  clientId: 'your_client_id',
  base64Auth: 'your_base64_encoded_credentials'
});

API Reference

AdmitadApiClient

Methods

authenticate(scopes: AdmitadScope[]): Promise<AdmitadTokenResponse>

Authenticates with the Admitad API and stores the access token.

Parameters:

  • scopes: Array of permission scopes to request

Available Scopes:

  • 'advcampaigns' - Access to advertising campaigns
  • 'banners' - Access to banners
  • 'websites' - Access to websites
  • 'statistics' - Access to statistics
  • 'manage_websites' - Manage websites
  • 'manage_advcampaigns' - Manage advertising campaigns
  • 'aliexpress_commission' - Access to AliExpress commission rates
  • 'short_link' - Access to URL shortener service
  • 'deeplink_generator' - Access to deeplink generator
request<T>(endpoint: string, options?: AdmitadRequestOptions): Promise<T>

Makes an authenticated request to the Admitad API.

Parameters:

  • endpoint: API endpoint path (e.g., '/advcampaigns/')
  • options: Request options (method, headers, body, params)
isAuthenticated(): boolean

Checks if the client has a valid, non-expired access token.

getAccessToken(): string | null

Returns the current access token.

getRefreshToken(): string | null

Returns the current refresh token.

logout(): void

Clears all stored authentication data.

getAliExpressCommissionRates(urls: string[]): Promise<AliExpressCommissionResponse>

Gets commission rates for AliExpress products.

Parameters:

  • urls: Array of AliExpress product URLs to check commission rates for

Returns:

  • Promise resolving to commission rates data including product names, commission rates, hot product status, etc.
shortenUrl(link: string): Promise<UrlShortenerResponse>

Shortens an Admitad URL using the URL shortener service.

Parameters:

  • link: The Admitad link to shorten (must belong to Admitad's domains)

Returns:

  • Promise resolving to shortened URL response with short_link property
generateDeeplinks(websiteId: string | number, campaignId: string | number, params: DeeplinkGeneratorParams): Promise<DeeplinkGeneratorResult>

Generates deeplinks for affiliate programs.

Parameters:

  • websiteId: The ad space ID (w_id)
  • campaignId: The affiliate program ID (c_id)
  • params: Deeplink generation parameters including subids and target URLs

Returns:

  • Promise resolving to array of generated deeplinks with affiliation status

Factory Functions

createAdmitadClient(customConfig?: Partial<AdmitadClientConfig>): AdmitadApiClient

Creates a client using environment variables with optional overrides.

createAdmitadClientWithConfig(config: AdmitadClientConfig): AdmitadApiClient

Creates a client with explicit configuration.

Utility Functions

encodeCredentials(clientId: string, clientSecret: string): string

Encodes client credentials to base64 for HTTP Basic authentication.

createAuthHeader(base64Credentials: string): string

Creates the Authorization header value for HTTP Basic authentication.

Examples

Making Different Types of Requests

// GET request with query parameters
const campaigns = await client.request('/advcampaigns/', {
  params: {
    limit: 10,
    offset: 0
  }
});

// POST request with body
const newWebsite = await client.request('/websites/', {
  method: 'POST',
  body: {
    name: 'My Website',
    url: 'https://example.com'
  }
});

// Custom headers
const data = await client.request('/some-endpoint/', {
  headers: {
    'Custom-Header': 'value'
  }
});

AliExpress Commission Rates

// Authenticate with AliExpress commission scope
await client.authenticate(['aliexpress_commission']);

// Check commission rates for AliExpress products
const productUrls = [
  'https://aliexpress.com/item/123456789.html',
  'https://fas.st/shortlink'
];

const commissionData = await client.getAliExpressCommissionRates(productUrls);

commissionData.commission_rates.forEach(rate => {
  console.log(`Product: ${rate.product_name}`);
  console.log(`Commission: ${rate.commission_rate}%`);
  console.log(`Hot Product: ${rate.is_hot}`);
  if (rate.is_hot) {
    console.log(`Hot Commission: ${rate.hot_commission_rate}%`);
  }
});

URL Shortener

// Authenticate with URL shortener scope
await client.authenticate(['short_link']);

// Shorten an Admitad URL
const longUrl = 'http://ad.admitad.com/g/4657cb709efb21a781aacd1ff8c49e/';
const result = await client.shortenUrl(longUrl);

console.log('Shortened URL:', result.short_link);
// Output: https://fas.st/ala7-

Deeplink Generator

// Authenticate with deeplink generator scope
await client.authenticate(['deeplink_generator']);

// Generate deeplinks for an affiliate program
const websiteId = '232236';
const campaignId = '234433';

const deeplinks = await client.generateDeeplinks(websiteId, campaignId, {
  subid: 'Reebok',
  subid1: 'white_sneakers',
  subid2: '40sale',
  ulp: [
    'http://admitad.com/post/250618/',
    'http://admitad.com/post/220658/'
  ]
});

deeplinks.forEach(deeplink => {
  console.log('Generated link:', deeplink.link);
  console.log('Is affiliate product:', deeplink.is_affiliate_product);
});

Error Handling

try {
  await client.authenticate(['advcampaigns']);
  const data = await client.request('/advcampaigns/');
} catch (error) {
  if (error.message.includes('Authentication failed')) {
    console.error('Invalid credentials');
  } else {
    console.error('API request failed:', error.message);
  }
}

Token Management

// Check if authenticated before making requests
if (!client.isAuthenticated()) {
  await client.authenticate(['advcampaigns']);
}

// The client automatically checks token expiration before requests
// No need to manually refresh tokens

Running Examples

# Copy the example environment file
cp env.example .env

# Edit .env with your actual credentials
# Then run the examples
bun run example                    # Basic usage example
bun run example:aliexpress        # AliExpress commission rates example
bun run example:links             # URL shortener and deeplink generator example

API Documentation

For complete API documentation, visit: Admitad Developers Documentation

License

MIT