Spaces:
Runtime error
Runtime error
File size: 8,959 Bytes
10aaa36 6e6128e f22964e 164f0a5 c811f89 496defd 394c6d9 496defd 7fae359 496defd 7fae359 97fc579 7fae359 e7a834d 496defd 7fae359 778f8f1 7fae359 496defd 7fae359 b3b63d8 09dd92c 496defd 09dd92c 496defd 7fae359 496defd 09dd92c 7fae359 496defd 09dd92c b3b63d8 496defd 6e6128e 496defd fe81e0b 496defd 6e6128e 496defd 2a8d7ab 496defd 2ec849e 496defd 2ec849e 55f620f 496defd c811f89 496defd c811f89 496defd c811f89 496defd c811f89 496defd c3f6567 7fae359 496defd 7fae359 496defd c3f6567 496defd 7fae359 496defd 09095fe 496defd 09095fe 496defd 09095fe 7fae359 09095fe 496defd 09095fe 496defd 09095fe c811f89 1a26043 496defd 7fae359 496defd 2ec849e 496defd 7fae359 496defd 6e6128e 09095fe |
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 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 |
import asyncio
import gradio as gr
import logging
import os
import requests
from bs4 import BeautifulSoup
from datetime import datetime
from pytz import timezone
from typing import List, Dict, Any
from sqlalchemy.exc import SQLAlchemyError
from sqlalchemy.ext.asyncio import create_async_engine, AsyncSession
from sqlalchemy.future import select
from sqlalchemy.orm import sessionmaker
from dotenv import load_dotenv
from pydantic_settings import BaseSettings
# --- Configuration ---
load_dotenv()
class Settings(BaseSettings):
# Database settings
DB_HOST: str
DB_USER: str
DB_PASSWORD: str
DB_NAME: str
DB_TYPE: str = "mysql" # Default value
DB_PORT: int = 3306 # Default value
# API and storage settings
CHATBOT_API_KEY: str
RSS_FEED_URL: str
STORAGE_LOCATION: str = "data" # Default value
class Config:
env_file = ".env"
case_sensitive = False
# --- Database Model ---
class Article:
def __init__(self, title, url, content, timestamp):
self.title = title
self.url = url
self.content = content
self.timestamp = timestamp
# --- Global Variables ---
settings = Settings()
db_session = None
engine = None
monitoring_task = None
logger = logging.getLogger(__name__)
logger.setLevel(logging.DEBUG)
# --- Database Connection ---
def get_db_url() -> str:
if settings.DB_TYPE == "mysql":
return f"mysql+aiomysql://{settings.DB_USER}:{settings.DB_PASSWORD}@{settings.DB_HOST}:{settings.DB_PORT}/{settings.DB_NAME}"
elif settings.DB_TYPE == "postgresql":
return f"postgresql+asyncpg://{settings.DB_USER}:{settings.DB_PASSWORD}@{settings.DB_HOST}:{settings.DB_PORT}/{settings.DB_NAME}"
else:
return "sqlite+aiosqlite:///default.db"
async def set_db_connection():
global db_session, engine
try:
db_url = get_db_url()
engine = create_async_engine(db_url, echo=False)
async_session_maker = sessionmaker(engine, class_=AsyncSession, expire_on_commit=False)
db_session = async_session_maker()
logger.info("Database connection established.")
return "Database connection established."
except Exception as e:
logger.error(f"Failed to establish database connection: {e}")
return f"Failed to connect to database: {e}"
# --- Website Monitoring ---
async def start_monitoring(urls: List[str], storage_loc: str, feed_enabled: bool):
while True:
for url in urls:
try:
content = await scrape_website(url)
analysis = await analyze_website_content(content)
await store_data(url, content, analysis)
if feed_enabled:
await update_feed_content()
except Exception as e:
logger.error(f"Error monitoring website {url}: {e}")
await asyncio.sleep(300) # Check every 5 minutes
async def store_data(url: str, content: str, analysis: Dict[str, Any]):
try:
async with db_session as session:
article = Article(
title=f"Change on {url}",
url=url,
content=content,
timestamp=datetime.now(timezone("UTC")),
)
session.add(article)
await session.commit()
except Exception as e:
logger.error(f"Error storing data: {e}")
async def update_feed_content():
try:
async with db_session as session:
articles = await session.execute(select(Article))
feed_content = []
for article in articles.scalars():
feed_content.append({
"title": article.title,
"url": article.url,
"content": article.content,
"timestamp": article.timestamp,
})
return feed_content
except Exception as e:
logger.error(f"Error updating feed content: {e}")
return []
# --- Website Scraping and Analysis ---
async def scrape_website(url: str) -> str:
try:
response = requests.get(url)
response.raise_for_status()
soup = BeautifulSoup(response.text, "html.parser")
return soup.get_text()
except requests.exceptions.RequestException as e:
logger.error(f"Error scraping website {url}: {e}")
return ""
async def analyze_website_content(content: str) -> Dict[str, Any]:
try:
sentiment = "Positive" if content.count("good") > content.count("bad") else "Negative"
return {"sentiment": sentiment}
except Exception as e:
logger.error(f"Error analyzing website content: {e}")
return {}
# --- Chatbot Integration ---
async def chatbot_response(message: str, chat_history: List[Dict[str, str]]) -> List[Dict[str, str]]:
try:
if not settings.CHATBOT_API_KEY:
raise ValueError("Chatbot API key is not set.")
response = requests.post(
"https://your-chatbot-api.com/chat",
json={"message": message, "api_key": settings.CHATBOT_API_KEY},
)
response.raise_for_status()
bot_response = response.json()["response"]
chat_history.append({"role": "user", "content": message})
chat_history.append({"role": "bot", "content": bot_response})
return chat_history, ""
except Exception as e:
logger.error(f"Error calling chatbot API: {e}")
chat_history.append({"role": "bot", "content": "Sorry, I'm having trouble responding right now."})
return chat_history, ""
# --- Database Status ---
async def update_db_status():
if db_session and engine:
try:
await db_session.execute(select(1))
return "Database connection is active."
except SQLAlchemyError as e:
return f"Database error: {e}"
return "Database connection not established."
# --- Gradio UI ---
async def main():
demo = gr.Blocks()
with demo:
gr.Markdown("# Website Monitor and Chatbot")
with gr.Row():
with gr.Column():
gr.Markdown("## Database Settings")
db_status_textbox = gr.Textbox(label="Database Status", interactive=False)
status_text = gr.Textbox(label="Status", interactive=False)
gr.Markdown("## RSS Feed Reader Settings")
view_button = gr.Button("View Feed")
target_urls = gr.Textbox(label="Target URLs (comma-separated)",
placeholder="https://example.com, https://another-site.com")
feed_rss_checkbox = gr.Checkbox(label="Enable RSS Feed")
start_button = gr.Button("Start Monitoring")
stop_button = gr.Button("Stop Monitoring")
with gr.Column():
feed_content = gr.JSON(label="RSS Feed Content")
chatbot_interface = gr.Chatbot(type="messages")
message_input = gr.Textbox(placeholder="Type your message here...")
send_button = gr.Button("Send")
scrape_button = gr.Button("Scrape Website")
analyze_button = gr.Button("Analyze Website Content")
scrape_output = gr.Textbox(label="Scraped Website Content", interactive=False)
analyze_output = gr.JSON(label="Website Content Analysis")
# --- Button Actions ---
async def on_start_click(target_urls_str: str, feed_enabled: bool):
urls = [url.strip() for url in target_urls_str.split(",")]
await set_db_connection()
global monitoring_task
monitoring_task = asyncio.create_task(
start_monitoring(urls, settings.STORAGE_LOCATION, feed_enabled)
)
return "Monitoring started."
async def on_stop_click():
global monitoring_task
if monitoring_task:
monitoring_task.cancel()
monitoring_task = None
return "Monitoring stopped."
start_button.click(
fn=on_start_click,
inputs=[target_urls, feed_rss_checkbox],
outputs=[status_text],
)
stop_button.click(fn=on_stop_click, outputs=[status_text])
view_button.click(fn=update_feed_content, outputs=[feed_content])
scrape_button.click(fn=scrape_website, inputs=[target_urls], outputs=[scrape_output])
analyze_button.click(fn=analyze_website_content, inputs=[scrape_output], outputs=[analyze_output])
send_button.click(
fn=chatbot_response,
inputs=[message_input, chatbot_interface],
outputs=[chatbot_interface, message_input],
)
# --- Periodic Updates ---
demo.load(fn=update_db_status, outputs=[db_status_textbox])
# --- Launch Gradio ---
await demo.launch()
if __name__ == "__main__":
asyncio.run(main()) |