Spaces:
Runtime error
Runtime error
File size: 7,150 Bytes
7e02cc7 |
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 |
from pydantic import BaseModel
from datetime import datetime, timedelta
import yfinance as yf
from langchain.prompts import MessagesPlaceholder, ChatPromptTemplate, HumanMessagePromptTemplate, PromptTemplate, AIMessagePromptTemplate
from pydantic import BaseModel, Field
from langchain.tools import BaseTool
from typing import Optional, Type
from typing import List
from functools import lru_cache
@lru_cache()
def get_stock_price(symbol):
ticker = yf.Ticker(symbol)
todays_data = ticker.history(period='1d')
price = round(todays_data['Close'][0], 2)
currency = ticker.info['currency']
return price, currency
@lru_cache()
def get_stock_data_yahoo(ticker):
stock = yf.Ticker(ticker)
data = stock.history(period="1y")
return data
@lru_cache()
def get_company_profile_yahoo(ticker):
stock = yf.Ticker(ticker)
info = stock.info
profile = {
"name": info.get("shortName"),
"sector": info.get("sector"),
"industry": info.get("industry"),
"marketCap": info.get("marketCap"),
"website": info.get("website"),
"description": info.get("longBusinessSummary"),
}
return profile
@lru_cache()
def get_company_news_yahoo(ticker):
stock = yf.Ticker(ticker)
news = stock.news
return news
@lru_cache()
def get_price_change_percent(symbol, days_ago):
ticker = yf.Ticker(symbol)
end_date = datetime.now()
start_date = end_date - timedelta(days=days_ago)
# Convert dates to string format that yfinance can accept
start_date = start_date.strftime('%Y-%m-%d')
end_date = end_date.strftime('%Y-%m-%d')
historical_data = ticker.history(start=start_date, end=end_date)
old_price = historical_data['Close'].iloc[0]
new_price = historical_data['Close'].iloc[-1]
percent_change = ((new_price - old_price) / old_price) * 100
return round(percent_change, 2)
@lru_cache()
def calculate_performance(symbol, days_ago):
ticker = yf.Ticker(symbol)
end_date = datetime.now()
start_date = end_date - timedelta(days=days_ago)
start_date = start_date.strftime('%Y-%m-%d')
end_date = end_date.strftime('%Y-%m-%d')
historical_data = ticker.history(start=start_date, end=end_date)
old_price = historical_data['Close'].iloc[0]
new_price = historical_data['Close'].iloc[-1]
percent_change = ((new_price - old_price) / old_price) * 100
return round(percent_change, 2)
@lru_cache()
def get_best_performing(stocks, days_ago):
best_stock = None
best_performance = None
for stock in stocks:
try:
performance = calculate_performance(stock, days_ago)
if best_performance is None or performance > best_performance:
best_stock = stock
best_performance = performance
except Exception as e:
print(f"Could not calculate performance for {stock}: {e}")
return best_stock, best_performance
class StockPriceCheckInput(BaseModel):
"""Input for Stock price check."""
stockticker: str = Field(..., description="Ticker symbol for stock or index")
class StockPriceTool(BaseTool):
name = "get_stock_ticker_price"
description = "Useful for when you need to find out the price of the stock today. You should input the stock ticker used on the yfinance API"
def _run(self, stockticker: str):
# print("i'm running")
price_response, currency = get_stock_price(stockticker)
return f"{currency} {price_response}"
def _arun(self, stockticker: str):
raise NotImplementedError("This tool does not support async")
args_schema: Optional[Type[BaseModel]] = StockPriceCheckInput
class PrevYearStockTool(BaseTool):
name = "get_past_year_stock_data"
description = "Useful for when you need to find out the past 1 year performance of a stock. You should input the stock ticker used on the yfinance API"
def _run(self, stockticker: str):
price_response = get_stock_data_yahoo(stockticker)
return price_response
def _arun(self, stockticker: str):
raise NotImplementedError("This tool does not support async")
args_schema: Optional[Type[BaseModel]] = StockPriceCheckInput
class StockNewsTool(BaseTool):
name = "get_news_about_stock"
description = "Useful for when you need recent news related to a stock. You should input the stock ticker used on the yfinance API"
def _run(self, stockticker: str):
price_response = get_company_news_yahoo(stockticker)
return price_response
def _arun(self, stockticker: str):
raise NotImplementedError("This tool does not support async")
args_schema: Optional[Type[BaseModel]] = StockPriceCheckInput
class StockProfileTool(BaseTool):
name = "get_profile_of_stock"
description = "Useful for when you need details or profile of a stock. You should input the stock ticker used on the yfinance API"
def _run(self, stockticker: str):
price_response = get_company_profile_yahoo(stockticker)
return price_response
def _arun(self, stockticker: str):
raise NotImplementedError("This tool does not support async")
args_schema: Optional[Type[BaseModel]] = StockPriceCheckInput
class StockChangePercentageCheckInput(BaseModel):
"""Input for Stock ticker check. for percentage check"""
stockticker: str = Field(..., description="Ticker symbol for stock or index")
days_ago: int = Field(..., description="Int number of days to look back")
class StockPercentageChangeTool(BaseTool):
name = "get_price_change_percent"
description = "Useful for when you need to find out the performance or percentage change in a stock's value. You should input the stock ticker used on the yfinance API and also input the number of days to check the change over"
def _run(self, stockticker: str, days_ago: int):
price_change_response = get_price_change_percent(stockticker, days_ago)
return price_change_response
def _arun(self, stockticker: str, days_ago: int):
raise NotImplementedError("This tool does not support async")
args_schema: Optional[Type[BaseModel]] = StockChangePercentageCheckInput
class StockBestPerformingInput(BaseModel):
"""Input for Stock ticker check. for percentage check"""
stocktickers: List[str] = Field(..., description="Ticker symbols for stocks or indices")
days_ago: int = Field(..., description="Int number of days to look back")
class StockGetBestPerformingTool(BaseTool):
name = "get_best_performing"
description = "Useful for when you need to the performance of multiple stocks over a period. You should input a list of stock tickers used on the yfinance API and also input the number of days to check the change over"
def _run(self, stocktickers: List[str], days_ago: int):
price_change_response = get_best_performing(stocktickers, days_ago)
return price_change_response
def _arun(self, stockticker: List[str], days_ago: int):
raise NotImplementedError("This tool does not support async")
args_schema: Optional[Type[BaseModel]] = StockBestPerformingInput
|