> markdown-new
Convert any public URL into clean, LLM-ready Markdown using the markdown.new service. Use for content extraction, RAG ingestion, article summarization, research, archiving, and token-efficient web reading.
curl "https://skillshub.wtf/TerminalSkills/skills/markdown-new?format=md"markdown-new
Convert public web pages into clean Markdown via markdown.new — a free hosted service that strips navigation, ads, and boilerplate, returning only the readable content.
When to Use
- Extracting article text for summarization or analysis
- Building RAG pipelines that ingest web content
- Archiving pages in a readable format
- Reducing token usage compared to raw HTML or full browser snapshots
- Research workflows where you need clean text from multiple URLs
API
Prefix Mode (simplest)
Prepend https://markdown.new/ to any URL:
# Basic conversion
curl -s 'https://markdown.new/https://example.com/article'
# With options
curl -s 'https://markdown.new/https://example.com?method=browser&retain_images=true'
POST Mode (recommended for automation)
curl -s -X POST https://markdown.new/ \
-H 'Content-Type: application/json' \
-d '{
"url": "https://example.com/article",
"method": "auto",
"retain_images": false
}'
Parameters
| Parameter | Values | Default | Description |
|---|---|---|---|
method | auto, ai, browser | auto | Conversion pipeline |
retain_images | true, false | false | Keep image links in output |
Method Selection
auto— fastest; lets the service pick the best pipeline. Use first.ai— forces Workers AI HTML-to-Markdown conversion. Good for well-structured HTML.browser— headless browser rendering. Use for JavaScript-heavy SPAs and pages whereautomisses content.
Strategy: Always try auto first. Fall back to browser only when output is incomplete or empty.
Response Headers
The service returns useful metadata in response headers:
x-markdown-tokens— estimated token count of the outputx-rate-limit-remaining— requests remaining in current window
Usage Patterns
Single Page Extraction
"""fetch_article.py — Extract a single article as Markdown."""
import requests
def fetch_markdown(url: str, method: str = "auto") -> str:
"""Convert a URL to clean Markdown.
Args:
url: Public HTTP/HTTPS URL to convert.
method: Conversion method — "auto", "ai", or "browser".
Returns:
Markdown string of the page content.
"""
resp = requests.post(
"https://markdown.new/",
json={"url": url, "method": method, "retain_images": False},
timeout=30,
)
resp.raise_for_status()
return resp.text
# Extract an article
content = fetch_markdown("https://example.com/blog/post-title")
print(f"Extracted {len(content)} chars")
Batch Extraction with Rate Limiting
"""batch_extract.py — Extract multiple URLs with rate limiting."""
import time
import requests
def batch_extract(urls: list[str], delay: float = 0.5) -> dict[str, str]:
"""Extract Markdown from multiple URLs with rate limiting.
Args:
urls: List of public URLs to convert.
delay: Seconds to wait between requests to respect rate limits.
Returns:
Dict mapping URL to extracted Markdown content.
"""
results = {}
for url in urls:
try:
resp = requests.post(
"https://markdown.new/",
json={"url": url, "method": "auto"},
timeout=30,
)
if resp.status_code == 429: # Rate limited
print(f"Rate limited, waiting 60s...")
time.sleep(60)
resp = requests.post(
"https://markdown.new/",
json={"url": url, "method": "auto"},
timeout=30,
)
resp.raise_for_status()
results[url] = resp.text
except Exception as e:
print(f"Failed {url}: {e}")
results[url] = ""
time.sleep(delay) # Respect rate limits
return results
Shell One-Liner
# Quick article extraction — pipe to file or another tool
curl -s 'https://markdown.new/https://example.com/article' > article.md
# Extract and count tokens (rough estimate: words / 0.75)
curl -s 'https://markdown.new/https://example.com/article' | wc -w
Node.js
// fetch-markdown.js — URL to Markdown in Node.js
async function fetchMarkdown(url, method = 'auto') {
const resp = await fetch('https://markdown.new/', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ url, method, retain_images: false }),
});
if (resp.status === 429) {
throw new Error('Rate limited — wait and retry');
}
if (!resp.ok) {
throw new Error(`Conversion failed: ${resp.status}`);
}
return resp.text();
}
Limits and Best Practices
- Rate limit: ~500 requests/day per IP. Monitor
x-rate-limit-remainingheader. - 429 responses mean you've hit the limit — back off and retry after a delay.
- Public URLs only — the service cannot access authenticated or private pages.
- Respect robots.txt and copyright when extracting content.
- Verify critical extractions — output is not guaranteed complete for every page.
- Use
autofirst, fall back tobrowserfor JS-heavy pages. - Disable
retain_imageswhen you only need text — reduces output size.
Combining with Other Tools
- Pair with whisper for multimedia research (audio transcription + article extraction)
- Feed output into langchain or langgraph for RAG pipelines
- Use with elasticsearch to build a searchable content index
- Combine with sox / yt-dlp for multi-format content ingestion
> related_skills --same-repo
> zustand
You are an expert in Zustand, the small, fast, and scalable state management library for React. You help developers manage global state without boilerplate using Zustand's hook-based stores, selectors for performance, middleware (persist, devtools, immer), computed values, and async actions — replacing Redux complexity with a simple, un-opinionated API in under 1KB.
> zoho
Integrate and automate Zoho products. Use when a user asks to work with Zoho CRM, Zoho Books, Zoho Desk, Zoho Projects, Zoho Mail, or Zoho Creator, build custom integrations via Zoho APIs, automate workflows with Deluge scripting, sync data between Zoho apps and external systems, manage leads and deals, automate invoicing, build custom Zoho Creator apps, set up webhooks, or manage Zoho organization settings. Covers Zoho CRM, Books, Desk, Projects, Creator, and cross-product integrations.
> zod
You are an expert in Zod, the TypeScript-first schema declaration and validation library. You help developers define schemas that validate data at runtime AND infer TypeScript types at compile time — eliminating the need to write types and validators separately. Used for API input validation, form validation, environment variables, config files, and any data boundary.
> zipkin
Deploy and configure Zipkin for distributed tracing and request flow visualization. Use when a user needs to set up trace collection, instrument Java/Spring or other services with Zipkin, analyze service dependencies, or configure storage backends for trace data.