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

@zerotrue/sdk-node

v1.2.4

Published

Official Node.js SDK for ZeroTrue AI Detection API

Readme

ZeroTrue Node.js SDK

Official Node.js SDK for ZeroTrue AI Detection API - Detect AI-generated content in text, images, videos, and audio.

npm version License: MIT

Features

  • Full TypeScript support with comprehensive type definitions
  • JavaScript support with JSDoc for IntelliSense
  • Promise-based API for modern async/await syntax
  • Automatic retry on failures with exponential backoff
  • Rate limit handling with smart backoff
  • Idempotency support for safe retries
  • File upload support (Buffer, file path)
  • Auto-polling for check results
  • CommonJS & ESM support
  • Minimal dependencies (only axios and form-data)

Installation

npm install @zerotrue/sdk-node
yarn add @zerotrue/sdk-node
pnpm add @zerotrue/sdk-node

Quick Start

TypeScript

import ZeroTrue from '@zerotrue/sdk-node';

const client = new ZeroTrue({
  apiKey: process.env.ZEROTRUE_API_KEY!,
});

// Check text for AI generation
const result = await client.checks.createAndWait({
  input: { type: 'text', value: 'Check this text...' },
});

console.log('AI Probability:', result.ai_probability + '%');
console.log('Result:', result.result_type);

JavaScript (CommonJS)

// Default import
const ZeroTrue = require('@zerotrue/sdk-node').default;

// Or destructured
const { ZeroTrue } = require('@zerotrue/sdk-node');

const client = new ZeroTrue({
  apiKey: process.env.ZEROTRUE_API_KEY,
});

// Check text for AI generation
const result = await client.checks.createAndWait({
  input: { type: 'text', value: 'Check this text...' },
});

console.log('AI Probability:', result.ai_probability + '%');

Usage

Initialize Client

const client = new ZeroTrue({
  apiKey: 'zt_your_api_key_here',
  baseURL: 'https://app.zerotrue.app', // optional
  timeout: 30000, // 30 seconds (optional)
  maxRetries: 3, // retry failed requests (optional)
  retryDelay: 1000, // 1 second between retries (optional)
  debug: false, // enable debug logging (optional)
});

Check Text

const check = await client.checks.create({
  input: {
    type: 'text',
    value: 'Your text to analyze...',
  },
  isPrivateScan: true, // default
  isDeepScan: false, // default
});

// Get result
const result = await client.checks.retrieve(check.id);

// Or wait for completion
const result = await client.checks.wait(check.id);

Check URL

const check = await client.checks.create({
  input: {
    type: 'url',
    value: 'https://example.com/image.png',
  },
});

Check File

From file path

const check = await client.checks.createFromFile('./image.png', {
  isPrivateScan: true,
  isDeepScan: false,
});

From Buffer

import * as fs from 'fs';

const buffer = fs.readFileSync('./image.png');
const check = await client.checks.createFromBuffer(buffer, 'image.png');

Wait for Result

// Simple wait
const result = await client.checks.wait(checkId);

// With custom options
const result = await client.checks.wait(checkId, {
  pollInterval: 2000, // 2 seconds (default)
  maxPollTime: 300000, // 5 minutes (default)
  signal: abortController.signal, // for cancellation
});

Create and Wait (One-liner)

const result = await client.checks.createAndWait({
  input: { type: 'text', value: 'Check this...' },
});

console.log('AI Probability:', result.ai_probability);

Idempotency

const check = await client.checks.create({
  input: { type: 'text', value: 'Test' },
  idempotencyKey: 'unique-request-id-123', // Reusing same key returns cached response
});

Error Handling

import {
  ValidationError,
  AuthenticationError,
  RateLimitError,
  APIError,
} from '@zerotrue/sdk-node';

try {
  const check = await client.checks.create({
    input: { type: 'text', value: 'Test' },
  });
} catch (error) {
  if (error instanceof ValidationError) {
    console.error('Validation failed:', error.message);
  } else if (error instanceof AuthenticationError) {
    console.error('Invalid API key:', error.message);
  } else if (error instanceof RateLimitError) {
    console.error('Rate limit exceeded. Retry after:', error.retryAfter, 'seconds');
  } else if (error instanceof APIError) {
    console.error('API error:', error.message);
  } else {
    console.error('Unknown error:', error);
  }
}

API Reference

Client Methods

new ZeroTrue(options)

Creates a new ZeroTrue client.

Options:

  • apiKey (string, required) - Your ZeroTrue API key
  • baseURL (string, optional) - API base URL (default: https://app.zerotrue.app)
  • timeout (number, optional) - Request timeout in ms (default: 30000)
  • maxRetries (number, optional) - Max retry attempts (default: 3)
  • retryDelay (number, optional) - Delay between retries in ms (default: 1000)
  • debug (boolean, optional) - Enable debug logging (default: false)

Checks Resource

client.checks.create(params)

Creates a new check.

Parameters:

  • input (object, required) - Input to check:
    • type (string) - 'text' or 'url'
    • value (string) - Text content or URL
  • isPrivateScan (boolean, optional) - Private scan (default: true)
  • isDeepScan (boolean, optional) - Deep scan (default: false)
  • idempotencyKey (string, optional) - Idempotency key
  • metadata (object, optional) - Additional metadata

Returns: Promise<CheckResponse>

client.checks.createFromFile(filePath, options?)

Creates a check from a file path.

Returns: Promise<CheckResponse>

client.checks.createFromBuffer(buffer, filename, options?)

Creates a check from a Buffer.

Returns: Promise<CheckResponse>

client.checks.retrieve(checkId)

Retrieves a check by ID.

Returns: Promise<CheckResult>

client.checks.wait(checkId, options?)

Waits for a check to complete.

Options:

  • pollInterval (number) - Polling interval in ms (default: 2000)
  • maxPollTime (number) - Max wait time in ms (default: 300000)
  • signal (AbortSignal) - For cancellation

Returns: Promise<CheckResult>

client.checks.createAndWait(params, options?)

Creates a check and waits for completion.

Returns: Promise<CheckResult>

Types

CheckResponse

{
  id: string;
  status: 'queued' | 'processing' | 'completed' | 'failed' | 'canceled' | 'expired';
  created_at: string;
}

CheckResult

Extends CheckResponse with additional fields:

{
  // ... CheckResponse fields
  ai_probability?: number;
  human_probability?: number;
  combined_probability?: number;
  result_type?: string;
  ml_model?: string;
  ml_model_version?: string;
  file_url?: string;
  original_filename?: string;
  size_bytes?: number;
  size_mb?: number;
  resolution?: string;
  length?: number;
  suspected_models?: Array<{
    model_name: string;
    confidence_pct: number;
  }>;
  segments?: Array<{
    label: string;
    confidence_pct: number;
    start_char?: number;
    end_char?: number;
    start_s?: number;
    end_s?: number;
  }>;
  // ... and more
}

Rate Limits

  • 60 requests per minute
  • 10,000 requests per day

The SDK automatically handles rate limits with retry logic.

Supported File Formats

  • Images: jpg, jpeg, png, gif, bmp, tiff, webp
  • Videos: mp4, mov, avi, mkv, webm
  • Audio: mp3, wav, ogg, flac
  • Code: py, js, ts, html, css, java, cpp, go, json, txt

Environment Variables

# .env
ZEROTRUE_API_KEY=zt_your_api_key_here

Examples

See the examples/ directory for more examples:

Development

# Install dependencies
npm install

# Build
npm run build

# Run tests
npm test

# Lint
npm run lint

# Format
npm run format

License

MIT

Support