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

recipe-scrapers

v1.5.1

Published

A TypeScript library for scraping recipe data from various cooking websites

Downloads

966

Readme

Recipe Scrapers

npm version build license All Contributors

A TypeScript library for scraping recipe data from various cooking websites. This is a JavaScript port inspired by the Python recipe-scrapers library.

Features

  • Extract structured recipe data from cooking websites
  • Support for multiple popular recipe sites
  • Built with TypeScript for better developer experience
  • Fast and lightweight using the Bun runtime for development and testing
  • Comprehensive test coverage

Installation

Add the recipe-scrapers package and its peer dependencies.

npm install recipe-scrapers cheerio zod
# or
yarn add recipe-scrapers cheerio zod
# or
pnpm add recipe-scrapers cheerio zod
# or
bun add recipe-scrapers cheerio zod

Usage

Basic Usage

import { getScraper, scrapeRecipe } from 'recipe-scrapers'

const html = `<html>The html to scrape...</html>`
const url = 'https://allrecipes.com/recipe/example'

// Get a scraper for a specific URL
// This function throws by default if a scraper does not exist.
const MyScraper = getScraper(url)
const scraper = new MyScraper(html, url, /* { ...options } */)

// Get the recipe data
const rawRecipe = await scraper.toRecipeObject()

// Get the schema validated recipe data
const validatedRecipe = await scraper.parse()

// Enable fallback mode for unsupported hosts
const FallbackScraper = getScraper(url, { wildMode: true })

// One-shot helper (wild mode is enabled by default)
const parsed = await scrapeRecipe(html, url)

// One-shot helper with a safe parse result
const safeResult = await scrapeRecipe(html, url, { safeParse: true })

Safe Parse Error Shape

When safeParse: true is used, failures return a structured error object:

type SafeParseError = {
  type: 'validation' | 'extraction'
  code:
    | 'validation_failed'
    | 'extractor_not_found'
    | 'extraction_runtime_error'
    | 'extraction_failed'
  issues: Array<{
    message: string
    path?: PropertyKey[]
    dotPath?: string | null
  }>
  cause?: unknown
  context?: {
    field?: string
    source?: string
  }
}

This makes it easy to branch in UI code:

const result = await scrapeRecipe(html, url, { safeParse: true })

if (!result.success) {
  if (result.error.code === 'extractor_not_found') {
    // missing required field (result.error.context?.field)
  } else if (result.error.code === 'extraction_runtime_error') {
    // plugin/site extractor crashed (result.error.context?.source)
  } else if (result.error.code === 'validation_failed') {
    // schema validation failed after extraction
  }
}

Validation Schema

By default, recipe data is validated with the built-in Zod schema.

You can also validate with any Standard Schema compatible schema (for example Valibot).

import { scrapeRecipe } from 'recipe-scrapers'

// Example: a Standard Schema-compatible schema from another library
import { RecipeSchema as ValibotRecipeSchema } from './valibot-recipe-schema'

const result = await scrapeRecipe(html, url, {
  safeParse: true,
  schema: ValibotRecipeSchema,
})

Options

interface ScraperOptions {
  /**
   * Additional extractors to be used by the scraper.
   * These extractors will be added to the default set of extractors.
   * Extractors are applied according to their priority.
   * Higher priority extractors will run first.
   * @default []
   */
  extraExtractors?: ExtractorPlugin[]
  /**
   * Additional post-processors to be used by the scraper.
   * These post-processors will be added to the default set of post-processors.
   * Post-processors are applied after all extractors have run.
   * Post-processors are also applied according to their priority.
   * Higher priority post-processors will run first.
   * @default []
   */
  extraPostProcessors?: PostProcessorPlugin[]
  /**
   * Whether link scraping is enabled.
   * @default false
   */
  linksEnabled?: boolean
  /**
   * Logging level for the scraper.
   * This controls the verbosity of logs produced by the scraper.
   * @default LogLevel.WARN
   */
  logLevel?: LogLevel
  /**
   * Enable ingredient parsing using the parse-ingredient library.
   * When enabled, each ingredient item will include a `parsed` field
   * containing structured data (quantity, unit, description, etc.).
   * Can be `true` for defaults or an options object.
   * @see https://github.com/jakeboone02/parse-ingredient
   * @default false
   */
  parseIngredients?: boolean | ParseIngredientOptions
  /**
   * Standard Schema-compatible schema used for validation.
   * Useful when validating with libraries such as Valibot.
   */
  schema?: StandardSchemaV1<unknown, RecipeObject>
}

Supported Sites

This library supports recipe extraction from various popular cooking websites. The scraper automatically detects the appropriate parser based on the URL.

Copyright and Usage

This library is for educational and personal use. Please respect the robots.txt files and terms of service of the websites you scrape.

Development

Project policy documents:

Prerequisites

  • Bun (latest version)

Setup

# Clone the repository
git clone https://github.com/recipe-scrapers/recipe-scrapers.git
cd recipe-scrapers

# Install dependencies
bun install

# Run tests
bun test

# Build the project
bun run build

Scripts

  • bun run build - Build the library for distribution
  • bun test - Run the test suite
  • bun test:coverage - Run tests with a coverage report
  • bun fetch-test-data - Fetch test data from the original Python repository
  • bun lint - Run linting and type checking
  • bun lint:fix - Fix linting issues automatically

Adding New Scrapers

  1. Fetch test data from the original Python repository

    bun fetch-test-data
  2. Convert the data into the expected JSON format (i.e. the RecipeObject interface)

    bun process-test-data <host>
  3. Choose the scraper type:

    • Schema.org-only host (no site-specific extraction needed): add the hostname to SCHEMA_ORG_ONLY_HOSTS in src/scrapers/_index.ts
    • Custom scraper (site-specific extraction needed): create a new scraper class extending AbstractScraper
  4. If using a custom scraper, add it to customScraperClasses in src/scrapers/_index.ts

  5. Add optional host aliases to scraperAliases in src/scrapers/_index.ts when needed

  6. Run tests to ensure the extraction works as expected

  7. Update documentation as needed

import { AbstractScraper } from './abstract-scraper'
import type { RecipeFields } from '@/types/recipe.interface'

export class NewSiteScraper extends AbstractScraper {
  static host() {
    return 'www.newsite.com'
  }

  extractors = {
    ingredients: this.extractIngredients.bind(this),
  }

  protected extractIngredients(): RecipeFields['ingredients'] {
    const items = this.$('.ingredient')
      .map((_, el) => this.$(el).text().trim())
      .get()

    return [
      {
        name: null,
        items: items.map((value) => ({ value })),
      },
    ]
  }
  
  // ... implement other extraction methods
}

Testing

The project uses test data from the original Python recipe-scrapers repository to ensure compatibility and accuracy. Tests are written using Bun's built-in test runner.

# Run all tests
bun test

# Run tests with coverage
bun test:coverage

Acknowledgments

Contributing

Please read CONTRIBUTING.md before opening a pull request.

Project direction and maintainer decision rules are documented in GOVERNANCE.md.

Contributors

License

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