Amazon Product Data API — 25 Endpoints, 21 Marketplaces

Real-time Amazon product data API for prices, ASINs, reviews, seller data, and deals. 25 endpoints, 21 marketplaces. 2,000 free requests/month.

2,000 free req/month — forever if you join before April 20 Free tier drops to 150 req/month for new users after that
Free tier available
JSON responses
Real-time data

What Is the FlyByAPIs Amazon Product Data API?

FlyByAPIs Amazon Product Data API provides real-time access to Amazon product data, basically an Amazon Scraper API with prices, reviews, stock levels, seller information, deals, best sellers, and 25+ additional data points — delivered as structured JSON across 21 Amazon marketplaces worldwide. It handles Amazon’s anti-bot systems server-side, so developers get reliable data without managing proxies or scrapers. Available on RapidAPI starting at $0/month with 2,000 free requests.


Prices, ASINs, Reviews & More

The Amazon Product Data API gives you real-time product data across 21 marketplaces — prices, ASINs, reviews, seller info, deals, best sellers — returned as clean structured JSON through 25 purpose-built endpoints. No proxies, no JS rendering, no scraper to maintain.

21

Marketplaces

25

Endpoints

2K

Free req/month

Live

Real-time data

Whether you’re building a price tracker, repricing engine, product research tool, or affiliate content pipeline — get the real-time Amazon product data you need with zero infrastructure overhead. We handle Amazon’s anti-bot systems server-side. You make a request and get data back.

Start free — see pricing plans

2,000 requests/month free · No credit card required


Endpoints

Products

EndpointDescription
/amazon/searchSearch products by keyword with filters for marketplace, sort order, and page.
/amazon/productGet full product details by ASIN: title, price, images, rating, description, variants.
/amazon/product/reviewsFetch customer reviews for a product with text, rating, and metadata.
/amazon/product/offersGet all offers (sellers) for a specific product with pricing and fulfillment info.
/amazon/product/best-sellersRetrieve current best-seller lists by category.
/amazon/product/new-releasesGet new product releases by category.
/amazon/product/movers-shakersProducts with the biggest rank improvements in the last 24 hours.
/amazon/product/most-wished-forMost wish-listed products by category.

Sellers

EndpointDescription
/amazon/sellerGet seller profile information by seller ID.
/amazon/seller/productsList all products offered by a specific seller.

Categories

EndpointDescription
/amazon/categoriesBrowse the Amazon category tree.
/amazon/category/productsGet products within a specific category.

Deals & Coupons

EndpointDescription
/amazon/dealsCurrent active deals and lightning deals.
/amazon/couponsProducts with active coupon discounts.

Additional Endpoints

EndpointDescription
/amazon/autocompleteAmazon search autocomplete suggestions.
/amazon/product/questionsCustomer Q&A for a product.
/amazon/product/imagesAll product images including variants.
/amazon/product/specificationsTechnical specifications table for a product.
/amazon/product/also-bought“Customers also bought” recommendations.
/amazon/product/also-viewed“Customers also viewed” recommendations.
/amazon/storeAmazon Store page data.
/amazon/store/productsProducts within an Amazon Store.
/amazon/influencerAmazon Influencer page data.
/amazon/influencer/productsProducts recommended by an influencer.
/amazon/influencer/storefrontInfluencer storefront information.

Extractable Data Fields

Every product request returns structured JSON with:

FieldDescription
ASINAmazon Standard Identification Number
TitleFull product title
URL / full_urlShort canonical URL and full descriptive product URL
image / image_idProduct image URL and image ID extracted from CDN path
PriceCurrent price, list price, discount percentage
RatingStar rating (0–5) and total review count
ReviewsIndividual review text, date, verified purchase flag, helpful votes
BSRBest Sellers Rank by category
SellerSeller name, ID, rating, review count, fulfillment type (FBA/FBM)
Deal PriceLightning deal and coupon prices when active
AvailabilityIn-stock status, stock quantity per seller, across 21 marketplaces
is_primeAmazon Prime eligibility
sponsoredWhether the result is a sponsored/ad placement
has_variationsWhether the product has size/color/style variants
position / organic_position / sponsored_positionAbsolute position, organic rank, and ad rank in results
bought_last_month“X+ bought in past month” social proof signal
badgesProduct badges (Best Seller, Amazon’s Choice, etc.)
delivery_infoDelivery options with dates (primary + secondary shipping messages)
ImagesAll product images including variant images at full resolution
SpecificationsTechnical specs table for the product

