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

polysearch

v0.0.9

Published

Unified search interface supporting multiple search engines with deduplication and weighted ranking

Downloads

1,054

Readme

polysearch

npm version npm downloads npm license Contributor Covenant

Unified search interface supporting multiple search engines with intelligent result merging and weighted ranking

Features

  • 🌐 Multi-Engine Support: Google CSE, DuckDuckGo, NPM Registry, and HTTP Server with unified API
  • 🔄 Smart Result Merging: Automatic deduplication and source tracking across engines
  • ⚖️ Weighted Ranking: Configure engine priorities for customized result ordering
  • 📝 TypeScript First: Full type safety with comprehensive search result types
  • 🔧 Flexible Operations: Support for search, suggestions, and pagination
  • 🚀 High Performance: Parallel execution with configurable timeouts
  • 💾 Built-in Caching: Optional LRU cache support for improved performance
  • 🌐 HTTP Server: Built-in HTTP server for easy API deployment
  • 🔌 HTTP Driver: Connect to any HTTP search API with full parameter support

Installation

# Install with npm
$ npm install polysearch

# Install with yarn
$ yarn add polysearch

# Install with pnpm
$ pnpm add polysearch

Quick Start

Basic Setup

import { createPolySearch } from "polysearch";
import hybridDriver from "polysearch/drivers/hybrid";
import googleCSEDriver from "polysearch/drivers/google-cse";
import duckduckgoDriver from "polysearch/drivers/duckduckgo";
import npmDriver from "polysearch/drivers/npm";

// Create search manager with Google CSE driver
const googleSearch = createPolySearch({
  driver: googleCSEDriver({
    cx: "your-custom-search-engine-id", // Google CSE ID
  }),
});

// Create search manager with DuckDuckGo driver (with default caching)
const duckDuckGoSearch = createPolySearch({
  driver: duckduckgoDriver({
    cache: { perPage: 20, ttl: 3600, maxItems: 200 },
  }),
});

// Create search manager with NPM driver (caching disabled)
const npmSearch = createPolySearch({
  driver: npmDriver({
    cache: false, // Disable caching
  }),
});

// Create search manager with Hybrid driver
const hybridSearch = createPolySearch({
  driver: hybridDriver({
    drivers: [
      { driver: duckduckgoDriver(), weight: 0.7 },
      {
        driver: googleCSEDriver({ cx: "your-cse-id" }),
        weight: 0.3,
        timeout: 5000,
      },
    ],
  }),
});

Querying Search Results

// Get all results for a query
const results = await googleSearch.search({
  query: "TypeScript",
  perPage: 10,
});

console.log(`Found ${results.results.length} results`);
results.results.forEach((result, index) => {
  console.log(`${index + 1}. ${result.title}`);
  console.log(`   ${result.url}`);
  console.log(`   ${result.snippet}`);
});

// Get specific result type with limit
const limitedResults = await duckDuckGoSearch.search({
  query: "machine learning",
  perPage: 5,
});

// Get a single result
const firstResult = await googleSearch.search({
  query: "React hooks",
  perPage: 1,
});

Search Suggestions/Autocomplete

// Get search suggestions
const suggestions = await googleSearch.suggest({
  query: "TypeS",
});
console.log("Suggestions:", suggestions);

// Multiple suggestion queries
const queries = ["TypeS", "React", "Vu"];
const allSuggestions = await Promise.all(
  queries.map((query) => googleSearch.suggest({ query })),
);

Working with Pagination and Metadata

// Search with pagination support
const searchResults = await googleSearch.search({
  query: "machine learning",
  page: 1,
  perPage: 20,
});

console.log("Total results:", searchResults.totalResults);
console.log("Results count:", searchResults.results.length);

// Access pagination information
if (searchResults.pagination) {
  console.log("Current page:", searchResults.pagination.page);
  console.log("PerPage:", searchResults.pagination.perPage);
}

// Search NPM packages with pagination
const npmResults = await npmSearch.search({
  query: "react",
  page: 2,
  perPage: 10,
});

console.log(
  `NPM packages - Page ${npmResults.pagination?.page}: ${npmResults.results.length} results`,
);

// Search with custom page size
const customResults = await googleSearch.search({
  query: "typescript",
  perPage: 15,
});

Available Drivers

Hybrid Driver

import hybridDriver from "polysearch/drivers/hybrid";
import duckduckgoDriver from "polysearch/drivers/duckduckgo";
import googleCSEDriver from "polysearch/drivers/google-cse";

const driver = hybridDriver({
  drivers: [
    { driver: duckduckgoDriver(), weight: 0.6 },
    {
      driver: googleCSEDriver({ cx: "your-cse-id" }),
      weight: 0.4,
      timeout: 3000,
    },
  ],
});

// Features:
// - Combines multiple search engines with weighted results
// - Parallel execution with configurable timeouts
// - Automatic result deduplication by URL
// - Source tracking: each result shows which drivers returned it
// - Fault-tolerant: continues even if some drivers fail
// - Configurable driver weights and timeouts

Google CSE Driver

import googleCSEDriver from "polysearch/drivers/google-cse";

const driver = googleCSEDriver({
  cx: "your-custom-search-engine-id", // Required: Google Custom Search Engine ID
});

// Features:
// - Full text search with Google Custom Search Engine
// - Rich result metadata and pagination
// - Autocomplete suggestions

DuckDuckGo Driver

import duckduckgoDriver from "polysearch/drivers/duckduckgo";

const driver = duckduckgoDriver(); // No configuration required

