Corporate Credit Risk and Investor Sentiment (2024)

6 minute read

During my time at the Fed, I used to work with a model quantifying sentiment in the credit market. Like financial asset prices generally, this decomposed credit spread measure is a forward looking metric and contains information on the real economy. As such, this measure is a significant factor in predicting the probability of being in a recession over the next 12 months. Given these attributes and outputs of the model, this statistic was closely monitored by policymakers and market participants and is regularly updated by the Fed. In this post, I briefly go over the construction of this metric (EBP), and visualize the recent movements and the implications.

Both the GZ credit spread and the EBP have increased significantly prior to or during most of the cyclical downturns since the start of the sample. Additionally, since March this year, the EBP climbed to levels last seen in the early summer of 2008, just a few months before the nadir of the financial crisis; however, this pronounced deterioration in credit market sentiment has receded, but remains slightly elevated relative to pre-pandemic levels.

In terms of what this Python code does, I pull data updated in a FEDS Note and access recession dates from a FRED API. Additionally, I create some pretty figures which include two y-axes, and include shading during recession periods.

Introduction

Gilchrist and Zakrajšek (2012) (GZ), introduce a corporate bond credit spread by using data from secondary market prices of senior unsecured bonds. Yield spreads for each underlying corporate security are derived from a synthetic risk-free security that mimics the cash flows of that bond, bypassing any duration mismatch problems. This gives the monthly GZ spread, an average across firms:

Corporate Credit Risk and Investor Sentiment (1)

where Corporate Credit Risk and Investor Sentiment (2) denotes the number of bonds in month Corporate Credit Risk and Investor Sentiment (3) and Corporate Credit Risk and Investor Sentiment (4) is the spread of firm Corporate Credit Risk and Investor Sentiment (5)’s bond Corporate Credit Risk and Investor Sentiment (6) in the same month.

Individual credit spreads are estimated using linear regression to remove a measure of expected default risk (Merton’s distance to default). By assuming the log of the credit spread on bond k to be linearly related to a firm-specific indicator of default (DFT) and a set of bond characteristics (Corporate Credit Risk and Investor Sentiment (7)) like the duration, amount outstanding, the coupon rate, age, and if the bond is callable, we have:

Corporate Credit Risk and Investor Sentiment (8)

Assuming normally distributed pricing errors (Corporate Credit Risk and Investor Sentiment (9)), the predicted level of the spread for bond Corporate Credit Risk and Investor Sentiment (10) of firm Corporate Credit Risk and Investor Sentiment (11) at time Corporate Credit Risk and Investor Sentiment (12) is

Corporate Credit Risk and Investor Sentiment (13)

where Corporate Credit Risk and Investor Sentiment (14) and Corporate Credit Risk and Investor Sentiment (15) are the point estimates of the parameters and Corporate Credit Risk and Investor Sentiment (16) being the estimated conditional variance of the pricing errors. This is the part of the credit spread that can be attributed to a firm’s specific expected default risk.

Like above, the aggregate credit spread portion directly attributable to expected default risk is given by the average of predicted spreads in month Corporate Credit Risk and Investor Sentiment (17) is:

Corporate Credit Risk and Investor Sentiment (18)

Lastly, the rich and highly informative, residual component of the credit spread called EBP is the differenced measures of credit spreads:

Corporate Credit Risk and Investor Sentiment (19)

This procedure decomposes the calculated GZ credit spread into two parts: Corporate Credit Risk and Investor Sentiment (20), a component that captures default risk of individual firms; and Corporate Credit Risk and Investor Sentiment (21), a residual component that can be thought of as capturing investor attitudes toward corporate credit risk or credit market sentiment.

The references included argue that the EBP attempts to capture the variation in the average price of bearing U.S. corporate credit risk above and beyond the compensation that investors in the corporate bond market require for expected defaults. As documented in the GZ paper, the EBP is significantly more informative–in both economic and statistical terms–about future economic activity than a component of the GZ credit spread that can be directly attributed to expected defaults. Additionally, the EBP measures offers additional information that is not captured by the term spread, another spread used to predict future economic activity.

Below, I offer some code that pulls the most recent vintage of the EBP measure supplied by the Fed.

Load the EBP data and NBER recession dates from FRED API