Code Examples

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
import requests

url = "https://real-time-amazon-data-the-most-complete.p.rapidapi.com/amazon/search"

querystring = {
    "query": "wireless bluetooth headphones",
    "marketplace": "US",
    "page": "1"
}

headers = {
    "X-RapidAPI-Key": "YOUR_API_KEY",
    "X-RapidAPI-Host": "real-time-amazon-data-the-most-complete.p.rapidapi.com"
}

response = requests.get(url, headers=headers, params=querystring)
data = response.json()

for product in data.get("results", []):
    print(f"{product['title'][:80]}")
    print(f"  ASIN: {product['asin']} | Price: {product.get('price', 'N/A')}")
    print(f"  Rating: {product.get('rating', 'N/A')} ({product.get('reviews_count', 0)} reviews)")
    print()
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
const url = "https://real-time-amazon-data-the-most-complete.p.rapidapi.com/amazon/search?query=wireless%20bluetooth%20headphones&marketplace=US&page=1";

const options = {
  method: "GET",
  headers: {
    "X-RapidAPI-Key": "YOUR_API_KEY",
    "X-RapidAPI-Host": "real-time-amazon-data-the-most-complete.p.rapidapi.com",
  },
};

const response = await fetch(url, options);
const data = await response.json();

data.results?.forEach((product) => {
  console.log(product.title.slice(0, 80));
  console.log(`  ASIN: ${product.asin} | Price: ${product.price ?? "N/A"}`);
  console.log(`  Rating: ${product.rating ?? "N/A"} (${product.reviews_count ?? 0} reviews)\n`);
});
1
2
3
4
5
6
curl -G "https://real-time-amazon-data-the-most-complete.p.rapidapi.com/amazon/search" \
  --data-urlencode "query=wireless bluetooth headphones" \
  --data-urlencode "marketplace=US" \
  --data-urlencode "page=1" \
  -H "X-RapidAPI-Key: YOUR_API_KEY" \
  -H "X-RapidAPI-Host: real-time-amazon-data-the-most-complete.p.rapidapi.com"

Example JSON Response

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
{
  "status": true,
  "data": {
    "products": [
      {
        "asin": "B09G9FPHY6",
        "title": "Apple AirPods Pro (2nd Generation) Wireless Earbuds, USB-C",
        "url": "https://www.amazon.com/dp/B09G9FPHY6",
        "full_url": "https://www.amazon.com/Apple-Generation-Cancelling-Transparency-Personalized/dp/B09G9FPHY6",
        "image_id": "61SUj2aKoEL",
        "image": "https://m.media-amazon.com/images/I/61SUj2aKoEL._AC_SL1500_.jpg",
        "price": "$189.00",
        "price_symbol": "$",
        "original_price": "$249.00",
        "rating": 4.7,
        "reviews_count": "94,821",
        "is_prime": true,
        "sponsored": false,
        "amazons_choice": true,
        "best_seller": false,
        "has_variations": false,
        "bought_last_month": "30K+ bought in past month",
        "position": 1,
        "organic_position": 1,
        "sponsored_position": null,
        "badges": ["Amazon's Choice"],
        "delivery_info": [
          { "text": "FREE delivery", "dates": "Thursday, March 20" },
          { "text": "Or fastest delivery", "dates": "Tomorrow, March 16" }
        ]
      },
      {
        "asin": "B0CHWRXH8B",
        "title": "Sony WH-1000XM5 Industry Leading Noise Canceling Wireless Headphones",
        "url": "https://www.amazon.com/dp/B0CHWRXH8B",
        "full_url": "https://www.amazon.com/Sony-WH-1000XM5-Canceling-Headphones-Hands-Free/dp/B0CHWRXH8B",
        "image_id": "71o8Q5XJS5L",
        "image": "https://m.media-amazon.com/images/I/71o8Q5XJS5L._AC_SL1500_.jpg",
        "price": "$279.99",
        "price_symbol": "$",
        "original_price": "$399.99",
        "rating": 4.6,
        "reviews_count": "12,430",
        "is_prime": true,
        "sponsored": false,
        "amazons_choice": false,
        "best_seller": true,
        "has_variations": true,
        "bought_last_month": "5K+ bought in past month",
        "position": 2,
        "organic_position": 2,
        "sponsored_position": null,
        "badges": ["Best Seller"],
        "delivery_info": [
          { "text": "FREE delivery", "dates": "Thursday, March 20" }
        ]
      },
      {
        "asin": "B07Q6ZWMLR",
        "title": "Jabra Elite 85h Wireless Noise-Isolating Headphones",
        "url": "https://www.amazon.com/dp/B07Q6ZWMLR",
        "full_url": "https://www.amazon.com/Jabra-Wireless-Noise-Isolating-Headphones-Titanium/dp/B07Q6ZWMLR",
        "image_id": "51cgqFWOFML",
        "image": "https://m.media-amazon.com/images/I/51cgqFWOFML._AC_SL1500_.jpg",
        "price": "$99.95",
        "price_symbol": "$",
        "original_price": null,
        "rating": 4.3,
        "reviews_count": "8,102",
        "is_prime": false,
        "sponsored": true,
        "amazons_choice": false,
        "best_seller": false,
        "has_variations": true,
        "bought_last_month": null,
        "position": 3,
        "organic_position": null,
        "sponsored_position": 1,
        "badges": [],
        "delivery_info": [
          { "text": "FREE delivery", "dates": "Friday, March 21" }
        ]
      }
    ],
    "total_results": "60,000+ results",
    "page": 1
  }
}

