Analyzing Financial Statements in Python
Rohan Chatterjee
Risk modeler
Formula:
$$\dfrac{\text{Total Revenue}}{\text{Total Assets}}$$
merged_dat = pd.merge(income_statement, balance_sheet, on = ["Year", "company"])
merged_dat
can now be used to compute the ratio and add it as another column in the DataFramemerged_dat["asset_turnover"] = merged_dat["Total Revenue"] / merged_dat["Total Assets"]
balance_sheet["current_ratio"] = balance_sheet["Total Current Assets"] / balance_sheet["Total Current Liabilities"]
balance_sheet["debt_to_equity"] = balance_sheet["Total Liab"] / balance_sheet["Total Stockholder Equity"]
def compute_ratio(df, numerator, denominator, ratio_name):
df[ratio_name] = df[numerator]/df[denominator]
return df
Compute the current ratio and debt-to equity ratio from the DataFrame balance_sheet
using compute_ratio
:
balance_sheet = compute_ratio(balance_sheet, "Total Current Assets",
"Total Current Liabilities", "current_ratio")
balance_sheet = compute_ratio(balance_sheet, "Total Liab",
"Total Stockholder Equity", "debt_to_equity")
list_of_numerators = ["Total Current Assets", "Total Liab"]
list_of_denominators = ["Total Current Liabilities",
"Total Stockholder Equity"]
list_of_ratio_names = ["current_ratio", "debt_to_equity"]
Loop over the lists and call the function compute_ratio
:
for numerator, denominator, ratio_name in zip(list_of_numerators,
list_of_denominators,
list_of_ratio_names):
balance_sheet = compute_ratio(balance_sheet,
numerator,
denominator,
ratio_name)
Analyzing Financial Statements in Python