// Features:
// - Privacy-focused search without tracking
// - Auto-complete suggestions
// - Zero-configuration setup

NPM Registry Driver

import npmDriver from "polysearch/drivers/npm";

const driver = npmDriver({
  registry: "https://registry.npmjs.org", // Optional: custom registry
  endpoint: "/-/v1/search", // Optional: custom endpoint path
  quality: 0.4, // Optional: emphasize package quality scoring
  popularity: 0.3, // Optional: emphasize popularity scoring
  maintenance: 0.3, // Optional: emphasize maintenance scoring
});

// Features:
// - Search npm packages with metadata and scoring
// - Quality, popularity, and maintenance metrics
// - Auto-complete suggestions for package names
// - Configurable scoring weights
// - Full package information (version, description, links)
// - True pagination support with page/perPage parameters

HTTP Driver

import httpDriver from "polysearch/drivers/http";

const driver = httpDriver({
  baseURL: "http://localhost:3000", // Required: search server URL
  timeout: 5000, // Optional: request timeout in ms
  headers: {
    // Optional: custom headers for authentication
    Authorization: "Bearer xxx",
  },
});

// Features:
// - Connect to any HTTP search server
// - Pass arbitrary parameters through query strings
// - Automatic parameter serialization (numbers, objects, JSON)
// - Custom headers for API authentication
// - Timeout configuration

HTTP Server

import { createSearchServer } from "polysearch/servers/http";
import duckduckgoDriver from "polysearch/drivers/duckduckgo";

const server = createSearchServer({
  driver: duckduckgoDriver(),
});

server.serve(3000);

// API Endpoints:
// - GET /search?q=query&page=1&perPage=10 - Search with parameters
// - GET /suggest?q=query - Get suggestions

API Reference

Caching

All drivers support optional caching to improve performance and reduce API calls:

import { createStorage } from "unstorage";
import memoryDriver from "unstorage/drivers/memory";

// Default LRU cache (100 items, 60s TTL)
const search1 = createPolySearch({
  driver: duckduckgoDriver({
    cache: { perPage: 20, ttl: 300, maxItems: 200 },
  }),
});

// Disable caching
const search2 = createPolySearch({
  driver: duckduckgoDriver({ cache: false }),
});

// Custom storage
const search3 = createPolySearch({
  driver: duckduckgoDriver({
    cache: {
      storage: createStorage({ driver: memoryDriver() }),
      perPage: 20,
      ttl: 600,
    },
  }),
});

Cache Options

  • perPage (number) - Default results per page
  • ttl (number) - Cache expiration time in seconds (default: 60)
  • maxItems (number) - Maximum items in LRU cache (default: 100)
  • storage (Storage) - Custom unstorage instance
  • false - Disable caching

Core Functions

createPolySearch(options)

Creates a new search manager instance with the specified driver.

Parameters:

  • options.driver - Search driver instance (Google CSE, DuckDuckGo, etc.)

Returns: Search manager instance with methods below.

Methods

search(options)

Perform a search query.

Parameters:

  • query (string) - Search query
  • page (number, optional) - Page number for pagination (1-based)
  • perPage (number, optional) - Results per page for pagination

Returns: Promise<SearchResponse> - Search results with metadata

suggest(options)

Get search suggestions/autocomplete.

Parameters:

  • query (string) - Query term for suggestions

Returns: Promise<string[]> - Array of suggestion strings

Types

SearchResponse

interface SearchResponse {
  results: SearchResult[]; // Array of search results
  totalResults?: number; // Total number of results (if available)
  pagination?: {
    page?: number; // Current page number (1-based)
    perPage?: number; // Results per page
  };
}

SearchResult

interface SearchResult {
  title: string; // Result title
  url: string; // Result URL
  snippet?: string; // Result description or snippet
  sources?: string[]; // Array of driver names that returned this result
}

Driver Options

GoogleCSEDriverOptions
interface GoogleCSEDriverOptions {
  cx: string; // Custom Search Engine ID (required)
}
DuckDuckGoDriverOptions
interface DuckDuckGoDriverOptions {
  // No configuration required
}
HybridDriverOptions
interface HybridDriverOptions {
  drivers: Array<{
    driver: Driver;
    weight?: number; // Default: 1.0
    timeout?: number; // Timeout in ms for this driver
  }>;
}
NPMDriverOptions
interface NPMDriverOptions {
  registry?: string; // NPM registry URL (default: https://registry.npmjs.org)
  endpoint?: string; // Search endpoint path (default: /-/v1/search)
  quality?: number; // Weight for quality scoring (0-1)
  popularity?: number; // Weight for popularity scoring (0-1)
  maintenance?: number; // Weight for maintenance scoring (0-1)
}

Server

Quick Start

import { createSearchServer } from "polysearch/server";
import duckduckgoDriver from "polysearch/drivers/duckduckgo";

const server = createSearchServer({
  driver: duckduckgoDriver(),
});

server.serve(3000);

API Endpoints

  • GET /search?q=typescript&limit=10 - Search with query parameters
  • GET /suggest?q=typescript - Get suggestions with query parameters

Development

Build

# Development mode (with stub files)
pnpm dev

# Production build
pnpm build

# Pre-pack build (automatically runs before publish)
pnpm prepack

Testing

# Test specific drivers
bun playground/google-cse.ts
bun playground/duckduckgo.ts
bun playground/npm.ts
bun playground/server.ts

# Run linting
pnpm lint

# Type checking
pnpm build # Build includes type checking

License