Features

  • 21 MarketplacesExtract data from Amazon US, UK, DE, FR, JP, IN, CA, AU, IT, ES, and 11 more.
  • 25 Endpoints — Purpose-built endpoints for every type of Amazon data: products, sellers, categories, stores, and influencers.
  • Real-time Pricing — Get current prices, deal prices, coupon discounts, and all active offers for any product.
  • Complete Review Data — Full review text, ratings, verified purchase flags, helpful votes, and review dates.
  • Seller Intelligence — Profile data, product listings, ratings, and fulfillment details for any seller.
  • Deal & Coupon Tracking — Monitor lightning deals, daily deals, and coupon-eligible products.
  • Structured JSON — Clean, consistent data format across all endpoints. No HTML parsing needed.

Use Cases

Amazon Price Monitoring & Real-Time Price Tracking

Build price drop alert systems that monitor ASINs daily and notify users when prices fall below target thresholds. Detect MAP violations, track competitor pricing strategies, and trigger repricing logic — all from live Amazon data.

Product Research & Arbitrage

Combine BSR, review velocity, and amazon price api data to score products for private label viability or retail arbitrage. Compare amazon product data across marketplaces to find pricing gaps and demand signals.

Amazon Competitor Tracking & Market Analysis

Monitor competitor product listings, pricing changes, review counts, and new launches across 21 Amazon marketplaces. Track entire seller catalogs programmatically and get alerted when competitors enter your category.

Affiliate Content Automation

Fetch real-time prices, images, ratings, and review counts for any product ASIN and inject them into affiliate review pages automatically. Always accurate amazon product data, never stale cached values.

Start building — view pricing

Free tier · No credit card · Cancel anytime


Why Developers Switch

Amazon has one of the most aggressive anti-scraping systems on the web. IP bans come fast, page structure changes without warning, and JS rendering adds latency you can’t absorb at scale. Most teams underestimate the maintenance burden until their in-house scraper goes down on a Friday night.

We ran into the same wall. So we built the infrastructure once — proxy rotation, JS rendering, session management, bot detection handling — and wrapped it in a clean REST API. Now it just works, for us and for everyone using Flyby.

Why other approaches fail

Scraping Amazon directly

Amazon bans IPs within hours on any meaningful volume. CAPTCHAs, honeypot links, and dynamic page structures make raw scraping a continuous engineering project — not a one-time setup.

Unofficial libraries and open-source scrapers

Fragile by nature. Amazon updates their frontend and your data pipeline breaks silently. You're now on rotation maintaining someone else's abandoned code instead of building your product.

$

Other Amazon data APIs

Most charge $50–$300/month for equivalent request volumes, cover fewer marketplaces, and lock advanced endpoints behind higher tiers. Flyby starts free with 25 endpoints across 21 marketplaces — no feature gating.


See pricing plans

Free tier available — no credit card required


vs. Competitors

