Closed vineetvermait closed 1 month ago
Dear Arun,
Thankyou for showing interest in Breeze API.
Kindly find attached Py_vollib code file to calculate iv values and Greek values.
[E29CF836] Thanks & Regards, Akash Sapkal, Team Breeze API, ICICI Securities
From: Vineet Verma @.> Sent: 21 August 2024 10:03 To: Idirect-Tech/Breeze-Python-SDK @.> Cc: Subscribed @.***> Subject: [Idirect-Tech/Breeze-Python-SDK] In option chain, iv and Greek values are not available (Issue #130)
CAUTION: This email originated from outside the organization! Do not click links, open attachments or reply, unless you recognize the sender's email address! Use 'Report suspicious Email' button in the toolbar to report Phishing mails. Beware!
In option chain api, the iv values and Greek values are not available
how can we get these values
— Reply to this email directly, view it on GitHubhttps://github.com/Idirect-Tech/Breeze-Python-SDK/issues/130, or unsubscribehttps://github.com/notifications/unsubscribe-auth/A3TQZ46UOPDHK4KHNNRJDTTZSQJ75AVCNFSM6AAAAABM3FVFVSVHI2DSMVQWIX3LMV43ASLTON2WKOZSGQ3TOMBSHE4TQOI. You are receiving this because you are subscribed to this thread.Message ID: @.***>
Print this mail only if absolutely necessary. Save Paper. Save Trees." "The information contained in this e-mail and any attachments to this message are intended for the exclusive use of the intended recipient and may contain proprietary, confidential or legally privileged information. If you are not the intended recipient, please note that you are not authorised to disseminate, distribute or copy this e-mail or any parts of it or act upon/rely on the contents of this e-mail in any manner. Please notify the sender immediately by e-mail and destroy all copies of this e-mail and any attachments. Please also note that ICICI Bank or its subsidiaries and associated companies, (collectively "ICICI Group"), are unable to exercise control or ensure the integrity of/over the contents of the information contained in e-mail transmissions and that any views expressed in this e-mail are not endorsed by/binding on the ICICI Group unless the sender does so expressly with due authority of ICICI Group. Before opening any attachments please check them for viruses and defects and please note that ICICI Group accepts no liability or responsibility for any damage caused by any virus that may be transmitted by this email. Any unauthorized use of this email or any attachment(s) may be treated as infringement of right(s) including right of privacy under the applicable laws of India including Information and Technology Act, 2000. Thank you for your cooperation. Regulatory Disclosures are available on https://www.icicisecurities.com (for institutional business) and www.icicidirect.com (for retail business).
from breeze_connect import BreezeConnect import urllib import warnings warnings.filterwarnings('ignore') import pandas as pd from py_vollib.black_scholes import black_scholes from py_vollib.black_scholes.greeks.numerical import delta, gamma, theta, vega, rho from scipy.optimize import brentq import numpy as np from datetime import datetime
breeze = BreezeConnect(api_key=str(app_key))
print("https://api.icicidirect.com/apiuser/login?api_key="+urllib.parse.quote_plus(str(app_key)))
breeze.generate_session(api_secret=str(secret_key),session_token=str(session_key))
S = 24117 # Underlying asset price K_call = 24150 # Option strike price t = 7/365 # Time to expiration in years r = 0.10 # Risk-free interest rate sigma_call = 0.13 # Volatility flag_call = 'c' # 'c' for Call, 'p' for Put
option_price_call = black_scholes(flag_call, S, K_call, t, r, sigma_call) print("Option Price_Call:", option_price_call)
S = 24117 # Underlying asset price K_put = 24150 # Option strike price t = 7/365 # Time to expiration in years r = 0.10 # Risk-free interest rate sigma_put = 0.17 # Volatility flag_put = 'p' # 'c' for Call, 'p' for Put
option_price_put = black_scholes(flag_put, S, K_put, t, r, sigma_put) print("Option Price_Put:", option_price_put)
delta_value_put = delta(flag_put, S, K_put, t, r, sigma_put) print("Delta_put:", delta_value_put)
gamma_value_put = gamma(flag_put, S, K_put, t, r, sigma_put) print("Gamma_put:", gamma_value_put)
theta_value_put = theta(flag_put, S, K_put, t, r, sigma_put) print("Theta_put:", theta_value_put)
vega_value_put = vega(flag_put, S, K_put, t, r, sigma_put) print("Vega_put:", vega_value_put)
rho_value_put = rho(flag_put, S, K_put, t, r, sigma_put) print("Rho_put:", rho_value_put)
delta_value_call = delta(flag_call, S, K_call, t, r, sigma_call) print("Delta_call:", delta_value_call)
gamma_value_call =gamma(flag_call, S, K_call, t, r, sigma_call) print("Gamma_call:", gamma_value_call)
theta_value_call = theta(flag_call, S, K_call, t, r, sigma_call) print("Theta_call:", theta_value_call)
vega_value_call = vega(flag_call, S, K_call, t, r, sigma_call) print("Vega_call:", vega_value_call)
rho_value_call = rho(flag_call, S, K_call, t, r, sigma_call) print("Rho_call:", rho_value_call)
Quotes = breeze.get_quotes(stock_code="NIFTY", exchange_code="NSE", expiry_date="", product_type="cash", right="", strike_price="")
Spot = Quotes["Success"][0]["ltp"] ATM = round((Quotes["Success"][0]["ltp"])/50)*50 print(ATM)
df = breeze.get_option_chain_quotes(stock_code="NIFTY", exchange_code="NFO", product_type="options", expiry_date="2024-08-14T06:00:00.000Z", right="call")["Success"]
df = pd.DataFrame(df)
df['strike_price'] = df['strike_price'].astype(float)
target_strike = ATM strike_increment = 50 range_size = 5
lower_bound = target_strike - range_size strike_increment upper_bound = target_strike + range_size strike_increment
filtered_df = df[(df['strike_price'] >= lower_bound) & (df['strike_price'] <= upper_bound) & (df['strike_price'] % strike_increment == 0)]
if filtered_df.empty: print("No strike prices found within the specified range.") else:
sorted_df = filtered_df.sort_values('strike_price').reset_index(drop=True)
# Check if the target_strike exists
if target_strike in sorted_df['strike_price'].values:
target_index = sorted_df[sorted_df['strike_price'] == target_strike].index[0]
# Slice the DataFrame to get 5 rows above and 5 rows below the target
start_index = max(0, target_index - 5)
end_index = min(len(sorted_df), target_index + 6)
final_df = sorted_df.iloc[start_index:end_index]
# Select only the required columns
final_df = final_df[['stock_code', 'expiry_date', 'right', 'strike_price', 'ltp']]
# Define constants for Greeks calculation
risk_free_rate = 0.05 # Example risk-free rate (5%)
# Add spot price column for the calculation
final_df['spot_price'] = Spot # Example spot price
# Function to calculate implied volatility using LTP
def calculate_implied_volatility(row):
S = row['spot_price'] # Spot price
K = row['strike_price'] # Strike price
T = (pd.to_datetime(row['expiry_date']) - pd.Timestamp.now()).days / 365 # Time to expiration in years
r = risk_free_rate # Risk-free rate
option_price = row['ltp'] # Last traded price
right = row['right'].lower() # 'call' or 'put'
# Define the function to calculate implied volatility
def objective_function(sigma):
if right == 'call':
option_type = 'c'
elif right == 'put':
option_type = 'p'
else:
raise ValueError("Invalid option type")
return black_scholes(option_type, S, K, T, r, sigma) - option_price
# Solve for implied volatility
try:
implied_vol = brentq(objective_function, 0.01, 5.0)
except ValueError:
implied_vol = np.nan
return implied_vol
# Calculate implied volatility and add to DataFrame
final_df['implied_volatility'] = final_df.apply(calculate_implied_volatility, axis=1)
# Function to calculate Greeks
def calculate_greeks(row):
S = row['spot_price'] # Spot price
K = row['strike_price'] # Strike price
T = (pd.to_datetime(row['expiry_date']) - pd.Timestamp.now()).days / 365 # Time to expiration in years
r = risk_free_rate # Risk-free rate
sigma = row['implied_volatility'] # Implied volatility
right = row['right'].lower() # 'call' or 'put'
if right == 'call':
option_type = 'c'
elif right == 'put':
option_type = 'p'
else:
raise ValueError("Invalid option type")
# Calculate Greeks using py_vollib
delta_value = delta(option_type, S, K, T, r, sigma)
gamma_value = gamma(option_type, S, K, T, r, sigma)
theta_value = theta(option_type, S, K, T, r, sigma)
vega_value = vega(option_type, S, K, T, r, sigma)
rho_value = rho(option_type, S, K, T, r, sigma)
return pd.Series([delta_value, gamma_value, theta_value, vega_value, rho_value],
index=['Delta', 'Gamma', 'Theta', 'Vega', 'Rho'])
# Calculate Greeks and add to DataFrame
greeks_df = final_df.apply(calculate_greeks, axis=1)
result_df = pd.concat([final_df, greeks_df], axis=1)
# Round the values
result_df['implied_volatility'] = result_df['implied_volatility'].round(2)
result_df['Delta'] = result_df['Delta'].round(2)
result_df['Theta'] = result_df['Theta'].round(2)
result_df['Vega'] = result_df['Vega'].round(2)
result_df['Rho'] = result_df['Rho'].round(2)
# Print the resulting DataFrame with Greeks
print("Final DataFrame with Greeks for Call:")
print(result_df)
else:
print(f"Strike price {target_strike} not found in the filtered data.")
df = breeze.get_option_chain_quotes(stock_code="NIFTY", exchange_code="NFO", product_type="options", expiry_date="2024-08-14T06:00:00.000Z", right="put")["Success"]
df = pd.DataFrame(df)
df['strike_price'] = df['strike_price'].astype(float)
target_strike = ATM strike_increment = 50 range_size = 5
lower_bound = target_strike - range_size strike_increment upper_bound = target_strike + range_size strike_increment
filtered_df = df[(df['strike_price'] >= lower_bound) & (df['strike_price'] <= upper_bound) & (df['strike_price'] % strike_increment == 0)]
if filtered_df.empty: print("No strike prices found within the specified range.") else:
sorted_df = filtered_df.sort_values('strike_price').reset_index(drop=True)
# Check if the target_strike exists
if target_strike in sorted_df['strike_price'].values:
target_index = sorted_df[sorted_df['strike_price'] == target_strike].index[0]
# Slice the DataFrame to get 5 rows above and 5 rows below the target
start_index = max(0, target_index - 5)
end_index = min(len(sorted_df), target_index + 6)
final_df = sorted_df.iloc[start_index:end_index]
# Select only the required columns
final_df = final_df[['stock_code', 'expiry_date', 'right', 'strike_price', 'ltp']]
# Define constants for Greeks calculation
risk_free_rate = 0.05 # Example risk-free rate (5%)
# Add spot price column for the calculation
final_df['spot_price'] = Spot # Example spot price
# Function to calculate implied volatility using LTP
def calculate_implied_volatility(row):
S = row['spot_price'] # Spot price
K = row['strike_price'] # Strike price
T = (pd.to_datetime(row['expiry_date']) - pd.Timestamp.now()).days / 365 # Time to expiration in years
r = risk_free_rate # Risk-free rate
option_price = row['ltp'] # Last traded price
right = row['right'].lower() # 'call' or 'put'
# Define the function to calculate implied volatility
def objective_function(sigma):
if right == 'call':
option_type = 'c'
elif right == 'put':
option_type = 'p'
else:
raise ValueError("Invalid option type")
return black_scholes(option_type, S, K, T, r, sigma) - option_price
# Solve for implied volatility
try:
implied_vol = brentq(objective_function, 0.01, 5.0)
except ValueError:
implied_vol = np.nan
return implied_vol
# Calculate implied volatility and add to DataFrame
final_df['implied_volatility'] = final_df.apply(calculate_implied_volatility, axis=1)
# Function to calculate Greeks
def calculate_greeks(row):
S = row['spot_price'] # Spot price
K = row['strike_price'] # Strike price
T = (pd.to_datetime(row['expiry_date']) - pd.Timestamp.now()).days / 365 # Time to expiration in years
r = risk_free_rate # Risk-free rate
sigma = row['implied_volatility'] # Implied volatility
right = row['right'].lower() # 'call' or 'put'
if right == 'call':
option_type = 'c'
elif right == 'put':
option_type = 'p'
else:
raise ValueError("Invalid option type")
# Calculate Greeks using py_vollib
delta_value = delta(option_type, S, K, T, r, sigma)
gamma_value = gamma(option_type, S, K, T, r, sigma)
theta_value = theta(option_type, S, K, T, r, sigma)
vega_value = vega(option_type, S, K, T, r, sigma)
rho_value = rho(option_type, S, K, T, r, sigma)
return pd.Series([delta_value, gamma_value, theta_value, vega_value, rho_value],
index=['Delta', 'Gamma', 'Theta', 'Vega', 'Rho'])
# Calculate Greeks and add to DataFrame
greeks_df = final_df.apply(calculate_greeks, axis=1)
result_df = pd.concat([final_df, greeks_df], axis=1)
# Round the values
result_df['implied_volatility'] = result_df['implied_volatility'].round(2)
result_df['Delta'] = result_df['Delta'].round(2)
result_df['Theta'] = result_df['Theta'].round(2)
result_df['Vega'] = result_df['Vega'].round(2)
result_df['Rho'] = result_df['Rho'].round(2)
# Print the resulting DataFrame with Greeks
print("Final DataFrame with Greeks for Put:")
print(result_df)
else:
print(f"Strike price {target_strike} not found in the filtered data.")
In option chain api, the iv values and Greek values are not available
how can we get these values