update cronjob

This commit is contained in:
MuslemRahimi 2025-01-04 21:25:12 +01:00
parent 738a0d28ad
commit 402af9715f
2 changed files with 155 additions and 95 deletions

View File

@ -11,14 +11,37 @@ api_key = os.getenv('FMP_API_KEY')
# Configurations # Configurations
include_current_quarter = False include_current_quarter = False
max_concurrent_requests = 100 # Limit concurrent requests max_concurrent_requests = 100
async def fetch_data(session, url, symbol, attempt=0): class RateLimiter:
def __init__(self, max_requests, time_window):
self.max_requests = max_requests
self.time_window = time_window
self.requests = 0
self.last_reset = asyncio.get_event_loop().time()
async def acquire(self):
current_time = asyncio.get_event_loop().time()
if current_time - self.last_reset >= self.time_window:
self.requests = 0
self.last_reset = current_time
if self.requests >= self.max_requests:
wait_time = self.time_window - (current_time - self.last_reset)
if wait_time > 0:
print(f"\nRate limit reached. Waiting {wait_time:.2f} seconds...")
await asyncio.sleep(wait_time)
self.requests = 0
self.last_reset = asyncio.get_event_loop().time()
self.requests += 1
async def fetch_data(session, url, symbol, rate_limiter):
await rate_limiter.acquire()
try: try:
async with session.get(url) as response: async with session.get(url) as response:
if response.status == 200: if response.status == 200:
data = await response.json() return await response.json()
return data
else: else:
print(f"Error fetching data for {symbol}: HTTP {response.status}") print(f"Error fetching data for {symbol}: HTTP {response.status}")
return None return None
@ -31,7 +54,6 @@ async def save_json(symbol, period, data_type, data):
with open(f"json/financial-statements/{data_type}/{period}/{symbol}.json", 'w') as file: with open(f"json/financial-statements/{data_type}/{period}/{symbol}.json", 'w') as file:
ujson.dump(data, file) ujson.dump(data, file)
async def calculate_margins(symbol): async def calculate_margins(symbol):
for period in ['annual', 'quarter']: for period in ['annual', 'quarter']:
try: try:
@ -49,39 +71,35 @@ async def calculate_margins(symbol):
ratios_path = f"json/financial-statements/ratios/{period}/{symbol}.json" ratios_path = f"json/financial-statements/ratios/{period}/{symbol}.json"
with open(ratios_path, "r") as file: with open(ratios_path, "r") as file:
ratio_data = ujson.load(file) ratio_data = ujson.load(file)
# Ensure all datasets are available and iterate through the items
if income_data and cash_flow_data and ratio_data: if income_data and cash_flow_data and ratio_data:
for ratio_item, income_item, cash_flow_item in zip(ratio_data, income_data, cash_flow_data): for ratio_item, income_item, cash_flow_item in zip(ratio_data, income_data, cash_flow_data):
# Extract required data
revenue = income_item.get('revenue', 0) revenue = income_item.get('revenue', 0)
ebitda = income_item.get('ebitda',0) ebitda = income_item.get('ebitda', 0)
free_cash_flow = cash_flow_item.get('freeCashFlow', 0) free_cash_flow = cash_flow_item.get('freeCashFlow', 0)
# Calculate freeCashFlowMargin if data is valid if revenue != 0:
if revenue != 0: # Avoid division by zero
ratio_item['freeCashFlowMargin'] = round((free_cash_flow / revenue) * 100, 2) ratio_item['freeCashFlowMargin'] = round((free_cash_flow / revenue) * 100, 2)
ratio_item['ebitdaMargin'] = round((ebitda / revenue) * 100,2) ratio_item['ebitdaMargin'] = round((ebitda / revenue) * 100, 2)
ratio_item['grossProfitMargin'] = round(ratio_item['grossProfitMargin']*100,2) ratio_item['grossProfitMargin'] = round(ratio_item['grossProfitMargin'] * 100, 2)
ratio_item['operatingProfitMargin'] = round(ratio_item['operatingProfitMargin']*100,2) ratio_item['operatingProfitMargin'] = round(ratio_item['operatingProfitMargin'] * 100, 2)
ratio_item['pretaxProfitMargin'] = round(ratio_item['pretaxProfitMargin']*100,2) ratio_item['pretaxProfitMargin'] = round(ratio_item['pretaxProfitMargin'] * 100, 2)
ratio_item['netProfitMargin'] = round(ratio_item['netProfitMargin']*100,2) ratio_item['netProfitMargin'] = round(ratio_item['netProfitMargin'] * 100, 2)
else: else:
ratio_item['freeCashFlowMargin'] = None # Handle missing or zero revenue ratio_item['freeCashFlowMargin'] = None
ratio_item['ebitdaMargin'] = None ratio_item['ebitdaMargin'] = None
ratio_item['grossProfitMargin'] = None ratio_item['grossProfitMargin'] = None
ratio_item['operatingProfitMargin'] = None ratio_item['operatingProfitMargin'] = None
ratio_item['pretaxProfitMargin'] = None ratio_item['pretaxProfitMargin'] = None
ratio_item['netProfitMargin'] = None ratio_item['netProfitMargin'] = None
# Save the updated ratios data back to the JSON file
with open(ratios_path, "w") as file: with open(ratios_path, "w") as file:
ujson.dump(ratio_data,file) ujson.dump(ratio_data, file)
except Exception as e: except Exception as e:
print(e) print(f"Error calculating margins for {symbol}: {e}")
async def get_financial_statements(session, symbol, semaphore, request_counter): async def get_financial_statements(session, symbol, semaphore, rate_limiter):
base_url = "https://financialmodelingprep.com/api/v3" base_url = "https://financialmodelingprep.com/api/v3"
periods = ['quarter', 'annual'] periods = ['quarter', 'annual']
financial_data_types = ['key-metrics', 'income-statement', 'balance-sheet-statement', 'cash-flow-statement', 'ratios'] financial_data_types = ['key-metrics', 'income-statement', 'balance-sheet-statement', 'cash-flow-statement', 'ratios']
@ -92,46 +110,30 @@ async def get_financial_statements(session, symbol, semaphore, request_counter):
# Fetch regular financial statements # Fetch regular financial statements
for data_type in financial_data_types: for data_type in financial_data_types:
url = f"{base_url}/{data_type}/{symbol}?period={period}&apikey={api_key}" url = f"{base_url}/{data_type}/{symbol}?period={period}&apikey={api_key}"
data = await fetch_data(session, url, symbol) data = await fetch_data(session, url, symbol, rate_limiter)
if data: if data:
await save_json(symbol, period, data_type, data) await save_json(symbol, period, data_type, data)
request_counter[0] += 1 # Increment the request counter
if request_counter[0] >= 500:
await asyncio.sleep(60) # Pause for 60 seconds
request_counter[0] = 0 # Reset the request counter after the pause
# Fetch financial statement growth data # Fetch financial statement growth data
for growth_type in growth_data_types: for growth_type in growth_data_types:
growth_url = f"{base_url}/{growth_type}/{symbol}?period={period}&apikey={api_key}" growth_url = f"{base_url}/{growth_type}/{symbol}?period={period}&apikey={api_key}"
growth_data = await fetch_data(session, growth_url, symbol) growth_data = await fetch_data(session, growth_url, symbol, rate_limiter)
if growth_data: if growth_data:
await save_json(symbol, period, growth_type, growth_data) await save_json(symbol, period, growth_type, growth_data)
request_counter[0] += 1 # Increment the request counter # Fetch TTM metrics
if request_counter[0] >= 500:
await asyncio.sleep(60) # Pause for 60 seconds
request_counter[0] = 0 # Reset the request counter after the pause
url = f"https://financialmodelingprep.com/api/v3/key-metrics-ttm/{symbol}?apikey={api_key}" url = f"https://financialmodelingprep.com/api/v3/key-metrics-ttm/{symbol}?apikey={api_key}"
data = await fetch_data(session, url, symbol) data = await fetch_data(session, url, symbol, rate_limiter)
if data: if data:
await save_json(symbol, 'ttm', 'key-metrics', data) await save_json(symbol, 'ttm', 'key-metrics', data)
# Fetch owner earnings data # Fetch owner earnings data
owner_earnings_url = f"https://financialmodelingprep.com/api/v4/owner_earnings?symbol={symbol}&apikey={api_key}" owner_earnings_url = f"https://financialmodelingprep.com/api/v4/owner_earnings?symbol={symbol}&apikey={api_key}"
owner_earnings_data = await fetch_data(session, owner_earnings_url, symbol) owner_earnings_data = await fetch_data(session, owner_earnings_url, symbol, rate_limiter)
if owner_earnings_data: if owner_earnings_data:
await save_json(symbol, 'quarter', 'owner-earnings', owner_earnings_data) await save_json(symbol, 'quarter', 'owner-earnings', owner_earnings_data)
await calculate_margins(symbol) await calculate_margins(symbol)
request_counter[0] += 1 # Increment the request counter
if request_counter[0] >= 500:
await asyncio.sleep(60) # Pause for 60 seconds
request_counter[0] = 0 # Reset the request counter after the pause
async def run(): async def run():
con = sqlite3.connect('stocks.db') con = sqlite3.connect('stocks.db')
@ -141,13 +143,13 @@ async def run():
symbols = [row[0] for row in cursor.fetchall()] symbols = [row[0] for row in cursor.fetchall()]
con.close() con.close()
rate_limiter = RateLimiter(max_requests=500, time_window=60)
semaphore = asyncio.Semaphore(max_concurrent_requests) semaphore = asyncio.Semaphore(max_concurrent_requests)
request_counter = [0] # Using a list to keep a mutable counter across async tasks
async with aiohttp.ClientSession() as session: async with aiohttp.ClientSession() as session:
tasks = [] tasks = []
for symbol in tqdm(symbols): for symbol in tqdm(symbols):
task = asyncio.create_task(get_financial_statements(session, symbol, semaphore, request_counter)) task = asyncio.create_task(get_financial_statements(session, symbol, semaphore, rate_limiter))
tasks.append(task) tasks.append(task)
await asyncio.gather(*tasks) await asyncio.gather(*tasks)