FeatureFlyby Amazon APIRainforest API (Traject Data)ScraperAPIBuild It Yourself
Price per 10K requests$14.99$83~$24.50Infra cost + dev time
Marketplaces 21~12Not specifiedVaries
Dedicated endpoints 25 endpoints~15Amazon scraper endpoint✗ Build each
Anti-ban handling Managed✓ Managed✓ Managed✗ Your problem
Real-time data
Deals & influencer data BothDeals only
Maintenance required None✓ None✓ None✗ Ongoing

Get Started in Minutes

  1. Sign up on RapidAPI — it’s free.
  2. Subscribe to the Basic plan (2,000 free requests/month).
  3. Copy your API key from the RapidAPI dashboard.
  4. Make your first request using the code examples above.

We ran daily price monitoring across 12,000 SKUs with a fragile in-house scraper that needed attention every other week. Developers who’ve made the switch say the same thing: it just works. Start free, get your first result in under 5 minutes, and scale only when you need to.

Simple Pricing

Start Free, Scale as You Grow

All plans include full API access to every endpoint. No feature gating.

Basic

Free

2,000 free req/month — forever if you join before April 20

Free tier drops to 150 req/month for new users after that

  • 2,000 requests/month
  • Shared rate limit
Start Free

Pro

$14.99 /mo
  • 10,000 requests/month
  • Standard rate limit
Choose Plan

Mega

$99.99 /mo
  • 250,000 requests/month
  • Priority rate limit
Choose Plan
FAQ

Frequently Asked Questions

Q How do I get real-time Amazon product prices via API?

FlyByAPIs Amazon Product Data API returns current prices, deal prices, coupon discounts, and all active offers for any product by ASIN. Every request fetches live data from Amazon — no stale caches. The API supports 21 marketplaces and starts free with 2,000 requests/month on RapidAPI.

Q How do I build an Amazon price tracker?

Use FlyByAPIs Amazon Product Data API to poll the /amazon/product or /amazon/product/offers endpoint for your target ASINs on a schedule (daily or hourly). Store the price data and set up alerts when prices drop below a threshold. The free tier gives you 2,000 requests/month — enough to track hundreds of products daily.

Q What is the best API for scraping Amazon product data?

FlyByAPIs Amazon Product Data API provides 25 dedicated endpoints across 21 Amazon marketplaces — covering product search, details, prices, reviews, seller data, deals, best sellers, new releases, and influencer data. It handles Amazon's anti-bot systems server-side, starts free with 2,000 requests/month, and returns structured JSON with no HTML parsing needed.

Q Can I scrape Amazon without getting blocked?

FlyByAPIs Amazon Product Data API handles proxy rotation, CAPTCHA solving, and session management server-side. You make a simple REST API call and get structured JSON back. No need to manage scrapers, proxies, or deal with IP bans. The API maintains a high success rate across all 21 Amazon marketplaces.

Q How do I get Amazon Best Seller data via API?

FlyByAPIs Amazon Product Data API includes a dedicated /amazon/product/best-sellers endpoint that returns the current best-seller rankings by category for any supported marketplace. You also get /amazon/product/new-releases, /amazon/product/movers-shakers, and /amazon/product/most-wished-for for complete trend data.

Q Does the FlyByAPIs Amazon API support all Amazon country sites?

Yes. FlyByAPIs Amazon Product Data API supports 21 Amazon marketplaces worldwide — US, UK, Germany, France, Japan, India, Canada, Australia, Italy, Spain, Mexico, Brazil, and 9 more. Specify the marketplace parameter in any request to get localized product data.

Q How do I get Amazon product reviews via API?

Use the /amazon/product/reviews endpoint in FlyByAPIs Amazon Product Data API. It returns individual reviews with full text, star rating, date, verified purchase status, and helpful vote counts. You can also get review summary statistics and aggregate ratings for any ASIN across 21 marketplaces.

Q What Amazon data can I extract with the FlyByAPIs API?

FlyByAPIs Amazon Product Data API extracts product titles, descriptions, prices, images, ratings, reviews, seller profiles, Best Seller Rank, deals, coupons, stock levels, variant data (size/color), influencer content, store pages, and more — across 25 endpoints and 21 marketplaces. All data is returned as structured JSON.

Ready to Get Started?

Sign up for free and make your first API call in under 5 minutes.