工程是...
Financial engineering is the application of science-based mathematical models to decisions about saving, investing, borrowing, lending, and managing risk. -- by Zvi Bodie
Financial engineering is the application of mathematical methods to the solution of problems in finance. It is also known as financial mathematics, mathematical finance, and computational finance.
Financial engineering draws on tools from applied mathematics, computer science, statistics, and economic theory.
Investment banks, commercial banks, hedge funds, insurance companies, corporate treasuries, and regulatory agencies employ financial engineers.
These businesses apply the methods of financial engineering to such problems as new product development, derivative securities valuation, portfolio structuring, risk management, and scenario simulation.
Quantitative analysis has brought innovation, efficiency and rigor to financial markets and to the investment process.
As the pace of financial innovation accelerates, the need for highly qualified people with specific training in financial engineering continues to grow in all market environments.
核心问题
原理与方法
BofA Finds Way to Gain From Alibaba IPO Even After Advisory Snub
期权定价:用含有期权的组合复制无风险证券
套利机会存在的条件
套利的实现
无套利动态过程
风险中性定价理论有两个最基本的假设:
无风险的套利机会出现时
从风险中性世界进入到风险厌恶或者风险喜好的世界时:
Source: Beder T S, Marshall C M. Financial engineering: the evolution of a profession[M]. John Wiley & Sons, 2011.
历史背景
理论基础
技术条件
数理基础
Source: 2020 CFA Program curriculum Reading 8
金融工程学科
|
|
课程与技能
金融工程师的专业背景
Source: Beder T S, Marshall C M. Financial engineering: the evolution of a profession[M]. John Wiley & Sons, 2011.
金融工程专业历届推免情况![]() |
|
金融工程专业历届升学情况![]() |
|
什么是量化投资?
量化投资策略
量化投资产生和发展的基础
Specify the trading rules in a definitive, objective, and computer-testable form
Tranform a rouph idea into a set of trading rules
Tranform the trading rules into computer programs
Example: a simple MA strategy
|
|
class SmaCross(bt.Strategy):
# list of parameters which are configurable for the strategy
params = dict(
pfast=10, # period for the fast moving average
pslow=30 # period for the slow moving average
)
def __init__(self):
super().__init__()
sma1 = bt.ind.SMA(period=self.p.pfast) # fast moving average
sma2 = bt.ind.SMA(period=self.p.pslow) # slow moving average
self.crossover = bt.ind.CrossOver(sma1, sma2) # crossover signal
def next(self):
if not self.position: # not in the market
if self.crossover > 0: # if fast crosses slow to the upside
self.order_target_size(target=1) # enter long
elif self.crossover < 0: # in the market & cross to the downside
self.order_target_size(target=0) # close long position
data_path = './data/'
if not os.path.exists(data_path):
os.makedirs(data_path)
mytoken='f3244*****8addef6e******ad68fa95b18c*****c3a5238533*****'
class Strategy_runner:
def __init__(self, strategy, ts_code, start_date, end_date, data_path=data_path,
pro=False, token=mytoken):
self.ts_code = ts_code
self.start_date = start_date
self.end_date = end_date
# convert to datetime
self.start_datetime = datetime.strptime(start_date,'%Y%m%d')
self.end_datetime = datetime.strptime(end_date,'%Y%m%d')
if pro:
csv_name = f'pro_day_{str(ts_code)}-{str(start_date)}-{str(end_date)}.csv'
else:
csv_name = f'day_{str(ts_code)}-{str(start_date)}-{str(end_date)}.csv'
csv_path = os.path.join(data_path,csv_name)
if os.path.exists(csv_path):
if pro:
self.df = pd.read_csv(csv_path)
else:
self.df = pd.read_csv(csv_path,index_col=0)
else:
if pro:
ts.set_token(mytoken)
self.pro = ts.pro_api()
self.df = self.pro.daily(ts_code=self.ts_code,
start_date=self.start_date,
end_date=self.end_date)
if not self.df.empty:
self.df.to_csv(csv_path, index=False)
else:
self.df = ts.get_hist_data(self.ts_code,
str(self.start_datetime),
str(self.end_datetime))
if not self.df.empty:
self.df.to_csv(csv_path, index=True)
self.df_bt = self.preprocess(self.df, pro)
print(self.df_bt)
self.strategy = strategy
self.cerebro = bt.Cerebro()
def preprocess(self, df, pro=False):
if pro:
features=['open','high','low','close','vol','trade_date']
convert_datetime = lambda x: pd.to_datetime(str(x))
df['trade_date'] = df['trade_date'].apply(convert_datetime)
print(df)
bt_col_dict = {'vol':'volume','trade_date':'datetime'}
df = df.rename(columns=bt_col_dict)
df = df.set_index('datetime')
# df.index = pd.DatetimeIndex(df.index)
else:
features=['open','high','low','close','volume']
df = df[features]
df['openinterest'] = 0
df.index = pd.DatetimeIndex(df.index)
df = df[::-1]
return df
def run(self):
data = bt.feeds.PandasData(dataname=self.df_bt, fromdate=self.start_datetime,
todate=self.end_datetime)
self.cerebro.adddata(data) # Add the data feed
self.cerebro.addstrategy(self.strategy) # Add the trading strategy
self.cerebro.broker.setcash(100000.0)
self.cerebro.addanalyzer(bt.analyzers.SharpeRatio,_name = 'SharpeRatio')
self.cerebro.addanalyzer(bt.analyzers.DrawDown, _name='DW')
self.results = self.cerebro.run()
strat = self.results[0]
print('Final Portfolio Value: %.2f' % self.cerebro.broker.getvalue())
print('SR:', strat.analyzers.SharpeRatio.get_analysis())
print('DW:', strat.analyzers.DW.get_analysis())
return self.results
def plot(self, iplot=False):
self.cerebro.plot(iplot=iplot)
ts_code='002456.SZ'
start_date='20240101'
end_date='20241231'
strategy_runner = Strategy_runner(strategy=SmaCross, ts_code=ts_code,
start_date=start_date, end_date=end_date, pro=True)
results = strategy_runner.run()
strategy_runner.plot()
欧菲光(002456.SZ):2020-01-01 ~ 2020-12-31
欧菲光(002456.SZ):2021-01-01 ~ 2021-12-31
欧菲光(002456.SZ):2022-01-01 ~ 2022-12-31
欧菲光(002456.SZ):2023-01-01 ~ 2023-12-31
海南机场(600515.SH):2020-01-01 ~ 2020-12-31
海南机场(600515.SH):2021-01-01 ~ 2021-12-31
海南机场(600515.SH):2022-01-01 ~ 2022-12-31
海南机场(600515.SH):2023-01-01 ~ 2023-12-31
The Scientific Approach to Trading Strategy Development
|
![]() |
Two Desirable Attributes
The ability to derive above-average returns for a given risk class. The superior risk-adjusted returns can be derived from either
The ability to diversify the portfolio completely to eliminate
Portfolio Evaluation before 1960
Peer Group Comparisons
Benchmark Portfolios
Benchmark Error
Required Characteristics of Benchmarks
Selecting a Benchmark
Excel+VBA
Python: Life is short, you need Python!
Professional Quantitative Trading Servaces
Build your own trading system
Tushare是一个免费、开源的python财经数据接口包。主要实现对股票等金融数据从数据采集、清洗加工 到 数据存储的过程,能够为金融分析人员提供快速、整洁、和多样的便于分析的数据,为他们在数据获取方面极大地减轻工作量,使他们更加专注于策略和模型的研究与实现上。考虑到Python pandas包在金融量化分析中体现出的优势,Tushare返回的绝大部分的数据格式都是pandas DataFrame类型,非常便于用pandas/NumPy/Matplotlib进行数据分析和可视化。
or,
Risk system
Describe joint movements in the risk factors
Aggregation: VaR methods
Have assumed so far that each position has its own risk factor, which we model directly
However, it is not always possible or desirable to model each position as having its own risk factor
Might wish to map our positions onto some smaller set of risk factors
Might not have enough data on our positions
Might wish to cut down on the dimensionality of our covariance matrices
Need to keep dimensionality down to avoid computational problems too – rank problems, etc.
Construct a set of benchmark instruments or factors
Collect data on their volatilities and correlations
Derive synthetic substitutes for our positions, in terms of these benchmarks
Construct VaR/CVaR of mapped porfolio
Take this as a measure of the VaR/CVaR of actual portfolio
Usual approach to select key core instruments
Want to have a rich enough set of these proxies, but don’t want so many that we run into covariance matrix problems
RiskMetrics core instruments
Can use PCA to identify key factors
Small number of PCs will explain most movement in our data set
PCA can cut down dramatically on dimensionality of our problem, and cut down on number of covariance terms
Most positions can be decomposed into primitive building blocks
Instead of trying to map each type of position, we can map in terms of portfolios of building blocks
Building blocks are
Decompose stock return
The portfolio return
This approach is useful especially when there is no return history
Risk-free bond portfolio
maturity mapping: replace the current value of each bond by a position on a risk factor with the same maturity
duration mapping: maps the bond on a zero-coupon risk factor with a maturity equal to the duration of the bond
cash flow mapping: maps the current value of each bond payment on a zero-coupon risk factor with maturity equal to the time to wait for each cash flow
Corporate bond portfolio
It should be driven by the nature of the portfolio:
portfolio of stocks that have many small positions well dispersed across sectors
portfolios with a small number of stocks concentrated in one sector
an equity market-neutral portfolio
All these positions can be mapped with linear based mapping systems because of their being (close to) linear
These approaches not so good with optionality
With non-linearity, need to resort to more sophisticated methods, e.g., delta-gamma and duration-convexity
Suppose a bond has a single payment $100 in one period, the market-determined yield
We apply risk-neutral pricing:
We compound interest rates and default rates over each period.Let
If we use the cumulative default probability
A very rough approximation:
In the previous analysis we assume risk neutrality. As a result,
Assuming
The risk premium (
The Merton (1974) model views equity as akin to a call option on the assets of the firm, with an exercise price given by the face value of debt
Consider a firm with total value
Firm value follows the geometric Brownian motion
The value of firm can be decompose in to the value of equity (
The equity value is
Stock Valuation
where
Firm Volatility
Bond Valuation
Risk-Neutral Dynamics of Default
Pricing Credit Risk
Credit Option Valuation
the KMV approach: the company sells expected default frequencies (EDFs) for global firms
Advantages
Disadvantages
Define stochastic processes for the key underlying variables and use risk-neutral valuation
This approach (known as the real options approach) is likely to do a better job at valuing growth options, abandonment options, etc than NPV
Correct discount rate for a call option is 42.6%
Correct discount rate for a put option is –52.5%
Assuming
We can value any asset dependent on a variable
The cost of renting commercial real estate in a certain city is quoted as the amount that would be paid per square foot per year in a new 5-year rental agreement. The current cost is $30 per square foot. The expected growth rate of the cost is 12% per annum, the volatility of the cost is 20% per annum, and its market price of risk is 0.3. A company has the opportunity to pay $1 million now for the option to rent 100,000 square feet at $35 per square foot for a 5-year period starting in 2 years. The risk-free rate is 5% per annum (assumed constant).
How to evaluate the option?
Define
where
The expected payoff in a risk-neutral world is therefore
According to the Black-Scholes formula, the value of the option is
where
and
The expected growth rate in the cost of commercial real estate in a risk-neutral world is
This shows that it is worth paying $1 million for the option.
When there are several underlying variables qi we reduce the growth rate of each one by its market price of risk times its volatility and then behave as though the world is risk-neutral
Note that the variables do not have to be prices of traded securities
Abandonment
Expansion
Contraction
Option to defer
Option to extend life
where
Node | A | B | C | D | E | F | G | H | I |
---|---|---|---|---|---|---|---|---|---|
0.1667 | 0.1217 | 0.1667 | 0.2217 | 0.8867 | 0.1217 | 0.1667 | 0.2217 | 0.0867 | |
0.6666 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | |
0.1667 | 0.2217 | 0.1667 | 0.1217 | 0.0867 | 0.2217 | 0.1667 | 0.1217 | 0.8867 |
Node | A | B | C | D | E | F | G | H | I |
---|---|---|---|---|---|---|---|---|---|
0.1667 | 0.1217 | 0.1667 | 0.2217 | 0.8867 | 0.1217 | 0.1667 | 0.2217 | 0.0867 | |
0.6666 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | |
0.1667 | 0.2217 | 0.1667 | 0.1217 | 0.0867 | 0.2217 | 0.1667 | 0.1217 | 0.8867 |
Node | A | B | C | D | E | F | G | H | I |
---|---|---|---|---|---|---|---|---|---|
0.1667 | 0.1217 | 0.1667 | 0.2217 | 0.8867 | 0.1217 | 0.1667 | 0.2217 | 0.0867 | |
0.6666 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | |
0.1667 | 0.2217 | 0.1667 | 0.1217 | 0.0867 | 0.2217 | 0.1667 | 0.1217 | 0.8867 |
Node | A | B | C | D | E | F | G | H | I |
---|---|---|---|---|---|---|---|---|---|
0.1667 | 0.1217 | 0.1667 | 0.2217 | 0.8867 | 0.1217 | 0.1667 | 0.2217 | 0.0867 | |
0.6666 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | 0.6566 | 0.6666 | 0.6566 | 0.0266 | |
0.1667 | 0.2217 | 0.1667 | 0.1217 | 0.0867 | 0.2217 | 0.1667 | 0.1217 | 0.8867 |
The variable at each node in an interest rate tree is the
Interest rate trees work similarly to stock price trees except that the discount rate used varies from node to node
Payoff after 2 years is
B:
A:
Suppose that
Maturity | Zero Rate |
---|---|
0.5 | 3.430 |
1.0 | 3.824 |
1.5 | 4.183 |
2.0 | 4.512 |
2.5 | 4.812 |
3.0 | 5.086 |
Change branching when
Choose probabilities on branches so that mean change in
Work forward through tree
Remember
Shift nodes at time
To express the approach more formally, suppose that the
where
The solution to this equation is
Once
where