webscrapper / main.py
Arafath10's picture
Update main.py
1d74e32 verified
raw
history blame
4.33 kB
from fastapi import FastAPI, HTTPException
from fastapi.middleware.cors import CORSMiddleware
from scraper import Scraper
#import nest_asyncio
import asyncio
from playwright.async_api import async_playwright
from fastapi import FastAPI
import random
# Allow nested use of asyncio.run() in Jupyter
#nest_asyncio.apply()
try: from pip._internal.operations import freeze
except ImportError: # pip < 10.0
from pip.operations import freeze
pkgs = freeze.freeze()
for pkg in pkgs: print(pkg)
app = FastAPI()
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
import time
@app.get("/get_scraped_data")
async def get_data(url: str):
try:
data = await Scraper.scrape(url)
return data
except:
return {"title": "error", "URL": url, "Content": "none"}
# FastAPI route to scrape the website
@app.get("/scrape")
async def scrape_website(url: str):
async with async_playwright() as p:
# Launch browser in headless mode with custom args to bypass detection
browser = await p.chromium.launch(
headless=True,
args=[
"--disable-blink-features=AutomationControlled", # Disable automation features
"--no-sandbox",
"--disable-dev-shm-usage",
"--disable-web-security",
"--disable-setuid-sandbox",
"--disable-features=IsolateOrigins,site-per-process"
]
)
# Create a new browser context
context = await browser.new_context(
user_agent="Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36"
)
# Set additional headers to mimic real browsing
await context.set_extra_http_headers({
"Accept-Language": "en-US,en;q=0.9",
"Upgrade-Insecure-Requests": "1",
"Referer": "https://www.nasdaq.com"
})
# Create a new page
page = await context.new_page()
# Hide WebDriver and other automation-related properties
await page.add_init_script("""
Object.defineProperty(navigator, 'webdriver', {get: () => undefined});
window.navigator.chrome = { runtime: {} };
Object.defineProperty(navigator, 'plugins', {get: () => [1, 2, 3, 4, 5]});
Object.defineProperty(navigator, 'languages', {get: () => ['en-US', 'en']});
""")
# Block unnecessary resources (images, media, etc.)
await page.route("**/*", lambda route: route.abort() if route.request.resource_type in ["image", "media", "stylesheet", "font", "xhr"] else route.continue_())
try:
# Navigate to the page with random delays
await asyncio.sleep(random.uniform(1, 5)) # Random delay
await page.goto(url, wait_until='domcontentloaded', timeout=60000)
# Randomized mouse movement and scrolling to mimic human interaction
await page.mouse.move(random.uniform(0, 100), random.uniform(0, 100))
await page.mouse.wheel(0, random.uniform(200, 400))
await asyncio.sleep(random.uniform(1, 5)) # Another random delay
# Get the title of the page
title = await page.title()
# Get all links on the page
links = await page.evaluate("""() => {
return Array.from(document.querySelectorAll('a')).map(a => a.href);
}""")
# Get page content (text from paragraphs and headers)
content = await page.evaluate("""() => {
let elements = Array.from(document.querySelectorAll('body *'));
return elements
.filter(element => element.tagName.match(/^(P|H1|H2|H3|H4|H5|H6|LI|DIV|SPAN)$/i) && element.innerText.trim().length > 0)
.map(element => element.innerText.trim())
.join('\\n');
}""")
# Close the browser
await browser.close()
return {
"title": title,
"links": links,
"content": content
}
except Exception as e:
return {"error": str(e)}