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

rss-agent-discovery

v0.1.6

Published

AI agent-focused RSS feed discovery. JSON output, semantic exit codes.

Readme

RSS Agent Discovery

AI agent-focused RSS feed discovery tool. JSON-only output to stdout, errors to stderr only when --verbose is enabled.

Why This Tool?

Existing RSS discovery tools (rss-url-finder, rss-finder) were built for human developers. They output human-readable text and don't validate that feeds actually exist.

This tool is designed for AI agents (Claude, Cursor, GPT):

  • JSON-only output to stdout (machine-parseable)
  • Errors to stderr only when --verbose is enabled (clean output by default)
  • All errors and warnings included in JSON structure
  • Semantic exit codes (0=found, 1=none, 2=error)
  • Fast (10s default timeout, parallel scanning)
  • Discovery-only (returns feed URLs, doesn't parse content)
  • Finds feeds AI agents miss

Proof: Cursor fails to find https://vercel.com/atom. This tool succeeds.

Installation

npm install
npm run build

Agent Skills

Install AI agent skill with Skills CLI:

npx skills add brooksy4503/rss-agent-discovery --skill rss-agent-discovery

More info about the Skills CLI: https://skills.sh/

Usage

Basic usage:

node dist/find-rss-feeds.js https://vercel.com

Or via CLI (after npm link):

rss-discover https://vercel.com

Multiple URLs (parallel processing):

node dist/find-rss-feeds.js https://vercel.com https://news.ycombinator.com https://stripe.com

Parse with jq:

node dist/find-rss-feeds.js https://vercel.com | jq '.results[0].feeds'

Custom timeout:

node dist/find-rss-feeds.js --timeout 15000 https://example.com

Skip blog scanning:

node dist/find-rss-feeds.js --skip-blogs https://example.com

Limit blog scans:

node dist/find-rss-feeds.js --max-blogs 3 https://example.com

Custom blog paths:

node dist/find-rss-feeds.js --blog-paths '/blog,/news' https://example.com
# or with pipe separator
node dist/find-rss-feeds.js --blog-paths '/blog|/updates' https://example.com

Verbose mode (debug logging):

node dist/find-rss-feeds.js --verbose https://example.com

Show help:

node dist/find-rss-feeds.js --help

Show version:

node dist/find-rss-feeds.js --version
# or
rss-discover --version

Run tests:

npm test              # Run all tests (unit + smoke)
npm run test:unit     # Run unit tests only
npm run test:smoke    # Run smoke tests (integration)

Output Schema

{
  "success": true,
  "partialResults": false,
  "results": [
    {
      "url": "https://vercel.com",
      "feeds": [
        {
          "url": "https://vercel.com/atom",
          "title": "atom",
          "type": "atom"
        }
      ],
      "error": null,
      "diagnostics": []
    }
  ]
}

Fields:

  • success (boolean): true if no URLs had errors, false if at least one URL had an error
  • partialResults (boolean, optional): true if success === false but some feeds were still found
  • results (array): One entry per input URL
    • url (string): The scanned URL
    • feeds (array): Discovered feed objects with url, title, and type ('rss' | 'atom' | 'unknown')
    • error (string | null): Error message if scanning failed, null otherwise. Timeout errors are normalized to "Timeout"
    • diagnostics (string[], optional): Array of warning messages for non-fatal issues (e.g., failed blog path scans)

Output Contract

Default behavior (without --verbose):

  • JSON-only output to stdout (machine-parseable)
  • No stderr output (clean for programmatic consumption)
  • All errors and warnings included in JSON structure

Verbose mode (--verbose):

  • JSON output to stdout (unchanged)
  • Debug logging to stderr (useful for troubleshooting)
  • Additional context about skipped URLs, validation failures, etc.

Recommended integration pattern:

  1. Parse stdout as JSON (always valid JSON, even on errors)
  2. Check success field for overall status
  3. Check partialResults if success === false to see if any feeds were found
  4. Check error field in each result for URL-specific failures
  5. Check diagnostics array for warnings and non-fatal issues
  6. Use --verbose flag only when troubleshooting or debugging

Exit Codes

  • 0 - One or more feeds found (or --help / --version used)
  • 1 - No feeds found
  • 2 - Error occurred

Features

  • Discovers RSS/Atom feeds from HTML <link> tags
  • Tests common paths (/rss.xml, /atom, /feed, etc.)
  • Scans blog subdirectories (/blog, /news, /articles)
  • Parallel processing for multiple URLs
  • Deduplicates feeds across all sources
  • Validates feeds actually exist and return XML
  • JSON-only output to stdout
  • Errors to stderr only when --verbose is enabled
  • All errors and warnings included in JSON structure
  • 10s default timeout per URL (configurable)

Examples

Find feeds for Vercel:

node dist/find-rss-feeds.js https://vercel.com

Output:

{
  "success": true,
  "results": [
    {
      "url": "https://vercel.com",
      "feeds": [
        {"url": "https://vercel.com/atom", "title": "atom", "type": "atom"}
      ],
      "error": null
    }
  ]
}

Check exit code:

node dist/find-rss-feeds.js https://vercel.com
echo $?  # Outputs: 0

No feeds found:

node dist/find-rss-feeds.js https://example.com
echo $?  # Outputs: 1

Parallel scan:

node dist/find-rss-feeds.js https://vercel.com https://news.ycombinator.com | jq

Integration Example

Claude AI:

import subprocess
import json

result = subprocess.run(
  ['node', 'dist/find-rss-feeds.js', 'https://vercel.com'],
  capture_output=True,
  text=True
)

data = json.loads(result.stdout)
feeds = data['results'][0]['feeds']
exit_code = result.returncode

Shell script:

#!/bin/bash
# No need to redirect stderr - it's clean by default
result=$(node dist/find-rss-feeds.js "$1")
exit_code=$?

if [ $exit_code -eq 0 ]; then
  echo "Found feeds:"
  echo "$result" | jq '.results[0].feeds'
fi

AI Agent Integration

This tool is designed to work seamlessly with AI coding agents:

Opencode / Claude Code

# Opencode can call this tool directly
npx -y rss-agent-discovery https://example.com | jq '.results[0].feeds[].url'

Cursor

Cursor can integrate this as a custom tool:

{
  "name": "rss_discovery",
  "command": "npx -y rss-agent-discovery {url}",
  "description": "Discover RSS feeds from a website"
}

GitHub Copilot

// Use in GitHub Actions or workflows
const { execSync } = require('child_process');
const result = JSON.parse(
  execSync('npx -y rss-agent-discovery https://github.com/blog').toString()
);

Custom MCP Server

// Build a Model Context Protocol server
import { spawn } from 'child_process';

async function discoverRSS(url: string) {
  const proc = spawn('npx', ['-y', 'rss-agent-discovery', url]);
  const chunks: Buffer[] = [];
  
  for await (const chunk of proc.stdout) {
    chunks.push(chunk);
  }
  
  return JSON.parse(Buffer.concat(chunks).toString());
}

Why AI Agents Need This Tool

AI agents (Claude, Cursor, ChatGPT Codex) struggle with RSS discovery because:

  • They rely on web search which may miss feeds
  • They don't systematically parse HTML <link> tags
  • They give up after trying 2-3 common paths
  • They can't validate feeds actually return XML

This tool solves all of those problems with structured JSON output.

Development

Build:

npm run build

Test:

npm test              # Run all tests (unit + smoke)
npm run test:unit     # Run unit tests only
npm run test:smoke    # Run smoke tests (integration)

Lint:

tsc --noEmit

Project Structure

  • find-rss-feeds.ts - TypeScript source
  • dist/ - Compiled JavaScript
  • package.json - Dependencies and scripts

License

MIT