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

@calimero-network/registry-client

v1.0.1

Published

Calimero Network App Registry Client Library - JavaScript/TypeScript client for interacting with the App Registry API

Readme

SSApp Registry Client Library

A TypeScript client library for the SSApp (Smart Contract Application) Registry API. Provides type-safe methods for interacting with the registry, including application management, developer operations, and attestation handling.

🚀 Features

  • TypeScript: Full type safety with comprehensive type definitions
  • Axios: Reliable HTTP client with request/response interceptors
  • Error Handling: Comprehensive error handling with custom error types
  • Request/Response Validation: Automatic validation of API requests and responses
  • Retry Logic: Configurable retry mechanisms for failed requests
  • Rate Limiting: Built-in rate limiting support
  • Logging: Configurable logging for debugging and monitoring

📦 Installation

# Install from npm
npm install @calimero-network/registry-client

# Or using pnpm
pnpm add @calimero-network/registry-client

# Or using yarn
yarn add @calimero-network/registry-client

🔧 Configuration

Basic Setup

import { SSAppRegistryClient } from '@calimero-network/registry-client';

const client = new SSAppRegistryClient({
  baseURL: 'https://api.calimero.network',
  apiKey: 'your-api-key', // Optional
  timeout: 10000, // 10 seconds
});

Configuration Options

interface ClientConfig {
  baseURL: string; // API base URL
  apiKey?: string; // API key for authentication
  timeout?: number; // Request timeout in milliseconds
  retries?: number; // Number of retry attempts
  retryDelay?: number; // Delay between retries in milliseconds
  rateLimit?: number; // Requests per minute
  logger?: Logger; // Custom logger instance
}

📚 API Reference

Applications

List Applications

// Get all applications
const apps = await client.apps.list();

// Get applications with filters
const apps = await client.apps.list({
  search: 'wallet',
  developer: 'developer-id',
  verified: true,
  limit: 20,
  offset: 0,
});

// Type-safe response
interface AppsResponse {
  apps: Application[];
  total: number;
  limit: number;
  offset: number;
}

Get Application by ID

const app = await client.apps.getById('app-id');

// Type-safe application object
interface Application {
  id: string;
  name: string;
  description: string;
  version: string;
  developer: Developer;
  manifest: Manifest;
  artifacts: Artifact[];
  createdAt: string;
  updatedAt: string;
}

Create Application

const newApp = await client.apps.create({
  name: 'My SSApp',
  description: 'A smart contract application',
  version: '1.0.0',
  developerId: 'developer-id',
  manifest: {
    // Manifest data
  },
  artifacts: [
    // Artifact data
  ],
});

Update Application

const updatedApp = await client.apps.update('app-id', {
  description: 'Updated description',
  version: '1.1.0',
});

Delete Application

await client.apps.delete('app-id');

Developers

List Developers

const developers = await client.developers.list({
  search: 'john',
  verified: true,
  limit: 10,
});

Get Developer by ID

const developer = await client.developers.getById('developer-id');

interface Developer {
  id: string;
  name: string;
  email: string;
  publicKey: string;
  verified: boolean;
  apps: Application[];
  createdAt: string;
}

Create Developer

const developer = await client.developers.create({
  name: 'John Doe',
  email: '[email protected]',
  publicKey: 'ed25519:...',
});

Attestations

List Attestations

const attestations = await client.attestations.list({
  appId: 'app-id',
  developerId: 'developer-id',
  type: 'verification',
});

Create Attestation

const attestation = await client.attestations.create({
  appId: 'app-id',
  type: 'verification',
  data: {
    verified: true,
    reason: 'Passed security audit',
  },
  signature: 'ed25519:...',
});

🎯 Usage Examples

Complete Application Management

import { SSAppRegistryClient } from '@calimero-network/registry-client';

const client = new SSAppRegistryClient({
  baseURL: 'https://api.calimero.network',
});

async function manageApplication() {
  try {
    // Create a new application
    const app = await client.apps.create({
      name: 'DeFi Wallet',
      description: 'A decentralized finance wallet',
      version: '1.0.0',
      developerId: 'my-developer-id',
      manifest: {
        permissions: ['wallet', 'network'],
        entrypoint: 'index.html',
      },
      artifacts: [
        {
          type: 'wasm',
          cid: 'QmHash...',
          size: 1024000,
        },
      ],
    });

    console.log('Created app:', app.id);

    // Update the application
    const updatedApp = await client.apps.update(app.id, {
      description: 'Updated DeFi wallet with new features',
      version: '1.1.0',
    });

    console.log('Updated app:', updatedApp.version);

    // List all applications
    const allApps = await client.apps.list({
      search: 'wallet',
      limit: 10,
    });

    console.log('Found apps:', allApps.apps.length);
  } catch (error) {
    if (error instanceof SSAppRegistryError) {
      console.error('API Error:', error.message);
      console.error('Status:', error.status);
      console.error('Code:', error.code);
    } else {
      console.error('Unexpected error:', error);
    }
  }
}

Error Handling

import {
  SSAppRegistryClient,
  SSAppRegistryError,
} from '@calimero-network/registry-client';

const client = new SSAppRegistryClient({
  baseURL: 'https://api.calimero.network',
});

async function handleErrors() {
  try {
    const app = await client.apps.getById('non-existent-id');
  } catch (error) {
    if (error instanceof SSAppRegistryError) {
      switch (error.status) {
        case 404:
          console.log('Application not found');
          break;
        case 401:
          console.log('Authentication required');
          break;
        case 403:
          console.log('Access forbidden');
          break;
        case 429:
          console.log('Rate limit exceeded');
          break;
        default:
          console.log('API error:', error.message);
      }
    }
  }
}

Batch Operations

