finlab.portfolio
Multi-strategy portfolio management module for combining multiple strategies into one portfolio, with cloud synchronization and automatic rebalancing support.
Use Cases
- Risk diversification: Combine different strategy types (momentum + value + growth) to reduce the risk of a single strategy failing
- Improved stability: Single strategies can be volatile; multi-strategy combinations effectively reduce maximum drawdown
- Dynamic weight adjustment: Flexibly adjust strategy proportions based on market conditions or strategy performance
- Live synchronization: Use PortfolioSyncManager to automatically update positions without manual management
Portfolio vs Single Strategy Backtest
| Feature | Single Strategy (sim) | Portfolio |
|---|---|---|
| Use case | Individual strategy research | Multi-strategy combination management |
| Input | position DataFrame | Multiple Report objects |
| Weight allocation | Automatic equal weight | Customizable per-strategy weights |
| Risk control | Single strategy level | Portfolio-level rebalancing |
| Cloud sync | Not supported | Supported (PortfolioSyncManager) |
| Complexity | Low | Medium |
Quick Examples
Basic Usage: Combine Three Strategies
from finlab import data
from finlab.backtest import sim
from finlab.portfolio import Portfolio
# Strategy 1: Momentum strategy (MA breakout)
close = data.get('price:收盤價')
ma20 = close.average(20)
position1 = close > ma20
report1 = sim(position1, resample='M', upload=False)
# Strategy 2: Value strategy (low P/B ratio)
pb = data.get('price_earning_ratio:股價淨值比')
position2 = pb.is_smallest(100) # Select 100 smallest
report2 = sim(position2, resample='M', upload=False)
# Strategy 3: Revenue growth strategy
rev_yoy = data.get('monthly_revenue:去年同月增減(%)')
position3 = rev_yoy > 20
report3 = sim(position3, resample='M', upload=False)
# Build portfolio (weights: 40%, 30%, 30%)
portfolio = Portfolio({
'Momentum': (report1, 0.4),
'Value': (report2, 0.3),
'Revenue Growth': (report3, 0.3)
})
# Backtest combined performance
portfolio_report = portfolio.create_report()
portfolio_report.display()
# View portfolio statistics
print(f"Portfolio annual return: {portfolio_report.stats['annual_return']:.2%}")
print(f"Portfolio Sharpe ratio: {portfolio_report.stats['daily_sharpe']:.2f}")
print(f"Portfolio max drawdown: {portfolio_report.stats['max_drawdown']:.2%}")
Detailed Guide
See Multi-Strategy Portfolio Management Workflow for:
- Strategy weight optimization methods (equal weight, risk parity, minimum volatility)
- Dynamic weight adjustment strategies (based on recent performance)
- Complete live synchronization workflow (PortfolioSyncManager)
- Tips for avoiding high strategy correlation
API Reference
Portfolio
finlab.portfolio.Portfolio
Bases: Report
建構 Portfolio 物件。
| PARAMETER | DESCRIPTION |
|---|---|
- reports
|
代表投資組合的字典,key 為資產名稱,value 是回測報告與部位。
TYPE:
|
Example
組合多個策略
from finlab import sim
from finlab.portfolio import Portfolio
# 請參閱 sim 函數的文件以獲取更多信息
# https://doc.finlab.tw/getting-start/
report_strategy1 = sim(...)
report_strategy2 = sim(...)
report_strategy3 = sim(...)
portfolio = Portfolio({
'strategy1': (report_strategy1, 0.3),
'strategy2': (report_strategy2, 0.4),
'strategy3': (report_strategy3, 0.3),
})
Weight Allocation Recommendations
Equal weight (suitable when strategies have similar characteristics):
# 3 strategies, 1/3 each
portfolio = Portfolio({
'Strategy A': (report1, 1/3),
'Strategy B': (report2, 1/3),
'Strategy C': (report3, 1/3)
})
Risk parity (inversely weighted by strategy volatility):
# Compute volatility for each strategy
vol1 = report1.get_returns().std()
vol2 = report2.get_returns().std()
vol3 = report3.get_returns().std()
# Inverse weights (lower volatility gets higher weight)
total_inv_vol = 1/vol1 + 1/vol2 + 1/vol3
w1, w2, w3 = (1/vol1)/total_inv_vol, (1/vol2)/total_inv_vol, (1/vol3)/total_inv_vol
portfolio = Portfolio({
'Strategy A': (report1, w1),
'Strategy B': (report2, w2),
'Strategy C': (report3, w3)
})
Target volatility (set portfolio target volatility):
# First build equal-weight portfolio
portfolio = Portfolio({
'Strategy A': (report1, 0.5),
'Strategy B': (report2, 0.5)
})
# Compute portfolio volatility
port_report = portfolio.create_report()
port_vol = port_report.get_returns().std()
# Adjust weights to achieve target volatility (e.g., 15%)
target_vol = 0.15
leverage = target_vol / port_vol # Leverage ratio
# Reconfigure (ensure total weight <= 1)
if leverage <= 1:
portfolio = Portfolio({
'Strategy A': (report1, 0.5 * leverage),
'Strategy B': (report2, 0.5 * leverage)
})
Common Errors
1. Weights do not sum to 1
# Wrong: Total weight = 0.9
portfolio = Portfolio({
'Strategy A': (report1, 0.4),
'Strategy B': (report2, 0.5) # Total 0.9
})
# Correct: Ensure weights sum to 1
portfolio = Portfolio({
'Strategy A': (report1, 0.4),
'Strategy B': (report2, 0.6) # Total 1.0
})
2. Strategies not uploaded to cloud (required for PortfolioSyncManager)
# Wrong: Report not uploaded
report1 = sim(position1, resample='M', upload=False)
# Correct: Upload to cloud
report1 = sim(position1, resample='M', upload=True)
3. Inconsistent rebalancing frequency across strategies
create_multi_asset_report()
finlab.portfolio.create_multi_asset_report
根據提供的股票清單創建多資產報告。 Create a multi-asset report based on the stock list provided.
| PARAMETER | DESCRIPTION |
|---|---|
stock_list
|
一個以股票代號為 key,權重大小為 value。 A dictionary with stock id as key and weight as value.
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
Report
|
一個包含回測結果的報告對象。A report object with the backtest result. |
Example:
>>> from finlab.portfolio import create_multi_asset_report
...
...
>>> report = create_multi_asset_report({'2330': 0.5, '1101': 0.5})
create_report_from_cloud()
finlab.portfolio.create_report_from_cloud
根據提供的用戶ID和策略ID創建在線報告。 Create an online report based on the user id and strategy id provided.
| PARAMETER | DESCRIPTION |
|---|---|
user_id
|
The user id.
TYPE:
|
strategy_id
|
The
TYPE:
|
PortfolioSyncManager
finlab.portfolio.PortfolioSyncManager
投資組合類別,用於設定和獲取投資組合資訊。
| ATTRIBUTE | DESCRIPTION |
|---|---|
path |
投資組合資訊的儲存路徑。
TYPE:
|
| METHOD | DESCRIPTION |
|---|---|
set |
Dict[str, Tuple[int, Report]]): 設定投資組合的函數。 |
get_position |
獲取持倉資訊。 |
Examples:
from finlab.portfolio import Portfolio, PortfolioSyncManager
# 初始化投資組合
port = Portfolio({'策略A': (report1, 0.3), '策略B': (report2, 0.7)})
# 設定投資組合
# pm = PortfolioSyncManager.from_local() or
# pm = PortfolioSyncManager.from_cloud()
pm = PortfolioSyncManager()
pm.update(port, total_balance=1000000)
pm.to_cloud() # pm.to_local()
print(pm)
# 下單
account = ... # 請參考 Account 產生方式
pm.sync(account) # 平盤價格下單
建構投資組合。
create_order_executor
create_order_executor(account, at='close', consider_margin_as_asset=False, market_name=None, **kwargs)
同步持倉資訊。
| PARAMETER | DESCRIPTION |
|---|---|
account
|
交易帳戶。
TYPE:
|
consider_margin_as_asset
|
是否將融資融券視為資產。預設為 True。
TYPE:
|
market_name
|
指定市場名稱。預設為 None,也就是獲取所有市場。
TYPE:
|
market_order
|
以類市價盡量即刻成交:所有買單掛漲停價,所有賣單掛跌停價
TYPE:
|
best_price_limit
|
掛芭樂價:所有買單掛跌停價,所有賣單掛漲停價
TYPE:
|
view_only
|
預設為 False,會實際下單。若設為 True,不會下單,只會回傳欲執行的委託單資料(dict)
TYPE:
|
extra_bid_pct
|
以該百分比值乘以價格進行追價下單,如設定為 0.05 時,將以當前價的 +(-)5% 的限價進買入(賣出),也就是更有機會可以成交,但是成交價格可能不理想; 假如設定為 -0.05 時,將以當前價的 -(+)5% 進行買入賣出,也就是限價單將不會立即成交,然而假如成交後,價格比較理想。參數有效範圍為 -0.1 到 0.1 內。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
|
None |
from_cloud
classmethod
從雲端檔案初始化投資組合。
| PARAMETER | DESCRIPTION |
|---|---|
path
|
雲端檔案的路徑。預設為 'default'。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
PortfolioSyncManager
|
投資組合類別。 |
from_local
classmethod
從本地檔案初始化投資組合。
| PARAMETER | DESCRIPTION |
|---|---|
path
|
本地檔案的路徑。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
PortfolioSyncManager
|
投資組合類別。 |
from_path
classmethod
從本地檔案初始化投資組合。
| PARAMETER | DESCRIPTION |
|---|---|
path
|
本地檔案的路徑。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
PortfolioSyncManager
|
投資組合類別。 |
get_position
獲取持倉資訊。
| PARAMETER | DESCRIPTION |
|---|---|
market_name
|
指定市場名稱。預設為 None,也就是獲取所有市場。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
|
dict or Position: 若 combined 為 True,則返回合併後的持倉資訊(Position 物件); 若 combined 為 False,則返回原始持倉資訊(dict)。 |
get_strategy_position
獲取策略的開倉部位。
| PARAMETER | DESCRIPTION |
|---|---|
strategy_name
|
策略名稱。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
dict
|
開倉部位資訊。 |
get_total_position
回傳目前持倉的 DataFrame(與 repr 顯示的 df 相同)。
| RETURNS | DESCRIPTION |
|---|---|
|
pd.DataFrame: 持倉資訊的 DataFrame。 |
margin_cash_position_combine
staticmethod
sync
同步持倉資訊。
| PARAMETER | DESCRIPTION |
|---|---|
account
|
交易帳戶。
TYPE:
|
consider_margin_as_asset
|
是否將保證金交易視為資產。預設為 True。
TYPE:
|
market_name
|
指定市場名稱。預設為 None,也就是獲取所有市場。
TYPE:
|
market_order
|
以類市價盡量即刻成交:所有買單掛漲停價,所有賣單掛跌停價
TYPE:
|
best_price_limit
|
掛芭樂價:所有買單掛跌停價,所有賣單掛漲停價
TYPE:
|
view_only
|
預設為 False,會實際下單。若設為 True,不會下單,只會回傳欲執行的委託單資料(dict)
TYPE:
|
extra_bid_pct
|
以該百分比值乘以價格進行追價下單,如設定為 0.05 時,將以當前價的 +(-)5% 的限價進買入(賣出),也就是更有機會可以成交,但是成交價格可能不理想; 假如設定為 -0.05 時,將以當前價的 -(+)5% 進行買入賣出,也就是限價單將不會立即成交,然而假如成交後,價格比較理想。參數有效範圍為 -0.1 到 0.1 內。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
|
None |
update
update(portfolio, total_balance=0, rebalance_safety_weight=0.2, smooth_transition=None, force_override_difference=False, custom_position=None, excluded_stock_ids=None, excluded_symbols=None, **kwargs)
設定投資組合的函數。
| PARAMETER | DESCRIPTION |
|---|---|
portfolio
|
包含投資組合資訊的字典。
TYPE:
|
total_balance
|
總資產。
TYPE:
|
rebalance_safety_weight
|
現金的權重,確保以市價買賣時,新的策略組合價值不超過舊的價值,計算方式為:賣出股票後,有多少比例要變成現金(例如 20%),再買入新的股票。
TYPE:
|
smooth_transition
|
是否只在換股日才更新,預設為 None,系統會自行判斷,假如第一次呼叫函示,會是 False,之後會是 True。
TYPE:
|
force_override_difference
|
是否強制覆蓋不同的部位,預設為 False。
TYPE:
|
custom_position
|
自定義部位,預設為 None。當 custom_position 不為 None 時,會將 custom_position 加入到部位中。程式在計算部位時,會將 custom_position 排除在外,不列入。
TYPE:
|
excluded_stock_ids
|
排除的股票代碼列表。預設為 None。
TYPE:
|
| RETURNS | DESCRIPTION |
|---|---|
|
None |
Examples:
from finlab.backtest import sim
from finlab.portfolio import Portfolio, OnlineReport
# create report 1
report1 = sim(...) # 請參考回測語法
# download online report
report2 = OnlineReport.from_cloud('strategyName') # 下載策略報告
# create portfolio
portfolio = Portfolio({'策略1': (report1, 0.5), '策略2': (report2, 0.5)})
# create PortfolioSyncManager
pm = PortfolioSyncManager.from_cloud()
pm.update(portfolio, total_balance=1000000, cash_weight=0.2) # 投資 100 萬元
# create orders
account = ... # 請參考 Account 產生方式
pm.sync(account) # 平盤價格下單
pm.sync(account, market_order=True) # 市價下單
Live Synchronization Best Practices
Basic setup:
from finlab.portfolio import PortfolioSyncManager
# Initialize (strategies must be uploaded to cloud first)
manager = PortfolioSyncManager(
report_ids=['report_id_1', 'report_id_2'], # Cloud strategy IDs
weights=[0.5, 0.5], # Weights
total_balance=1000000 # Total capital 1M TWD
)
# Get current target positions and share counts
current_position = manager.get_position()
print(current_position)
Scheduled updates (recommended after market close daily):
import schedule
import time
def sync_portfolio():
manager = PortfolioSyncManager(
report_ids=['xxx', 'yyy'],
weights=[0.6, 0.4],
total_balance=1000000
)
position = manager.get_position()
# Execute order logic (see finlab.online)
print(f"Updated at: {time.strftime('%Y-%m-%d %H:%M:%S')}")
print(position)
# Execute daily after market close (e.g., 15:00)
schedule.every().day.at("15:00").do(sync_portfolio)
while True:
schedule.run_pending()
time.sleep(60)
Cloud Synchronization Notes
- Ensure strategies are uploaded: Use
report.upload()orsim(..., upload=True) - Check position conflicts: Multiple strategies may simultaneously hold/short the same stock
- Regularly check sync status: Ensure cloud data matches local data
FAQ
Q: How are position conflicts between strategies handled?
Portfolio automatically handles position conflicts:
# Suppose two strategies both hold 2330
# Strategy A (weight 40%): 2330 at 20%
# Strategy B (weight 60%): 2330 at 15%
portfolio = Portfolio({
'Strategy A': (report1, 0.4),
'Strategy B': (report2, 0.6)
})
# Combined 2330 total weight = 0.4 * 0.20 + 0.6 * 0.15 = 0.17 (17%)
Q: How do I set a maximum number of holdings?
Use is_largest() in each strategy's backtest to limit holdings:
# Strategy 1: Max 30 stocks
position1 = (close > ma20).is_largest(30)
report1 = sim(position1, resample='M')
# Strategy 2: Max 20 stocks
position2 = (pb < 1.5).is_largest(20)
report2 = sim(position2, resample='M')
# Combined: approximately 50 stocks max (may overlap)
portfolio = Portfolio({
'Strategy 1': (report1, 0.5),
'Strategy 2': (report2, 0.5)
})
Q: How do I dynamically adjust strategy weights?
# Method 1: Adjust based on recent performance
def dynamic_weights(reports, window=60):
"""Adjust weights based on last 60 days of performance"""
recent_returns = []
for report in reports:
ret = report.get_returns().tail(window).mean() # Recent average return
recent_returns.append(max(ret, 0)) # Set negative returns to 0
# Normalize
total = sum(recent_returns)
if total == 0:
return [1/len(reports)] * len(reports) # Equal weight
return [r / total for r in recent_returns]
# Use dynamic weights
weights = dynamic_weights([report1, report2, report3], window=90)
portfolio = Portfolio({
'Strategy 1': (report1, weights[0]),
'Strategy 2': (report2, weights[1]),
'Strategy 3': (report3, weights[2])
})
Q: Combined performance is worse than individual strategies?
Possible causes and how to investigate:
-
High strategy correlation:
-
Poor weight allocation:
-
Inconsistent backtest periods:
Resources
- Multi-Strategy Portfolio Management Workflow - In-depth guide
- Complete Strategy Development Workflow - From research to live trading
- Risk Management Guide - Portfolio-level risk control
- Live Trading Tutorial (Multi-Strategy) - Portfolio live execution
- GitHub Source Code