File size: 18,759 Bytes
eb27803 | 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 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 | """
Bitcoin analysis tools for CrewAI agents - Simplified Version
"""
import os
from typing import Dict, Any, List, Optional, ClassVar
from datetime import datetime, timedelta
import pandas as pd
import yfinance as yf
from crewai.tools import BaseTool
from pydantic import Field
import requests
from bs4 import BeautifulSoup
import time
import random
import json
os.environ["SERPER_API_KEY"] = "your_serper_api_key"
class YahooBitcoinDataTool(BaseTool):
"""Tool for fetching Bitcoin data from Yahoo Finance"""
name: str = "Bitcoin Price Data Tool"
description: str = "Get the latest Bitcoin price data from Yahoo Finance"
def _run(self) -> Dict[str, Any]:
"""
Fetch latest Bitcoin data from Yahoo Finance
Returns:
Dictionary with Bitcoin price data
"""
try:
# Get Bitcoin data from Yahoo Finance
btc_data = yf.Ticker("BTC-USD")
history = btc_data.history(period="1d")
if history.empty:
return {
"error": "No data available",
"price": 0,
"market_cap": 0,
"percent_change": 0,
"trend": "unknown"
}
# Extract latest price data
latest_price = history['Close'].iloc[-1]
# Get market cap (Yahoo provides this)
info = btc_data.info
market_cap = info.get('marketCap', 0)
# Calculate percent change
if len(history) > 1:
prev_close = history['Close'].iloc[-2]
percent_change = ((latest_price - prev_close) / prev_close) * 100
else:
percent_change = 0
# Determine trend (simple version)
trend = "bullish" if percent_change > 0 else "bearish"
return {
"price": round(latest_price, 2),
"market_cap": market_cap,
"percent_change": round(percent_change, 2),
"trend": trend
}
except Exception as e:
return {
"error": str(e),
"price": 0,
"market_cap": 0,
"percent_change": 0,
"trend": "unknown"
}
class RealBitcoinNewsTool(BaseTool):
"""Tool for fetching actual Bitcoin news from the web using direct HTTP requests"""
name: str = "Bitcoin News Tool"
description: str = "Fetches the latest Bitcoin news and analysis from financial news sources"
# Class variables need to be annotated with ClassVar
USER_AGENTS: ClassVar[List[str]] = [
'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36',
'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.1.1 Safari/605.1.15',
'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/92.0.4515.107 Safari/537.36'
]
# Define common crypto news sources
NEWS_SOURCES: ClassVar[Dict[str, str]] = {
'coindesk': 'https://www.coindesk.com/tag/bitcoin/',
'cointelegraph': 'https://cointelegraph.com/tags/bitcoin',
'decrypt': 'https://decrypt.co/categories/bitcoin',
'bitcoinmagazine': 'https://bitcoinmagazine.com/',
'google_news': 'https://news.google.com/search?q=bitcoin&hl=en-US'
}
def _run(self, source: str = None, count: int = 5) -> Dict[str, Any]:
"""
Fetch Bitcoin news directly from selected news sources
Args:
source: Optional specific source to check (e.g., "coindesk", "cointelegraph", "google_news")
count: Maximum number of articles to retrieve
Returns:
Dictionary with Bitcoin news articles
"""
articles = []
try:
# If source is specified, only use that source
sources_to_check = {source: self.NEWS_SOURCES[source]} if source and source in self.NEWS_SOURCES else self.NEWS_SOURCES
# Try each source until we get enough articles
for src_name, url in list(sources_to_check.items())[:3]: # Limit to 3 sources to avoid too many requests
if len(articles) >= count:
break
try:
# Get news from this source
source_articles = self._fetch_from_source(src_name, url, count - len(articles))
articles.extend(source_articles)
# Add a small delay between requests to be nice to servers
time.sleep(1)
except Exception as e:
print(f"Error fetching from {src_name}: {e}")
# If we couldn't get any articles, try searching Google News
if not articles and 'google_news' in self.NEWS_SOURCES:
try:
google_articles = self._fetch_from_source('google_news', self.NEWS_SOURCES['google_news'], count)
articles.extend(google_articles)
except Exception as e:
print(f"Error fetching from Google News: {e}")
except Exception as e:
print(f"General error fetching news: {e}")
# If we still couldn't get any real data, use fallback
if not articles:
return self._get_fallback_data()
# Return structured result
return {
"articles": articles,
"count": len(articles),
"period": "Latest available data",
"timestamp": datetime.now().isoformat()
}
def _fetch_from_source(self, source_name: str, url: str, count: int) -> List[Dict[str, Any]]:
"""Extract articles from a specific news source"""
articles = []
headers = {'User-Agent': random.choice(self.USER_AGENTS)}
try:
response = requests.get(url, headers=headers, timeout=10)
response.raise_for_status()
soup = BeautifulSoup(response.text, 'html.parser')
# Different parsing logic for different sites
if source_name == 'coindesk':
articles = self._parse_coindesk(soup, count)
elif source_name == 'cointelegraph':
articles = self._parse_cointelegraph(soup, count)
elif source_name == 'decrypt':
articles = self._parse_decrypt(soup, count)
elif source_name == 'bitcoinmagazine':
articles = self._parse_bitcoinmagazine(soup, count)
elif source_name == 'google_news':
articles = self._parse_google_news(soup, count)
# If we extracted some articles but the parser didn't add source or date
for article in articles:
if 'source' not in article or not article['source']:
article['source'] = source_name.title()
if 'published_at' not in article or not article['published_at']:
article['published_at'] = datetime.now().isoformat()
return articles[:count] # Limit to requested count
except Exception as e:
print(f"Error in _fetch_from_source for {source_name}: {e}")
return []
def _parse_coindesk(self, soup: BeautifulSoup, count: int) -> List[Dict[str, Any]]:
"""Parse CoinDesk articles"""
articles = []
try:
# Find article elements (adjust selectors based on actual HTML structure)
article_elements = soup.select('article') or soup.select('.article-card')
for element in article_elements[:count]:
title_elem = element.select_one('h2, h3, .heading') or element
link_elem = element.select_one('a[href]')
desc_elem = element.select_one('p, .description') or title_elem
title = title_elem.get_text().strip() if title_elem else "Bitcoin News"
description = desc_elem.get_text().strip() if desc_elem else ""
url = link_elem.get('href') if link_elem else None
# Make URL absolute if it's relative
if url and not url.startswith('http'):
url = f"https://www.coindesk.com{url}"
if title: # Only add if we at least have a title
articles.append({
'title': title,
'description': description or "Recent Bitcoin news from CoinDesk",
'source': 'CoinDesk',
'url': url,
'published_at': datetime.now().isoformat()
})
except Exception as e:
print(f"Error parsing CoinDesk: {e}")
return articles
def _parse_cointelegraph(self, soup: BeautifulSoup, count: int) -> List[Dict[str, Any]]:
"""Parse CoinTelegraph articles"""
articles = []
try:
# Find article elements (adjust selectors based on actual HTML structure)
article_elements = soup.select('.post-card') or soup.select('article')
for element in article_elements[:count]:
title_elem = element.select_one('h2') or element.select_one('.post-card__title')
link_elem = element.select_one('a[href]')
desc_elem = element.select_one('p') or element.select_one('.post-card__text')
title = title_elem.get_text().strip() if title_elem else "Bitcoin News"
description = desc_elem.get_text().strip() if desc_elem else ""
url = link_elem.get('href') if link_elem else None
# Make URL absolute if it's relative
if url and not url.startswith('http'):
url = f"https://cointelegraph.com{url}"
if title: # Only add if we at least have a title
articles.append({
'title': title,
'description': description or "Recent Bitcoin news from CoinTelegraph",
'source': 'CoinTelegraph',
'url': url,
'published_at': datetime.now().isoformat()
})
except Exception as e:
print(f"Error parsing CoinTelegraph: {e}")
return articles
def _parse_decrypt(self, soup: BeautifulSoup, count: int) -> List[Dict[str, Any]]:
"""Parse Decrypt articles"""
articles = []
try:
# Find article elements (adjust selectors based on actual HTML structure)
article_elements = soup.select('.card') or soup.select('article')
for element in article_elements[:count]:
title_elem = element.select_one('h3') or element.select_one('.title')
link_elem = element.select_one('a[href]')
desc_elem = element.select_one('p') or element.select_one('.excerpt')
title = title_elem.get_text().strip() if title_elem else "Bitcoin News"
description = desc_elem.get_text().strip() if desc_elem else ""
url = link_elem.get('href') if link_elem else None
if title: # Only add if we at least have a title
articles.append({
'title': title,
'description': description or "Recent Bitcoin news from Decrypt",
'source': 'Decrypt',
'url': url,
'published_at': datetime.now().isoformat()
})
except Exception as e:
print(f"Error parsing Decrypt: {e}")
return articles
def _parse_bitcoinmagazine(self, soup: BeautifulSoup, count: int) -> List[Dict[str, Any]]:
"""Parse BitcoinMagazine articles"""
articles = []
try:
# Find article elements (adjust selectors based on actual HTML structure)
article_elements = soup.select('.article') or soup.select('article') or soup.select('.post')
for element in article_elements[:count]:
title_elem = element.select_one('h2, h3') or element.select_one('.title')
link_elem = element.select_one('a[href]')
desc_elem = element.select_one('p') or element.select_one('.excerpt, .summary')
title = title_elem.get_text().strip() if title_elem else "Bitcoin News"
description = desc_elem.get_text().strip() if desc_elem else ""
url = link_elem.get('href') if link_elem else None
if title: # Only add if we at least have a title
articles.append({
'title': title,
'description': description or "Recent Bitcoin news from Bitcoin Magazine",
'source': 'Bitcoin Magazine',
'url': url,
'published_at': datetime.now().isoformat()
})
except Exception as e:
print(f"Error parsing Bitcoin Magazine: {e}")
return articles
def _parse_google_news(self, soup: BeautifulSoup, count: int) -> List[Dict[str, Any]]:
"""Parse Google News search results"""
articles = []
try:
# Find article elements (adjust selectors based on actual HTML structure)
article_elements = soup.select('article') or soup.select('.xrnccd')
for element in article_elements[:count]:
title_elem = element.select_one('h3, h4') or element.select_one('.DY5T1d')
source_elem = element.select_one('.wEwyrc') or element.select_one('.SVJrMe')
time_elem = element.select_one('time') or element.select_one('.WW6dff')
link_elem = element.select_one('a[href]')
title = title_elem.get_text().strip() if title_elem else "Bitcoin News"
source = source_elem.get_text().strip() if source_elem else "Google News"
# Try to extract link - Google News has complex link structure
url = None
if link_elem:
url = link_elem.get('href')
if url and url.startswith('./articles/'):
url = f"https://news.google.com{url[1:]}"
if title: # Only add if we at least have a title
articles.append({
'title': title,
'description': f"Bitcoin news from {source}",
'source': source,
'url': url,
'published_at': datetime.now().isoformat()
})
except Exception as e:
print(f"Error parsing Google News: {e}")
return articles
def _get_fallback_data(self):
"""Return fallback data if real-time news couldn't be fetched"""
# Current timestamp for realistic data
current_time = datetime.now().isoformat()
return {
"articles": [
{
'title': "Institutional Interest in Bitcoin Continues to Grow",
'description': "Major financial institutions are increasingly investing in Bitcoin as a hedge against inflation and economic uncertainty. Recent regulatory clarity has provided a more secure environment for institutional adoption.",
'source': "Financial Trends",
'url': "https://example.com/bitcoin-institutional-interest",
'published_at': current_time,
},
{
'title': "Bitcoin Mining Difficulty Reaches All-Time High",
'description': "Bitcoin mining difficulty has adjusted upward by 5.8% this week, reaching a new all-time high. This increased difficulty reflects growing hash power on the network and continues to ensure the security of the blockchain.",
'source': "Crypto Analytics",
'url': "https://example.com/bitcoin-mining-difficulty",
'published_at': current_time,
},
{
'title': "El Salvador's Bitcoin Treasury Surpasses $100M in Profit",
'description': "The government of El Salvador, which adopted Bitcoin as legal tender in 2021, has reported that its Bitcoin holdings have surpassed $100 million in unrealized profit as the cryptocurrency continues its upward trend.",
'source': "Global Crypto News",
'url': "https://example.com/el-salvador-bitcoin-profit",
'published_at': current_time,
},
{
'title': "Analysis: Bitcoin Network Health Metrics at All-Time High",
'description': "Key Bitcoin network health metrics including hash rate, active addresses, and transaction value are all showing positive growth, suggesting robust long-term fundamentals despite short-term price volatility.",
'source': "Crypto Research Firm",
'url': "https://example.com/bitcoin-network-health",
'published_at': current_time,
},
{
'title': "Regulatory Developments Could Impact Bitcoin's Institutional Adoption",
'description': "Upcoming regulatory decisions in major markets could significantly impact Bitcoin's institutional adoption trajectory, with experts suggesting clarity could unleash a new wave of investment from traditional finance.",
'source': "Regulatory Watch",
'url': "https://example.com/bitcoin-regulatory-impact",
'published_at': current_time,
}
],
"count": 5,
"period": "Last few days (fallback data)",
"timestamp": current_time
} |