{ "cells": [ { "cell_type": "code", "execution_count": 1, "id": "5223b1b7", "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "WARNING:tensorflow:From c:\\Users\\Omar\\AppData\\Local\\Programs\\Python\\Python311\\Lib\\site-packages\\tf_keras\\src\\losses.py:2976: The name tf.losses.sparse_softmax_cross_entropy is deprecated. Please use tf.compat.v1.losses.sparse_softmax_cross_entropy instead.\n", "\n" ] } ], "source": [ "from web2json.preprocessor import *\n", "from web2json.ai_extractor import *\n", "from web2json.postprocessor import *\n", "from web2json.pipeline import *" ] }, { "cell_type": "code", "execution_count": 2, "id": "ae4e7f03", "metadata": {}, "outputs": [ { "data": { "text/plain": [ "True" ] }, "execution_count": 2, "metadata": {}, "output_type": "execute_result" } ], "source": [ "import dotenv\n", "dotenv.load_dotenv()" ] }, { "cell_type": "code", "execution_count": 3, "id": "9e6b0eb9", "metadata": {}, "outputs": [ { "name": "stderr", "output_type": "stream", "text": [ "Some weights of Qwen3ForSequenceClassification were not initialized from the model checkpoint at Qwen/Qwen3-Reranker-0.6B and are newly initialized: ['score.weight']\n", "You should probably TRAIN this model on a down-stream task to be able to use it for predictions and inference.\n" ] } ], "source": [ "llm = NvidiaLLMClient(config={'api_key': os.getenv('NVIDIA_API_KEY'),'model_name': 'qwen/qwen2.5-7b-instruct'})\n", "# reranker = NvidiaRerankerClient(config={'api_key': os.getenv('NVIDIA_API_KEY'),'model_name': 'nv-rerank-qa-mistral-4b:1'})\n", "reranker = HFRerankerClient()" ] }, { "cell_type": "code", "execution_count": 4, "id": "3bc223d0", "metadata": {}, "outputs": [], "source": [ "prompt_template = \"\"\"\n", "You are a helpful assistant that extracts structured data from web pages.\n", "You will be given a web page and you need to extract the following information:\n", "{content}\n", "\n", "schema: {schema}\n", "Please provide the extracted data in JSON format.\n", "WITH ONLY THE FIELDS THAT ARE IN THE SCHEMA.\n", "\"\"\"" ] }, { "cell_type": "code", "execution_count": 5, "id": "475fccd2", "metadata": {}, "outputs": [], "source": [ "classification_prompt_template = \"\"\"\n", "{\n", " \"title\": {\"type\": \"string\", \"description\": \"Page title\"},\n", " \"price\": {\"type\": \"number\", \"description\": \"Product price\"},\n", " \"description\": {\"type\": \"string\", \"description\": \"Product description\"}\n", "}\n", "\"\"\"" ] }, { "cell_type": "code", "execution_count": 6, "id": "974417de", "metadata": {}, "outputs": [], "source": [ "# classification_prompt_template = \"\"\"\n", "# # HTML Chunk Relevance Classification Prompt\n", "\n", "# You are an HTML content classifier. Your task is to analyze an HTML chunk against a given schema and determine if the content is relevant.\n", "\n", "# ## Instructions:\n", "# 1. Carefully examine the provided HTML chunk\n", "# 2. Compare it against the given schema/criteria\n", "# 3. Determine if the HTML chunk contains content that matches or is relevant to the schema\n", "# 4. Respond with ONLY a JSON object containing a single field \"relevant\" with value 1 (relevant) or 0 (not relevant)\n", "\n", "# ## Input Format:\n", "# **Schema/Criteria:**\n", "# {schema}\n", "\n", "# **HTML Chunk:**\n", "# ```html\n", "# {content}\n", "# ```\n", "\n", "# ## Output Format:\n", "# Your response must be ONLY a valid JSON object with no additional text:\n", "\n", "# ```json\n", "# {{\n", "# \"relevant\": 1\n", "# }}\n", "# ```\n", "\n", "# OR\n", "\n", "# ```json\n", "# {{\n", "# \"relevant\": 0\n", "# }}\n", "# ```\n", "\n", "# ## Classification Rules:\n", "# - Output 1 if the HTML chunk contains content that matches the schema criteria\n", "# - Output 0 if the HTML chunk does not contain relevant content\n", "# - Consider semantic meaning, not just exact keyword matches\n", "# - Look at text content, attributes, structure, and context\n", "# - Ignore purely structural HTML elements (like divs, spans) unless they contain relevant content\n", "# - Be STRICT in your evaluation - only mark as relevant (1) if there is clear, meaningful content that directly relates to the schema\n", "# - Empty elements, placeholder text, navigation menus, headers/footers, and generic UI components should typically be marked as not relevant (0)\n", "# - The HTML chunk does not need to contain ALL schema information, but it must contain SUBSTANTIAL and SPECIFIC content related to the schema\n", "\n", "# CRITICAL: Your entire response MUST be exactly one JSON object. DO NOT include any explanations, reasoning, markdown formatting, code blocks, or additional text. Output ONLY the raw JSON object.\n", "# \"\"\"" ] }, { "cell_type": "code", "execution_count": 7, "id": "58436d65", "metadata": {}, "outputs": [], "source": [ "pre = BasicPreprocessor(config={'keep_tags':True})\n", "# llm = GeminiLLMClient(config={'api_key': os.getenv('GEMINI_API_KEY'),})\n", "# ai = AIExtractor(llm_client=llm ,prompt_template=prompt_template)\n", "ai = LLMClassifierExtractor(reranker=reranker, llm_client=llm, prompt_template=prompt_template, classifier_prompt=classification_prompt_template)\n", "post = PostProcessor()" ] }, { "cell_type": "code", "execution_count": 8, "id": "c1c43f7c", "metadata": {}, "outputs": [], "source": [ "# ai.extract(chunks=[\"the price is $1000\", \"the title is 'NVIDIA H100 SXM'\"])" ] }, { "cell_type": "code", "execution_count": 9, "id": "9c78eec9", "metadata": {}, "outputs": [], "source": [ "pipe = Pipeline(preprocessor=pre, ai_extractor=ai, postprocessor=post)" ] }, { "cell_type": "code", "execution_count": 10, "id": "0b324a01", "metadata": {}, "outputs": [], "source": [ "from pydantic import BaseModel, Field, constr, condecimal\n", "\n", "class ProductModel(BaseModel):\n", " productTitle: constr(min_length=1, max_length=200) = Field(\n", " ...,\n", " title=\"Product Title\",\n", " description=\"The full title of the product\"\n", " )\n", " price: condecimal(gt=0, decimal_places=2) = Field(\n", " ...,\n", " title=\"Product Price\",\n", " description=\"Unit price (must be > 0, two decimal places).\"\n", " )\n", " manufacturer: constr(min_length=1, max_length=1000) = Field(\n", " ...,\n", " title=\"Manufacturer\",\n", " description=\"Name of the product manufacturer.\"\n", " )\n", "\n", " " ] }, { "cell_type": "code", "execution_count": 11, "id": "92a5fc23", "metadata": {}, "outputs": [], "source": [ "config = {\n", " 'keep_tags': True,\n", "}" ] }, { "cell_type": "code", "execution_count": 12, "id": "d2cfb033", "metadata": {}, "outputs": [], "source": [ "url = \"https://www.amazon.com/Instant-Pot-Multi-Use-Programmable-Pressure/dp/B00FLYWNYQ?_encoding=UTF8&content-id=amzn1.sym.2f889ce0-246f-467a-a086-d9a721167240&dib=eyJ2IjoiMSJ9.2EzBddTDEktLY8ckTsraM_cZ6pzKuNkA6y_gLR0-Uz1ekttQU6tuQEcjb8PThy0PfhvxLqeYWh3N7pQrGgRxAWzapVklC_aU6xBzD-3Wwqx3qyQRHsmOhPRsSpeCOIIZqS3SKDowZEPYrGnCbRMt5vxnsYMW-fD-zBbgeoeGYmbsN2U6_HNhLjrpePKCbQPmnZBJ9UhgYE4fE3DVuYm8xlJe9l5GixDLVFtZUq4m5FE.Ol-jiuu9P6mQie0yXLJj-Ht5-TXmIXuRPije85p_YVo&dib_tag=se&keywords=cooker&pd_rd_r=2cede598-f3ae-49ca-8a46-e5945a9c2631&pd_rd_w=2HLSC&pd_rd_wg=ZyUUn&qid=1749508157&sr=8-3\"\n", "schema = ProductModel # pydantic class\n", "\n", "# read html file \n", "# with open(r'C:\\Users\\abdfa\\Desktop\\UNI STUFFING\\GRADUATION PROJECT\\Group Work\\MCP_WEB2JSON\\0000.htm', 'r', encoding='utf-8') as file:\n", "# content = file.read()\n", "\n", "# with open(r'C:\\Users\\abdfa\\Desktop\\UNI STUFFING\\GRADUATION PROJECT\\Group Work\\MCP_WEB2JSON\\Amazon.com_ Instant Pot Duo 7-in-1 Electric Pressure Cooker, Slow Cooker, Rice Cooker, Steamer, Sauté, Yogurt Maker, Warmer & Sterilizer, Includes App With Over 800 Recipes, Stainless Steel, 6 Quart.htm', 'r', encoding='utf-8') as file:\n", "# content = file.read()\n" ] }, { "cell_type": "code", "execution_count": 13, "id": "f07e1aca", "metadata": {}, "outputs": [], "source": [ "# import os\n", "\n", "# content = \"\"\"\n", "# \n", "# \"\"\"\n", "\n", "# from web2json.ai_extractor import HFRerankerClient, LLMClassifierExtractor, NvidiaLLMClient\n", "\n", "# hf_reranker = HFRerankerClient()\n", "# llm_client = NvidiaLLMClient(config={\"api_key\": os.environ.get('NVIDIA_API_KEY')})\n", "# extractor = LLMClassifierExtractor(\n", "# reranker=hf_reranker,\n", "# llm_client=llm_client,\n", "# prompt_template=\"Extract from: {content} using schema: {schema}\",\n", "# classifier_prompt=\"What is the price?\"\n", "# )\n", "\n", "# # Run using HuggingFace reranker\n", "# result = extractor.extract(content=content, schema=schema, hf=True)\n" ] }, { "cell_type": "code", "execution_count": 15, "id": "79cf2321", "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++\n", "Content successfully chunked into 11.\n", "Content successfully chunked: [\"\\n\\n\\n\\nAmazon.com: Instant Pot Duo 7-in-1 Electric Pressure Cooker, Slow Cooker, Rice Cooker, Steamer, Sauté, Yogurt Maker, Warmer & Sterilizer, Includes App With Over 800 Recipes, Stainless Steel, 6 Quart\\n
\\n
\\n
  • Home & Kitchen
  • Kitchen & Dining
  • Small Appliances
  • Rice Cookers
\\n
\", '
\\n
Deal Price Regular Price
\\n
\\n
\\n
\\n
\\n
\\n
\\n
\\n$79.99$79.99
\\n
\\n
\\n
\\n
\\n
\\n
Ships from: Amazon.com
Sold by: Amazon.com
\\n
\\n
\\n
\\n $235.34 Shipping & Import Fees Deposit to Egypt Details

Shipping & Fee Details

\\n
Price $99.95
AmazonGlobal Shipping $81.05
\\n Estimated Import Fees Deposit\\n $154.29
Total $335.29
\\n
\\n
\\n
\\n
Delivery Sunday, July 13. Order within 23 hrs 59 mins
\\n
\\n \\nDeliver to\\xa0Egypt\\n
\\n
\\n
\\n
In Stock
\\n
\\n
This deal is exclusively for Amazon Prime members.
\\n
\\n Join Prime
\\n
Cancel anytime
Already a member? Sign in
\\n
\\n
\\n
\\n
\\n
\\nShips from
\\n
\\n
\\n
\\nAmazon.com
\\n Amazon.com
Ships from
Amazon.com
\\n
\\n
\\n
\\nSold by
\\n
\\n
\\n
\\nAmazon.com
\\n Amazon.com
Sold by
Amazon.com
\\n
\\n
\\n
\\nReturns
\\n
\\n
\\n 30-day refund/replacement
30-day refund/replacement
This item can be returned in its original condition for a full refund or replacement within 30 days of receipt.
Read full return policy
\\n
\\n
\\n
\\nPayment
\\n
\\n
\\n Secure transaction
Your transaction is secure
We work hard to protect your security and privacy. Our payment security system encrypts your information during transmission. We don’t share your credit card details with third-party sellers, and we don’t sell your information to others. Learn more
\\n
\\n
\\n
\\nSupport
\\n
\\n
\\n Product support included
What\\'s Product Support?
In the event your product doesn\\'t work as expected or you need help using it, Amazon offers free product support options such as live phone/chat with an Amazon associate, manufacturer contact information, step-by-step troubleshooting guides, and help videos. \\nBy solving product issues, we help the planet by extending the life of products. Availability of support options differ by product and country. Learn more
\\n
\\n
\\n
\\nPackaging
\\n
\\n
\\n Ships in product packaging
Ships in product packaging

This item has been tested to certify it can ship safely in its original box or bag to avoid unnecessary packaging. Since 2015, we have reduced the weight of outbound packaging per shipment by 41% on average, that’s over 2 million tons of packaging material.

If you still require Amazon packaging for this item, choose \"Ship in Amazon packaging\" at checkout. Learn more
\\n
\\n
See more
\\n
', \"
\\n
\\n
\\nQuantity:1
Buy Now
Enhancements you chose aren't available for this seller. Details
To add the following enhancements to your purchase, choose a different seller.
%cardName%
Add to Cart
$$79.9979.99 \\n ()\\n Includes selected options. Includes initial monthly payment and selected options. \\n Details \\n
Price ($79.99x)
$79.99
Subtotal
$$79.9979.99
Subtotal
Initial payment breakdown
Shipping cost, delivery date, and order total (including tax) shown at checkout.\\n
\", '
\\n
\\n
\\n
\\n
\\nShips from
\\n
\\n
\\n
\\nAmazon.com
\\n Amazon.com
Ships from
Amazon.com
\\n
\\n
\\n
\\nSold by
\\n
\\n
\\n
\\nAmazon.com
\\n Amazon.com
Sold by
Amazon.com
\\n
\\n
\\n
\\nReturns
\\n
\\n
\\n 30-day refund/replacement
30-day refund/replacement
This item can be returned in its original condition for a full refund or replacement within 30 days of receipt.
Read full return policy
\\n
\\n
\\n
\\n
\\n
\\nPackaging
\\n
\\n
\\n Ships in product packaging
Ships in product packaging

This item has been tested to certify it can ship safely in its original box or bag to avoid unnecessary packaging. Since 2015, we have reduced the weight of outbound packaging per shipment by 41% on average, that’s over 2 million tons of packaging material.

If you still require Amazon packaging for this item, choose \"Ship in Amazon packaging\" at checkout. Learn more
\\n
\\n
\\n
\\nPayment
\\n
\\n
\\n Secure transaction
Your transaction is secure
We work hard to protect your security and privacy. Our payment security system encrypts your information during transmission. We don’t share your credit card details with third-party sellers, and we don’t sell your information to others. Learn more
\\n
\\n
\\n
\\nSupport
\\n
\\n
\\n Product support included
What\\'s Product Support?
In the event your product doesn\\'t work as expected or you need help using it, Amazon offers free product support options such as live phone/chat with an Amazon associate, manufacturer contact information, step-by-step troubleshooting guides, and help videos. \\nBy solving product issues, we help the planet by extending the life of products. Availability of support options differ by product and country. Learn more
\\n
\\n
\\n
\\n
See more
\\n
Instant Pot Duo
\\n
\\n
\\n
\\xa0 Report an issue with this product or seller

Product voltage: 120

8K+ bought in past month Brief content visible, double tap to read full content.
Visit the Instant Pot Store \\n
  • 7-IN-1 FUNCTIONALITY: Pressure cook, slow cook, rice cooker, yogurt maker, steamer, sauté pan and food warmer.
  • QUICK ONE-TOUCH COOKING: 13 customizable Smart Programs for pressure cooking ribs, soups, beans, rice, poultry, yogurt, desserts and more.
  • COOK FAST OR SLOW: Pressure cook delicious one-pot meals up to 70% faster than traditional cooking methods or slow cook your favorite traditional recipes – just like grandma used to make.
  • QUICK AND EASY CLEAN UP: Finger-print resistant, stainless-steel sides and dishwasher-safe lid, inner pot, and accessories.
  • SAFETY FEATURES: Includes over 10 safety features, plus overheat protection and safe-locking lid
  • GREAT FOR GROWING FAMILIES: Cook for up to 6 people – perfect for growing families, or meal prepping and batch cooking for singles.
  • VERSATILE INNER COOKING POT: We use food-grade stainless-steel, a tri-ply bottom for more even cooking and perfect for sautéing
  • DISCOVER AMAZING RECIPES: Includes the free Instant Brands Connect App, where you can find new recipes to create quick favorites and prepare delicious meals, available for iOS and Android.
See more product details
Instant Pot RIO, 7-in-1 Electric Multi-Cooker, PressureCooker, SlowCooker, RiceCooker, Steamer, Sauté, Yogurt Maker, & Warmer, Includes App With Over 800 Recipes, 6 Quart $94.95 (2,374) In Stock

\\n Discover similar items

', '

\\n Color \\n \\n Capacity \\n \\n Grade \\n \\n Power \\n \\n Heat Source \\n \\n Material \\n \\n Slow Cooker Type \\n \\n Brand \\n \\n Closure \\n \\n Width \\n \\n Finish \\n \\n Control Type \\n \\n Free From \\n \\n Heating Elements \\n \\n Heating Type \\n \\n Depth \\n \\n Premium Brands \\n \\n Output Wattage \\n \\n Features \\n \\n Uses \\n \\n Inclusions \\n \\n Height \\n \\n Length \\n \\n Lid Material \\n \\n Shape \\n \\n Top Brands in Home & Kitchen \\n \\n Style \\n

\\n
\\n \\nBlack \\n\\n \\nGrey \\n\\n \\nWhite \\n\\n \\nBrown \\n\\n \\nBeige \\n\\n \\nRed \\n\\n \\nPink \\n\\n \\nOrange \\n\\n \\nYellow \\n\\n \\nIvory \\n\\n \\nGreen \\n\\n \\nBlue \\n\\n \\nPurple \\n\\n \\nGold \\n\\n \\nSilver \\n\\n \\nMulti \\n\\n \\nClear \\n\\n \\nStainless Steel \\n
\\n
\\n
\\n \\nBlack\\n\\n \\nGrey\\n\\n Capacity: Up to 2.99 L\\n\\n Capacity: 3 to 4.99 L\\n\\n Grade: Commercial Grade\\n\\n Power: Up to 1499 W\\n\\n Power: 1500 to 1599 W\\n\\n Heat Source: Gas\\n\\n Heat Source: Electric\\n\\n Material: Aluminum\\n\\n Material: Stainless Steel\\n\\n Slow Cooker Type: Manual\\n\\n Slow Cooker Type: Programmable\\n\\n
\\n
', \"
\\n

Deals on related products

Sponsored
Page 1 of 1Start over
Previous page of related Sponsored Products
  1. Feedback
    CHEF iQ Smart Pressure Cooker with WiFi and Built-in Scale - Easy-to-Use 10-in-1 Mu...
    2,645
    With Prime
    -30%$139.98$139.98List Price:$199.99$199.99
  2. Feedback
    Hamilton Beach 3-in-1 Electric Egg Cooker for Hard Boiled Eggs, Poacher Eggs, Omele...
    5,209
    Amazon's\\xa0Choice
    Limited time deal
    -19%$16.98$16.98List:$20.95$20.95
  3. Feedback
    CUCKOO CRP-ST1009FW 10-Cup (Uncooked) / 20-Cup (Cooked) Twin Pressure Rice Cooker &...
    366
    With Prime
    -31%$239.99$239.99List Price:$349.99$349.99
  4. Feedback
    Pizza Oven Indoor, Countertop Electric Pizza Maker 12-inch, 2-minute Pizza, 6 Prese...
    12
    Limited time deal
    -15%$169.99$169.99List:$199.99$199.99
  5. Feedback
    WantJoin Pressure Cooker, 8 Quart Stainless Steel Pressure Canner, Induction Compat...
    947
    Amazon's\\xa0Choice
    Limited time deal
    -10%$80.89$80.89List:$89.99$89.99
  6. Feedback
    CUCKOO CR-0675FW 6-Cup (Uncooked) / 12-Cup (Cooked) Micom Rice Cooker with Nonstick...
    3,644
    Amazon's\\xa0Choice
    With Prime
    -27%$79.99$79.99List Price:$109.99$109.99
  7. Feedback
    CUCKOO CR-0633F | 6-Cup (Uncooked) Micom Rice Cooker | 11 Menu Options: White Rice,...
    2,689
    With Prime
    -31%$89.99$89.99List Price:$129.99$129.99
Next page of related Sponsored Products
\\n

\\n Product information

\", '
Brand Instant Pot
Capacity 5.68 Liters
Material Stainless steel
Finish Type Stainless Steel
Product Dimensions 12.2\"D x 13.38\"W x 12.48\"H
Special Feature Programmable
Wattage 1000 watts
Item Weight 11.8 Pounds
Control Method Touch
Controller Type Push Button
Operation Mode Automatic
Is Dishwasher Safe Yes
Voltage 120 Volts
Closure Type Outer Lid, Inner Lid
UPC 810028585201
Item Weight 11.8 pounds
Manufacturer Instant Pot
ASIN B00FLYWNYQ
Country of Origin China
Item model number 112-0170-01
Customer Reviews
\\n \\n 4.6 4.6 out of 5 stars \\n 130,203 ratings \\n
\\n 4.6 out of 5 stars
Best Sellers Rank
  • #27 in Kitchen & Dining (See Top 100 in Kitchen & Dining)
  • #1 in Electric Pressure Cookers
  • #2 in Rice Cookers
Is Discontinued By Manufacturer No
Date First Available December 2, 2013

Warranty & Support

Other content Manual [PDF ] User Guide Manual [PDF ] Product Warranty: For warranty information about this product, please click here. [PDF ]
Brief content visible, double tap to read full content.
\\nSafety Information (PDF)\\n
\\nUser Manual (PDF)\\n
\\nUser Guide (PDF)\\n

Compare with similar items

\\n

Easy to use, easy to clean, fast, versatile, and convenient, the Instant Pot® Duo™ is the one that started it all. It replaces 7 kitchen appliances: pressure cooker, slow cooker, rice cooker, steamer, sauté pan, yogurt maker & warmer. With 13 built-in smart programs, cook your favorite dishes with the press of a button. The tri-ply, stainless steel inner pot offers quick, even heating performance. Redefine cooking and enjoy quick and easy meals anywhere, any time. The Instant Pot Duo offers the quality, convenience and versatility you’ve come to expect from Instant – discover amazing.

Highly Rated
100K+ customers rate items from this brand highly
Trending
100K+ orders for this brand in past 3 months
Low Returns
Customers usually keep items from this brand
', '
This Item
Buying options
Instant Pot\\xa0Duo 7-in-1 Electric Pressure Cooker, Slow Cooker, Rice Cooker, Steamer, Sauté, Yogurt Maker, Warmer & Sterilizer, Includes App With Over 800 Recipes, Stainless Steel, 6 Quart
PriceDeliveryCustomer RatingsSold Bycapacityoperation modecontrol methodmaterialdishwasher safe
Recommendations
Instant Pot\\xa0Duo Crisp 11-in-1 Air Fryer and Electric Pressure Cooker Combo with Multicooker Lids that Air Fries, Steams, Slow Cooks, Sautés, Dehydrates, & More, Free App With Over 800 Recipes, 6 Quart
carori\\xa0CARORI 9-in-1 Electric Pressure Cooker 6 Qt, Programmable Multi-Function Cooker with Safer Vent, Olla de Presion, Rice Cooker, Slow Cooker, Steamer, Sauté, Warmer & Sterilizer, 1000W, Stainless Steel
Midea\\xa012-in-1 Electric Pressure Cooker, 8 Quarts, 12 Presets, Multi-Functional Programmable Slow Cooker, Rice Cooker, Steamer, Sauté Pan, Yogurt Maker, and More, Stainless Steel

Products related to this item

Sponsored

Similar brands on Amazon

\\n
\\n

Customer reviews

4.6 out of 5 stars
4.6 out of 5
130,203 global ratings
  • 5 star4 star3 star2 star1 star5 star83%10%3%1%3%83%
  • 5 star4 star3 star2 star1 star4 star83%10%3%1%3%10%
  • 5 star4 star3 star2 star1 star3 star83%10%3%1%3%3%
  • 5 star4 star3 star2 star1 star2 star83%10%3%1%3%1%
  • 5 star4 star3 star2 star1 star1 star83%10%3%1%3%3%
How customer reviews and ratings work

Customer Reviews, including Product Star Ratings help customers to learn more about the product and decide whether it is the right product for them.

To calculate the overall star rating and percentage breakdown by star, we don’t use a simple average. Instead, our system considers things like how recent a review is and if the reviewer bought the item on Amazon. It also analyzed reviews to verify trustworthiness.

Learn more how customers reviews work on Amazon
\\n

Review this product

Share your thoughts with other customers
Write a customer review

Customers say

Customers find the pressure cooker works well, particularly praising its sauté feature and accurate cooking times. They appreciate its ease of use, with one customer noting the intuitive controls, and consider it a great kitchen appliance that makes meal prep convenient. The appliance receives positive feedback for its cooking ability, with one customer highlighting its versatility in transforming into a pressure cooker, and customers find it easy to clean with a stainless steel pot that cleans well. Customers enjoy the complex flavors produced, though opinions on build quality are mixed, with some finding it well-made while others describe it as wimpy.

AI Generated from the text of customer reviews

Select to learn more

Works wellEase of useCook timeAppliance qualityCooking abilityEase of cleaningFlavorBuild quality
8,039 customers mention \"Works well\"6,939 positive1,100 negative

Customers find that the pressure cooker works well, with the sauté feature performing particularly effectively.

\"...This works with new potatoes, and regular potatoes! Happy Instant Potting!\" Read more

\"...It was excellent. I did 6 minutes per pound + 2 minutes. I also cook chicken thighs for dinner about once a week, which I had never cooked before....\" Read more

\"...Most programs work just fine on full automatic, but some small exceptions may demand more online flexibility....\" Read more

\"...occasional mishaps, the Instant Pot Duo has consistently delivered incredible results....\" Read more


', '
7,651 customers mention \"Ease of use\"6,666 customers mention \"Cook time\"5,399 customers mention \"Appliance quality\"4,396 customers mention \"Cooking ability\"3,065 customers mention \"Ease of cleaning\"2,827 customers mention \"Flavor\"2,273 customers mention \"Build quality\"6,651 positive1,000 negativeAmazon Customer5 out of 5 starsMoreHide
This has changed the way we eat. It\\'s easier to use than I thought it would be.

Customers find the pressure cooker simple to use, with clear operating instructions in the booklet, making meal preparation a breeze.

\"...make in your Instant Pot that will change your life: incredibly easy perfectly poached eggs in 2-3 minutes, and baked potatoes in 12 minutes....\" Read more

\"...credit as most automatic settings work well, automating it for ease of use and safety. Cooking is part Science, but, I think, more Art than Science....\" Read more

\"...crockpot extensively over the past years and while I appreciate the ease of use and the ability to put a meal on the table soon after I got home in...\" Read more

\"...of pressure cookers anymore, the time , energy bills saved n convenience is worth it!...\" Read more

Sorry we couldn\\'t load the review
Thank you for your feedback
Sorry, there was an error

Reviews with images

\\n View Image Gallery\\n

\\n Top reviews from the United States\\n

There was a problem filtering reviews. Please reload the page.

  • Anne P. Mitchell
  • 5.0 out of 5 stars\\nI LOVE My Instant Pot! But Here\\'s What I Wish I\\'d Known when I First Got It\\n
  • Reviewed in the United States on April 16, 2016
  • Size: 6 QuartsVerified Purchase

  • Read more
  • \\n
    30,251 people found this helpful
    \\n
    \\n\\n Helpful\\n
    \\n
    \\nReport\\n
  • Aundrea
  • 5.0 out of 5 stars\\nThis has changed the way we eat. It\\'s easier to use than I thought it would be.\\n
  • Reviewed in the United States on August 18, 2016
  • \\n
    \\nAundrea\\n
    \\n5.0 out of 5 stars\\n
    \\n This has changed the way we eat. It\\'s easier to use than I thought it would be.\\n
    \\n\\n Reviewed in the United States on August 18, 2016\\n \\n

', \"
  • \\n
    \\n Images in this review\\n
    \\n
    \\n
    5,558 people found this helpful
    \\n
    \\n\\n Helpful\\n
    \\n
    \\n
See more reviews
\\n

\\n Top reviews from other countries\\n

\\n
\\n
Translate all reviews to English\\n
\\n
\\n
  • \\n
    \\n
    Alheny
    5.0 out of 5 stars\\nExcelente\\n
    Reviewed in Mexico on June 4, 2025
    Size: 6 QuartsVerified Purchase
    \\n
    \\nExcelente producto, la recomiendo totalmente, facilita el trabajo en la cocina\\n
    Read more
    \\nReport\\n
    Translate review to English
  • NeuroEmergent
  • 5.0 out of 5 stars\\nA truly Canadian innovation - Instant Pot is the best item in my kitchen, hands down\\n
  • Reviewed in Canada on November 23, 2017
  • Size: 6 QuartsVerified Purchase
  • Read more
  • \\n
    \\n
    NeuroEmergent
    \\n
    \\n5.0 out of 5 stars\\n
    \\n A truly Canadian innovation - Instant Pot is the best item in my kitchen, hands down\\n
    \\n\\n Reviewed in Canada on November 23, 2017\\n \\n

  • \\n
    \\n Images in this review\\n
    \\n
  • \\nReport\\n
  • \\n
    MV
    5.0 out of 5 stars\\n3 Qt Instant Pot. LOVE IT!!!\\n
    Reviewed in Canada on December 25, 2024
    Size: 3 QuartsVerified Purchase
    \\nMy main cooking appliance. Uses only 675 watts max to build pressure, then mostly 0 watts under pressure but occasionally spiking back to 675 watts to keep the pressure. 3 Qts is a great size for 1 or 2 people, or even more depending on what you are cooking. Takes some practice, reading the manual and recipe guide and trial and error to tweak preferred times. It will even boil a pot of water like a kettle, which I tried as a test but forgot to time it. Fantastic appliance for off grid energy efficiency and used far more than the induction hot plate. So far nothing it hasn't cooked. Also extremely safe with the On Off and delay timers and turns off if it were to boil dry, unlike a gas stove which could burn down your house. Can't tell you how I know that. Fantastic for seniors for safety if they can get over all the preset buttons which are not needed anyway and just learn to use the few buttons and functions required to cook almost anything. Highly Recommended.\\n
    Read more
    \\nReport\\n
\", '
  • \\n
    \\n
    Laissan sayab perez
    5.0 out of 5 stars\\nGran inversión para la cocina\\n
    Reviewed in Mexico on March 30, 2025
    Size: 3 QuartsVerified Purchase
    \\nGran inversión para la cocina, soy una persona muy ocupada y me gusta cuidar de mi salud me cocino, pero en los guisos y cocciones de frijoles se consume mucho gas , opté por esta olla que vi, ya hice mi primer caldo de res con verduras quedó la carne muy suave en poco tiempo ⏱️ me encantó, tiene muy buena seguridad para la presión.Lo que me encanta:✔️ Cocina mucho más rápido que una olla convencional.✔️ Tiene varias funciones, desde cocción a presión hasta salteado.✔️ Es segura y fácil de limpiar.Lo que podría mejorar:🔹 La curva de aprendizaje puede ser un poco alta al inicio, pero una vez que entiendes los tiempos y funciones, todo es sencillo.En general, es una excelente compra si quieres ahorrar tiempo en la cocina y hacer recetas deliciosas sin complicaciones. ¡La recomiendo totalmente!\\n
    Read more
    \\n
    \\n
    \\n
    \\n
    \\n
    Laissan
    \\n
    \\n5.0 out of 5 stars\\n
    \\n Gran inversión para la cocina\\n
    \\n\\n Reviewed in Mexico on March 30, 2025\\n \\n
    \\n\\n Gran inversión para la cocina, soy una persona muy ocupada y me gusta cuidar de mi salud me cocino, pero en los guisos y cocciones de frijoles se consume mucho gas , opté por esta olla que vi, ya hice mi primer caldo de res con verduras quedó la carne muy suave en poco tiempo ⏱️ me encantó, tiene muy buena seguridad para la presión.
    Lo que me encanta:✔️ Cocina mucho más rápido que una olla convencional.✔️ Tiene varias funciones, desde cocción a presión hasta salteado.✔️ Es segura y fácil de limpiar.Lo que podría mejorar:🔹 La curva de aprendizaje puede ser un poco alta al inicio, pero una vez que entiendes los tiempos y funciones, todo es sencillo.En general, es una excelente compra si quieres ahorrar tiempo en la cocina y hacer recetas deliciosas sin complicaciones. ¡La recomiendo totalmente!\\n
    \\n
    \\n
    \\n Images in this review\\n
    \\n
    \\n
    \\n
    \\n
    \\n
    \\nReport\\n
    Translate review to English
  • See more reviews
\\nGet to Know Us
Your recently viewed items and featured recommendations
View or edit your browsing history
After viewing product detail pages, look here to find an easy way to navigate back to pages you are interested in.
']\n", "Using Hugging Face reranker for classification.\n", "Scores for passages: [0.6365740895271301, 0.42525428533554077, 0.16477522253990173, 0.33392345905303955, 0.2433975487947464, 0.27956345677375793, 0.3777231276035309, 0.49405714869499207, 0.6539114713668823, 0.5250579714775085, 0.3064478635787964]\n", "top indices: [8, 0, 9]\n", "++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++\n", "Final output: {'productTitle': 'Instant Pot Duo 7-in-1 Electric Pressure Cooker, Slow Cooker, Rice Cooker, Steamer, Sauté, Yogurt Maker, Warmer & Sterilizer, Includes App With Over 800 Recipes, Stainless Steel, 6 Quart', 'price': 'N/A', 'manufacturer': 'Instant Pot'}\n", "++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++\n" ] }, { "data": { "text/plain": [ "{'productTitle': 'Instant Pot Duo 7-in-1 Electric Pressure Cooker, Slow Cooker, Rice Cooker, Steamer, Sauté, Yogurt Maker, Warmer & Sterilizer, Includes App With Over 800 Recipes, Stainless Steel, 6 Quart',\n", " 'price': 'N/A',\n", " 'manufacturer': 'Instant Pot'}" ] }, "execution_count": 15, "metadata": {}, "output_type": "execute_result" } ], "source": [ "pipe.run(content=url,is_url=True, schema=schema, hf=True)" ] }, { "cell_type": "code", "execution_count": null, "id": "371f7a17", "metadata": {}, "outputs": [], "source": [] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.11.8" } }, "nbformat": 4, "nbformat_minor": 5 }