View File

@ -11,6 +11,7 @@ from tqdm import tqdm
load_dotenv() load_dotenv()
api_key = os.getenv('UNUSUAL_WHALES_API_KEY') api_key = os.getenv('UNUSUAL_WHALES_API_KEY')
headers = {"Accept": "application/json, text/plain", "Authorization": api_key}
# Connect to the databases # Connect to the databases
con = sqlite3.connect('stocks.db') con = sqlite3.connect('stocks.db')
@ -29,20 +30,9 @@ etf_symbols = [row[0] for row in etf_cursor.fetchall()]
con.close() con.close()
etf_con.close() etf_con.close()
# Combine the lists of stock and ETF symbols
total_symbols = stocks_symbols + etf_symbols
def get_tickers_from_directory(directory: str): def get_tickers_from_directory(directory: str):
"""
Retrieves all tickers from JSON filenames in the specified directory.
Args:
directory (str): Path to the directory containing JSON files.
Returns:
list: A list of tickers extracted from filenames.
"""
try: try:
# Ensure the directory exists # Ensure the directory exists
if not os.path.exists(directory): if not os.path.exists(directory):
@ -58,6 +48,8 @@ def get_tickers_from_directory(directory: str):
directory_path = "json/hottest-contracts/companies" directory_path = "json/hottest-contracts/companies"
total_symbols = get_tickers_from_directory(directory_path) total_symbols = get_tickers_from_directory(directory_path)
if len(total_symbols) < 100:
total_symbols = stocks_symbols+etf_symbols
def save_json(data, symbol,directory="json/hottest-contracts/companies"): def save_json(data, symbol,directory="json/hottest-contracts/companies"):
os.makedirs(directory, exist_ok=True) # Ensure the directory exists os.makedirs(directory, exist_ok=True) # Ensure the directory exists
@ -92,53 +84,119 @@ def prepare_data(data, symbol):
res_list = [] res_list = []
for item in data: for item in data:
if float(item['volume']) > 0: try:
# Parse option_symbol if float(item['volume']) > 0:
date_expiration, option_type, strike_price = parse_option_symbol(item['option_symbol']) # Parse option_symbol
date_expiration, option_type, strike_price = parse_option_symbol(item['option_symbol'])
# Round numerical and numerical-string values # Round numerical and numerical-string values
new_item = { new_item = {
key: safe_round(value) if isinstance(value, (int, float, str)) else value key: safe_round(value) if isinstance(value, (int, float, str)) else value
for key, value in item.items() for key, value in item.items()
} }
# Add parsed fields # Add parsed fields
new_item['date_expiration'] = date_expiration new_item['date_expiration'] = date_expiration
new_item['option_type'] = option_type new_item['option_type'] = option_type
new_item['strike_price'] = strike_price new_item['strike_price'] = strike_price
# Calculate open_interest_change # Calculate open_interest_change
new_item['open_interest_change'] = safe_round( new_item['open_interest_change'] = safe_round(
new_item.get('open_interest', 0) - new_item.get('prev_oi', 0) new_item.get('open_interest', 0) - new_item.get('prev_oi', 0)
) )
res_list.append(new_item) res_list.append(new_item)
except:
pass
if res_list: if res_list:
save_json(res_list, symbol,"json/hottest-contracts/companies") highest_volume = sorted(res_list, key=lambda x: x['volume'], reverse=True)[:10]
highest_open_interest = sorted(res_list, key=lambda x: x['open_interest'], reverse=True)[:10]
res_dict = {'volume': highest_volume, 'openInterest': highest_open_interest}
save_json(res_dict, symbol,"json/hottest-contracts/companies")
counter = 0 def get_hottest_contracts():
for symbol in tqdm(total_symbols): counter = 0
try: for symbol in tqdm(total_symbols):
try:
url = f"https://api.unusualwhales.com/api/stock/{symbol}/option-contracts" url = f"https://api.unusualwhales.com/api/stock/{symbol}/option-contracts"
headers = { response = requests.get(url, headers=headers)
"Accept": "application/json, text/plain", if response.status_code == 200:
"Authorization": api_key data = response.json()['data']
prepare_data(data, symbol)
counter +=1
# If 50 chunks have been processed, sleep for 60 seconds
if counter == 100:
print("Sleeping...")
time.sleep(30) # Sleep for 60 seconds
counter = 0
except Exception as e:
print(f"Error for {symbol}:{e}")
def get_single_contract_historical_data(contract_id):
keys_to_remove = {'high_price', 'low_price', 'iv_low', 'iv_high', 'last_tape_time'}
url = f"https://api.unusualwhales.com/api/option-contract/{contract_id}/historic"
response = requests.get(url, headers=headers)
data = response.json()['chains']
data = sorted(data, key=lambda x: datetime.strptime(x.get('date', ''), '%Y-%m-%d'))
res_list = []
for i, item in enumerate(data):
new_item = {
key: safe_round(value) if isinstance(value, (int, float, str)) else value
for key, value in item.items()
} }
response = requests.get(url, headers=headers) # Compute open interest change and percent if not the first item
if response.status_code == 200: if i > 0:
data = response.json()['data'] previous_open_interest = safe_round(data[i-1].get('open_interest', 0))
prepare_data(data, symbol) open_interest = safe_round(item.get('open_interest', 0))
counter +=1
# If 50 chunks have been processed, sleep for 60 seconds
if counter == 100:
print("Sleeping...")
time.sleep(30) # Sleep for 60 seconds
counter = 0
except Exception as e: if previous_open_interest > 0:
print(f"Error for {symbol}:{e}") new_item['open_interest_change'] = safe_round(open_interest - previous_open_interest)
new_item['open_interest_change_percent'] = safe_round((open_interest / previous_open_interest - 1) * 100)
else:
new_item['open_interest_change'] = 0
new_item['open_interest_change_percent'] = 0
res_list.append(new_item)
if res_list:
res_list = [{key: value for key, value in item.items() if key not in keys_to_remove} for item in res_list]
res_list = sorted(res_list, key=lambda x: datetime.strptime(x.get('date', ''), '%Y-%m-%d'), reverse=True)
save_json(res_list, contract_id,"json/hottest-contracts/contracts")
if __name__ == '__main__':
get_hottest_contracts()
'''
total_symbols = get_tickers_from_directory(directory_path)
contract_id_set = set() # Use a set to ensure uniqueness
for symbol in total_symbols:
try:
with open(f"json/hottest-contracts/companies/{symbol}.json", "r") as file:
data = orjson.loads(file.read())
for item in data:
try:
contract_id_set.add(item['option_symbol']) # Add to the set
except KeyError:
pass # Handle missing 'option_symbol' keys gracefully
except FileNotFoundError:
pass # Handle missing files gracefully
# Convert the set to a list if needed
contract_id_list = list(contract_id_set)
print(len(contract_id_list))
print(contract_id_list[0])
get_single_contract_historical_data('GME250117C00125000')
'''