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 🙏

© 2025 – Pkg Stats / Ryan Hefner

android-sms-gateway

v3.0.0

Published

A JS/TS client library for sending and managing SMS messages via the SMS Gateway for Android™

Readme

📱 SMS Gateway for Android™ JS/TS API Client

npm Version License Downloads GitHub Issues GitHub Stars TypeScript

A TypeScript-first client for seamless integration with the SMS Gateway for Android API. Programmatically send SMS messages through your Android devices with strict typing and modern JavaScript features.

Note: The API doesn't provide CORS headers, so the library cannot be used in a browser environment directly.

📖 Table of Contents

✨ Features

  • TypeScript Ready: Full type definitions out of the box
  • Flexible HTTP Clients: Works with any HTTP library (fetch, axios, node-fetch, etc.)
  • Promise-based API: Async/await ready
  • Webhook Management: Create, read, and delete webhooks
  • Device Management: List and remove devices
  • Health Check: Monitor system status
  • Inbox Export: Export received messages
  • Log Retrieval: Get system logs with time filtering
  • Settings Management: Get, update, and partially update settings
  • Customizable Base URL: Point to different API endpoints
  • Server-Side Focus: Designed for Node.js environments

⚙️ Requirements

  • Node.js v18+
  • npm/yarn/bun package manager

📦 Installation

npm install android-sms-gateway
# or
yarn add android-sms-gateway
# or
bun add android-sms-gateway

🚀 Quickstart

Basic Usage

import Client from 'android-sms-gateway';

// Create a fetch-based HTTP client
const httpFetchClient = {
    get: async (url, headers) => {
        const response = await fetch(url, {
            method: "GET",
            headers
        });

        return response.json();
    },
    post: async (url, body, headers) => {
        const response = await fetch(url, {
            method: "POST",
            headers,
            body: JSON.stringify(body)
        });

        return response.json();
    },
    delete: async (url, headers) => {
        const response = await fetch(url, {
            method: "DELETE",
            headers
        });

        return response.json();
    }
};

// Initialize client
const api = new Client(
    process.env.ANDROID_SMS_GATEWAY_LOGIN!,
    process.env.ANDROID_SMS_GATEWAY_PASSWORD!,
    httpFetchClient
);

// Send message
const message = {
    phoneNumbers: ['+1234567890'],
    message: 'Secure OTP: 123456 🔐'
};

async function sendSMS() {
    try {
        const state = await api.send(message);
        console.log('Message ID:', state.id);

        // Check status after 5 seconds
        setTimeout(async () => {
            const updatedState = await api.getState(state.id);
            console.log('Message status:', updatedState.status);
        }, 5000);
    } catch (error) {
        console.error('Sending failed:', error);
    }
}

// Send message with skipPhoneValidation
async function sendSMSWithSkipValidation() {
    try {
        const state = await api.send(message, { skipPhoneValidation: true });
        console.log('Message ID (with skip validation):', state.id);
    } catch (error) {
        console.error('Sending failed:', error);
    }
}

sendSMS();
sendSMSWithSkipValidation();

Webhook Management

// Create webhook
const webhook = {
    url: 'https://your-api.com/sms-callback',
    event: WebHookEventType.SmsReceived,
};

api.registerWebhook(webhook)
    .then(created => console.log('Webhook created:', created.id))
    .catch(console.error);

// List webhooks
api.getWebhooks()
    .then(webhooks => console.log('Active webhooks:', webhooks.length));

Device Management

// List devices
api.getDevices()
    .then(devices => console.log('Devices:', devices.map(d => d.name)))
    .catch(console.error);

// Remove a device
api.deleteDevice('device-id')
    .then(() => console.log('Device removed'))
    .catch(console.error);

Health Check

// Check system health
api.getHealth()
    .then(health => {
        console.log('System status:', health.status);
        console.log('Checks:', Object.keys(health.checks).length);
    })
    .catch(console.error);

Inbox Export

// Export inbox messages
const since = new Date('2024-01-01T00:00:00Z');
const until = new Date('2024-01-02T00:00:00Z');

api.exportInbox({ deviceId: 'device-id', since, until })
    .then(() => console.log('Inbox export requested'))
    .catch(console.error);

Log Retrieval

// Get logs
const from = new Date('2024-01-01T00:00:00Z');
const to = new Date('2024-01-02T00:00:00Z');

api.getLogs(from, to)
    .then(logs => console.log('Logs retrieved:', logs.length))
    .catch(console.error);

Settings Management

// Get settings
api.getSettings()
    .then(settings => console.log('Settings:', settings))
    .catch(console.error);

// Update settings
const newSettings = {
    messages: { limitPeriod: 'PerDay', limitValue: 100 },
    webhooks: { internetRequired: true, retryCount: 3 },
};