async function batchOperations() {
  // Create multiple applications
  const appPromises = [
    client.apps.create({ name: 'App 1', version: '1.0.0' }),
    client.apps.create({ name: 'App 2', version: '1.0.0' }),
    client.apps.create({ name: 'App 3', version: '1.0.0' }),
  ];

  const apps = await Promise.all(appPromises);
  console.log(
    'Created apps:',
    apps.map(app => app.id)
  );

  // Update all apps
  const updatePromises = apps.map(app =>
    client.apps.update(app.id, { version: '1.1.0' })
  );

  const updatedApps = await Promise.all(updatePromises);
  console.log('Updated apps:', updatedApps.length);
}

🧪 Testing

Unit Testing

import { SSAppRegistryClient } from '@calimero-network/registry-client';
import { mockApiResponse } from './test-utils';

describe('SSAppRegistryClient', () => {
  let client: SSAppRegistryClient;

  beforeEach(() => {
    client = new SSAppRegistryClient({
      baseURL: 'https://api.test.com',
    });
  });

  it('should list applications', async () => {
    const mockApps = [{ id: '1', name: 'Test App', version: '1.0.0' }];

    mockApiResponse('/apps', mockApps);

    const result = await client.apps.list();
    expect(result.apps).toEqual(mockApps);
  });

  it('should handle errors correctly', async () => {
    mockApiResponse('/apps/non-existent', null, 404);

    await expect(client.apps.getById('non-existent')).rejects.toThrow(
      SSAppRegistryError
    );
  });
});

Integration Testing

describe('Integration Tests', () => {
  let client: SSAppRegistryClient;

  beforeAll(() => {
    client = new SSAppRegistryClient({
      baseURL: process.env.TEST_API_URL,
      apiKey: process.env.TEST_API_KEY,
    });
  });

  it('should create and retrieve an application', async () => {
    // Create app
    const newApp = await client.apps.create({
      name: 'Integration Test App',
      version: '1.0.0',
      developerId: 'test-developer',
    });

    expect(newApp.id).toBeDefined();
    expect(newApp.name).toBe('Integration Test App');

    // Retrieve app
    const retrievedApp = await client.apps.getById(newApp.id);
    expect(retrievedApp).toEqual(newApp);

    // Cleanup
    await client.apps.delete(newApp.id);
  });
});

🔧 Advanced Configuration

Custom Interceptors

import axios from 'axios';

const client = new SSAppRegistryClient({
  baseURL: 'https://api.calimero.network',
});

// Add request interceptor
client.axios.interceptors.request.use(config => {
  console.log('Making request to:', config.url);
  return config;
});

// Add response interceptor
client.axios.interceptors.response.use(
  response => {
    console.log('Received response:', response.status);
    return response;
  },
  error => {
    console.error('Request failed:', error.message);
    return Promise.reject(error);
  }
);

Custom Logger

import { Logger } from '@calimero-network/registry-client';

class CustomLogger implements Logger {
  info(message: string, data?: any) {
    console.log(`[INFO] ${message}`, data);
  }

  error(message: string, error?: any) {
    console.error(`[ERROR] ${message}`, error);
  }

  debug(message: string, data?: any) {
    console.debug(`[DEBUG] ${message}`, data);
  }
}

const client = new SSAppRegistryClient({
  baseURL: 'https://api.calimero.network',
  logger: new CustomLogger(),
});

Retry Configuration

const client = new SSAppRegistryClient({
  baseURL: 'https://api.calimero.network',
  retries: 3,
  retryDelay: 1000, // 1 second
  timeout: 30000, // 30 seconds
});

📊 Type Definitions

Core Types

// Application types
interface Application {
  id: string;
  name: string;
  description: string;
  version: string;
  developer: Developer;
  manifest: Manifest;
  artifacts: Artifact[];
  createdAt: string;
  updatedAt: string;
}

// Developer types
interface Developer {
  id: string;
  name: string;
  email: string;
  publicKey: string;
  verified: boolean;
  apps: Application[];
  createdAt: string;
}

// Manifest types
interface Manifest {
  permissions: string[];
  entrypoint: string;
  metadata?: Record<string, any>;
}

// Artifact types
interface Artifact {
  type: 'wasm' | 'html' | 'js' | 'css';
  cid: string;
  size: number;
  hash?: string;
}

Error Types

class SSAppRegistryError extends Error {
  status: number;
  code: string;
  details?: any;

  constructor(message: string, status: number, code: string, details?: any) {
    super(message);
    this.status = status;
    this.code = code;
    this.details = details;
  }
}

🚀 Build & Distribution

Building the Library

# Build the library
pnpm build

# Build with type declarations
pnpm build:types

# Build for different targets
pnpm build:esm    # ES modules
pnpm build:cjs    # CommonJS
pnpm build:umd    # UMD bundle

Publishing

# Publish to npm
pnpm publish

# Publish with specific tag
pnpm publish --tag beta

🔧 Development

Development Commands

# Install dependencies
pnpm install

# Build the library
pnpm build

# Run tests
pnpm test

# Run tests in watch mode
pnpm test:watch

# Run tests with coverage
pnpm test:coverage

# Lint code
pnpm lint

# Fix linting issues
pnpm lint:fix

# Format code
pnpm format

# Type checking
pnpm type-check

Code Quality

  • ESLint: Code linting with TypeScript rules
  • Prettier: Code formatting
  • TypeScript: Static type checking
  • Vitest: Unit testing framework
  • Coverage: Test coverage reporting

📄 License

This package is licensed under the MIT License - see the LICENSE file for details.

🤝 Contributing

See the main CONTRIBUTING guide for details on how to contribute to this package.

🆘 Support

  • Issues: Create an issue on GitHub
  • Documentation: Check the API documentation
  • Examples: Review the test suite for usage examples