import csvimport pandas as pdimport matplotlib.pyplot as pltimport numpy as npfrom fredapi import Fredfred = Fred(api_key='3d98a695a7a09b42b521a09547990f22') # own API key. Very easy to get your own# load in EBP dataebp_link = "https://www.federalreserve.gov/econresdata/notes/feds-notes/2016/files/ebp_csv.csv"ebp_data = pd.read_csv(ebp_link, index_col='date',parse_dates=True )# load Fred datarecession_dates = pd.DataFrame(fred.get_series('USREC'))recession_dates=recession_dates.rename(columns={recession_dates.columns[0]: "recession_dummy"})# inner join on the date indexebp_data = ebp_data.join(recession_dates, how='inner')# convert from float to integerebp_data["recession_dummy"] = ebp_data["recession_dummy"].astype(int)# generate footnote for figureslast_date=ebp_data.index[-1]Note = "Note: Shaded areas denote NBER-dated recessions. Data as of %s." %(last_date.strftime('%b. %Y'))ebp_data.info()ebp_data.tail()ebp_data.describe()
Note: Shaded areas denote NBER-dated recessions. Data as of Jul. 2020.<class 'pandas.core.frame.DataFrame'>DatetimeIndex: 571 entries, 1973-01-01 to 2020-07-01Data columns (total 4 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 gz_spread 571 non-null float64 1 ebp 571 non-null float64 2 est_prob 571 non-null float64 3 recession_dummy 571 non-null int64 dtypes: float64(3), int64(1)memory usage: 22.3 KB
gz_spread ebp est_prob recession_dummy
count 571.000000 571.000000 571.000000 571.000000
mean 1.804665 0.060766 0.249950 0.134851
std 0.945770 0.555843 0.193779 0.341864
min 0.548800 -1.113400 0.014413 0.000000
25% 1.222300 -0.292400 0.119239 0.000000
50% 1.608300 -0.069700 0.182572 0.000000
75% 2.106300 0.261400 0.308726 0.000000
max 7.984000 3.467300 0.999701 1.000000
fig = plt.figure()ax = fig.add_subplot(111)lns1 = ax.plot('gz_spread', data=ebp_data, color="steelblue", label = 'GZ Spread (Left)')ax2 = ax.twinx()lns2 = ax2.plot('ebp',data=ebp_data, color="firebrick", linestyle='dotted', label = 'EBP (Right)')# better legendlns = lns1+lns2labs = [l.get_label() for l in lns]ax.legend(lns, labs, loc=0)ax.fill_between(ebp_data.index, 0,1, where=ebp_data['recession_dummy'], alpha=0.4, transform=ax.get_xaxis_transform())# format legendax.set_xlabel("Date")ax.set_ylabel(r"GZ (pct.)")ax2.set_ylabel(r"EBP (pct.)")plt.title('GZ Spread & EBP Estimates')plt.figtext(.95, -0.05, Note, ha='right', va='bottom', fontsize='small')plt.show()

Corporate Credit Risk and Investor Sentiment (22)Clearly, the two measures are highly correlated and have both experienced a large increase in recent months.

Predicting Recessions

To isolate the role of credit market sentiment in U.S. business cycle fluctuations, the Fed kindly reports the in-sample fitted probability of a recession over the subsequent 12 months using the specification:

Corporate Credit Risk and Investor Sentiment (23)

Which is reflected in Table 3 of this FEDS Note. As shown by the solid line, this probability has moved up significantly since the start of the year, peaking around 0.70 in March, coinciding with an increase in financial market volatility, and a deterioration in investor sentiment in the United States and abroad due to the Coronavirus. These concerns that triggered deterioration of investor sentiment apparently abated over the spring and summer, and the corresponding EBP-implied odds of the economy falling into a recession over the subsequent 12 months moved down to roughly 20%.

# plot recession probabilityfig, ax1 = plt.subplots()ebp_data['uncon_mean'] = ebp_data['est_prob'].mean()ax1.plot('est_prob', data=ebp_data, color='black', label="Recession Prob.")ax1.plot('uncon_mean', data=ebp_data, color='firebrick', linestyle='dashed', label="Unconditional Prob.")ax1.fill_between(ebp_data.index, 0,1, where=ebp_data['recession_dummy'], alpha=0.4, transform=ax1.get_xaxis_transform())ax1.set_xlabel('Date')ax1.set_ylabel('Recession Prob.', color='black')ax1.legend()plt.title('Model-Implied Recession Probabilities')plt.figtext(.95, -0.05, Note, ha='right', va='bottom', fontsize='small')plt.show()plt.close('all')

Corporate Credit Risk and Investor Sentiment (24)

# Subset data for a window since pandemicsub_data=ebp_data.loc['2020']# plotfig = plt.figure()ax = fig.add_subplot(111)lns1 = ax.plot('ebp', data=sub_data, color="firebrick", linestyle='dotted', label = 'EBP')ax2 = ax.twinx()lns2=ax2.plot('est_prob', data=sub_data, color='black', linewidth=1, label="Recession Prob. (Right)")# Better legendlns = lns1+lns2labs = [l.get_label() for l in lns]ax.legend(lns, labs, loc=0)# format plotax.set_xlabel("Date")ax.set_ylabel(r"EBP (pct.)")ax2.set_ylabel(r"Recession Prob.")plt.title('2020 View: EBP & Recessions')plt.show()

Corporate Credit Risk and Investor Sentiment (25)

Conclusion

Retrospectively, it is not surprising to see an EBP spike in March, it is interesting that the measures have steadily tapered off over the spring and summer (with a slight uptick in July), but levels remain elevated relative to pre-pandemic levels suggesting that the economy has not fully recovered.

The model is specific to credit market sentiment, which can be heavily influenced by large fiscal stimulus targeted to keep firms solvent. With policy remaining at an impasse and surrounded by uncertainty, this would be an interesting set of figures to monitor over the next months to gain some insight as to depth of the recession.

References

Favara, Giovanni, Simon Gilchrist, Kurt F. Lewis, and Egon Zakrajsek (2016). “Recession Risk and the Excess Bond Premium,” FEDS Notes. Washington: Board of Governors of the Federal Reserve System, April 8, 2016, http://dx.doi.org/10.17016/2380-7172.1739.

Favara, Giovanni, Simon Gilchrist, Kurt F. Lewis, Egon Zakrajšek (2016). “Updating the Recession Risk and the Excess Bond Premium,” FEDS Notes. Washington: Board of Governors of the Federal Reserve System, October 6, 2016, https://doi.org/10.17016/2380-7172.1836.

Gilchrist, Simon, and Egon Zakrajšek. 2012. “Credit Spreads and Business Cycle Fluctuations.” American Economic Review, 102 (4): 1692-1720.

Corporate Credit Risk and Investor Sentiment (2024)

FAQs

What is corporate credit risk? ›

Credit risk is when a lender lends money to a borrower but may not be paid back. Loans are extended to borrowers based on the business or the individual's ability to service future payment obligations (of principal and interest).

How do you assess corporate credit risk? ›

The analysis starts with an industry assessment—structure and fundamentals—and continues with an analysis of an issuer's competitive position, management strategy, and track record. Credit measures are used to calculate an issuer's creditworthiness, as well as to compare its credit quality with peer companies.

How does firm specific investor sentiment affect the value of corporate cash holdings? ›

Our cross-sectional analyses also show that FSIS has a stronger posi- tive effect on the value of cash for firms with larger investment, more innovation activities, higher in- formation asymmetry and more liquid stocks.

What is an example of investor sentiment? ›

What is investor sentiment? The general mood among investors regarding a particular market or asset. You can gauge investor sentiment by reviewing the trading activity and direction of prices within a particular market. For example, rising prices would point to positive investor sentiment.

What are the 5 C's of credit? ›

The 5 C's of credit are character, capacity, capital, collateral and conditions. When you apply for a loan, mortgage or credit card, the lender will want to know you can pay back the money as agreed. Lenders will look at your creditworthiness, or how you've managed debt and whether you can take on more.

What are the 4 Cs of credit analysis? ›

Concept 86: Four Cs (Capacity, Collateral, Covenants, and Character) of Traditional Credit Analysis | IFT World.

How do you analyze corporate credit? ›

Using financial ratios, cash flow analysis, trend analysis, and financial projections, an analyst can evaluate a firm's ability to pay its obligations. A review of credit scores and any collateral is also used to calculate the creditworthiness of a business.

Does investor sentiment affect the value relevance of accounting information? ›

Investor sentiment may affect the value relevance of accounting information through investor attention, as sentiment is likely to be related to investors' attention to financial markets and corporate news.

How can investor sentiment affect the market? ›

With this in mind, the general attitude among investors can cause fluctuations and price movements in the stock market. A common example of stock market sentiment is that prices rise when there's a bullish market sentiment, and fall when investors are feeling bearish.

What is the relationship between investor sentiment and stock returns? ›

For all markets, investor sentiment can affect stock market returns overnight and intraday for the following 3 to 36 months and 2 to 36 months, respectively, and the impact is stronger intraday than overnight for the following 3 to 36 months.

How to gauge investor sentiment? ›

The most well-known measure of market sentiment is the CBOE Volatility Index, or VIX. The VIX measures expected price fluctuations or volatility in the S&P 500 Index options over the next 30 days. The VIX often drops on days when the broader market rallies and soars when stocks plunge.

What is the best sentiment indicator? ›

One of the most frequently used indicators of market sentiment is the CBOE Volatility Index or VIX. The VIX is a forward-looking indicator that measures volatility in the S&P 500 index for the next 30 days.

What are the determinants of investor sentiment? ›

This work finds that Managerial and Investor Sentiment are determined by differing sets of economic variables, that share some common factors: inflation, liquidity and the term premium.

What does a corporate credit risk analyst do? ›

Credit Risk Analysts analyze credit data and financial statements of individuals or firms to determine the degree of risk involved in extending credit or lending money. Prepare reports with credit information for use in decisionmaking.

What does corporate credit mean in finance? ›

Corporate Credit, or Business Credit, is credit that is earned and assigned to a corporation or business rather than an individual person. This credit is essential in establishing and maintaining business or banking relationships with potential creditors, vendors, business partners, or even clients.

What does corporate risk do? ›

The purpose of corporate risk management is to identify potential risks using organisational knowledge of the internal and external environment. These risks are then analysed to identify their potential likelihood and impact.

What are the risks of corporate credit cards? ›

Inadequate controls can lead to corporate credit card misuse, fraud, or overspending. Without proper monitoring and controls in place, it can be difficult for a company to detect and prevent these issues. Strong controls and monitoring systems are essential to mitigating the risks associated with business credit cards.

Top Articles
Xybion Digital Inc. Announces Amendment to Stock Option Grants
Bitcoin (BTC) Signals Bullish Moods in November – TOC News
Gomoviesmalayalam
Activities and Experiments to Explore Photosynthesis in the Classroom - Project Learning Tree
Blairsville Online Yard Sale
Hertz Car Rental Partnership | Uber
Directions To 401 East Chestnut Street Louisville Kentucky
Music Archives | Hotel Grand Bach - Hotel GrandBach
State Of Illinois Comptroller Salary Database
Becky Hudson Free
Free Online Games on CrazyGames | Play Now!
The Grand Canyon main water line has broken dozens of times. Why is it getting a major fix only now?
Osborn-Checkliste: Ideen finden mit System
Zoe Mintz Adam Duritz
Exterior insulation details for a laminated timber gothic arch cabin - GreenBuildingAdvisor
ELT Concourse Delta: preparing for Module Two
Dallas Craigslist Org Dallas
Pickswise Review 2024: Is Pickswise a Trusted Tipster?
Ein Blutbad wie kein anderes: Evil Dead Rise ist der Horrorfilm des Jahres
A Biomass Pyramid Of An Ecosystem Is Shown.Tertiary ConsumersSecondary ConsumersPrimary ConsumersProducersWhich
Optum Urgent Care - Nutley Photos
Mega Personal St Louis
Hannaford To-Go: Grocery Curbside Pickup
Del Amo Fashion Center Map
Unreasonable Zen Riddle Crossword
Winterset Rants And Raves
Craigslist Cars And Trucks Mcallen
De beste uitvaartdiensten die goede rituele diensten aanbieden voor de laatste rituelen
The Mad Merchant Wow
ATM Near Me | Find The Nearest ATM Location | ATM Locator NL
8005607994
Dmitri Wartranslated
Hingham Police Scanner Wicked Local
11301 Lakeline Blvd Parkline Plaza Ctr Ste 150
Electronic Music Duo Daft Punk Announces Split After Nearly 3 Decades
Infinite Campus Farmingdale
Craigslist Pets Plattsburgh Ny
Mid America Clinical Labs Appointments
Jetblue 1919
Sams Gas Price Sanford Fl
Amc.santa Anita
814-747-6702
Academic Calendar / Academics / Home
Babykeilani
Ssc South Carolina
Perc H965I With Rear Load Bracket
Tlc Africa Deaths 2021
Ajpw Sugar Glider Worth
Suppress Spell Damage Poe
Elizabethtown Mesothelioma Legal Question
La Fitness Oxford Valley Class Schedule
Varsity Competition Results 2022
Latest Posts
Article information

Author: Stevie Stamm

Last Updated:

Views: 6624

Rating: 5 / 5 (60 voted)

Reviews: 91% of readers found this page helpful

Author information

Name: Stevie Stamm

Birthday: 1996-06-22

Address: Apt. 419 4200 Sipes Estate, East Delmerview, WY 05617

Phone: +342332224300

Job: Future Advertising Analyst

Hobby: Leather crafting, Puzzles, Leather crafting, scrapbook, Urban exploration, Cabaret, Skateboarding

Introduction: My name is Stevie Stamm, I am a colorful, sparkling, splendid, vast, open, hilarious, tender person who loves writing and wants to share my knowledge and understanding with you.