api.updateSettings(newSettings)
    .then(() => console.log('Settings updated'))
    .catch(console.error);

// Partially update settings
const partialSettings = {
    messages: { limitValue: 200 },
};

api.patchSettings(partialSettings)
    .then(() => console.log('Settings partially updated'))
    .catch(console.error);

🤖 Client Guide

Client Configuration

The Client class accepts the following constructor arguments:

| Argument | Description | Default | | ------------ | -------------------------- | ---------------------------------------- | | login | Username | Required | | password | Password | Required | | httpClient | HTTP client implementation | Required | | baseUrl | API base URL | "https://api.sms-gate.app/3rdparty/v1" |

Core Methods

| Method | Description | Returns | | --------------------------------------------------------------------- | ----------------------------- | ------------------------- | | Messages | | | | send(message: Message, options?: { skipPhoneValidation?: boolean }) | Send SMS message | Promise<MessageState> | | getState(messageId: string) | Check message status | Promise<MessageState> | | | | | | Webhooks | | | | getWebhooks() | List registered webhooks | Promise<WebHook[]> | | registerWebhook(request: RegisterWebHookRequest) | Register new webhook | Promise<WebHook> | | deleteWebhook(webhookId: string) | Remove webhook | Promise<void> | | | | | | Devices | | | | getDevices() | List registered devices | Promise<Device[]> | | deleteDevice(deviceId: string) | Remove device | Promise<void> | | | | | | Health | | | | getHealth() | Check system health | Promise<HealthResponse> | | | | | | Inbox | | | | exportInbox(request: MessagesExportRequest) | Request inbox messages export | Promise<void> | | | | | | Logs | | | | getLogs(from?: Date, to?: Date) | Get logs within time range | Promise<LogEntry[]> | | | | | | Settings | | | | getSettings() | Get settings | Promise<DeviceSettings> | | updateSettings(settings: DeviceSettings) | Update settings | Promise<void> | | patchSettings(settings: Partial<DeviceSettings>) | Partially update settings | Promise<void> |

Type Definitions

interface Message {
    id?: string | null;
    message: string;
    ttl?: number | null;
    phoneNumbers: string[];
    simNumber?: number | null;
    withDeliveryReport?: boolean | null;
}

interface MessageState {
    id: string;
    state: ProcessState;
    recipients: RecipientState[];
}

interface WebHook {
    id: string;
    event: WebHookEventType;
    url: string;
    deviceId: string;
}

interface Device {
    id: string;
    name: string;
    createdAt: string;
    lastSeen: string;
    updatedAt: string;
    deletedAt?: string | null;
}

interface DeviceSettings {
    messages?: SettingsMessages;
    webhooks?: SettingsWebhooks;
    gateway?: SettingsGateway;
    encryption?: SettingsEncryption;
    logs?: SettingsLogs;
    ping?: SettingsPing;
}

interface HealthResponse {
    status: HealthStatus;
    version: string;
    releaseId: number;
    checks: { [checkName: string]: HealthCheck };
}

interface LogEntry {
    id: number;
    createdAt: string;
    module: string;
    priority: LogEntryPriority;
    message: string;
    context?: Record<string, string>;
}

interface MessagesExportRequest {
    deviceId: string;
    since: string;
    until: string;
}

For more details, see the domain.ts.

🌐 HTTP Clients

The library doesn't come with built-in HTTP clients. Instead, you should provide your own implementation of the HttpClient interface:

interface HttpClient {
    get<T>(url: string, headers?: Record<string, string>): Promise<T>;
    post<T>(url: string, body: any, headers?: Record<string, string>): Promise<T>;
    put<T>(url: string, body: any, headers?: Record<string, string>): Promise<T>;
    patch<T>(url: string, body: any, headers?: Record<string, string>): Promise<T>;
    delete<T>(url: string, headers?: Record<string, string>): Promise<T>;
}

🔒 Security Notes

⚠️ Important Security Practices

  • Always store credentials in environment variables
  • Never expose credentials in client-side code
  • Use HTTPS for all production communications

📚 API Reference

For complete API documentation including all available methods, request/response schemas, and error codes, visit: 📘 Official API Documentation

👥 Contributing

We welcome contributions! Please follow these steps:

  1. Fork the repository
  2. Create a feature branch (git checkout -b feature/AmazingFeature)
  3. Commit your changes (git commit -m 'Add some AmazingFeature')
  4. Push to the branch (git push origin feature/AmazingFeature)
  5. Open a Pull Request

Development Setup

git clone https://github.com/android-sms-gateway/client-ts.git
cd client-ts
bun install
bun run build
bun test

📄 License

Distributed under the Apache 2.0 License. See LICENSE for more information.


Note: Android is a trademark of Google LLC. This project is not affiliated with or endorsed by Google.