如何加速分析NumPy代码 - 矢量化,Numba?

时间:2016-12-14 16:56:08

标签: python numpy vectorization mathematical-optimization numba

我正在运行一个大型Python程序来优化金融中(Markowitz)投资组合优化的投资组合权重。当我对代码进行概要分析时,90%的运行时间用于计算投资组合回报,这已经完成了数百万次。我该怎么做才能加快我的代码速度?我试过了:

  • 矢量化返回计算:使代码更慢,从1.5毫秒到3毫秒
  • 使用来自Numba的函数autojit来加速代码:无需更改

请参阅下面的示例 - 任何建议?

import numpy as np


def get_pf_returns(weights, asset_returns, horizon=60):
    '''
    Get portfolio returns: Calculates portfolio return for N simulations,
    assuming monthly rebalancing.

    Input
    -----
    weights: Portfolio weight for each asset
    asset_returns: Monthly returns for each asset, potentially many simulations
    horizon: 60 months (hard-coded)

    Returns
    -------
    Avg. annual portfolio return for each simulation at the end of 5 years
    '''
    pf = np.ones(asset_returns.shape[1])
    for t in np.arange(horizon):
        pf *= (1 + asset_returns[t, :, :].dot(weights))
    return pf ** (12.0 / horizon) - 1


def get_pf_returns2(weights, asset_returns):
    ''' Alternative '''
    return np.prod(1 + asset_returns.dot(weights), axis=0) ** (12.0 / 60) - 1

# Example
N, T, sims = 12, 60, 1000  # Settings
weights = np.random.rand(N)
weights *= 1 / np.sum(weights)  # Sample weights
asset_returns = np.random.randn(T, sims, N) / 100  # Sample returns

# Calculate portfolio risk/return
pf_returns = get_pf_returns(weights, asset_returns)
print np.mean(pf_returns), np.std(pf_returns)

# Timer
%timeit get_pf_returns(weights, asset_returns)
%timeit get_pf_returns2(weights, asset_returns)

修改

解决方案:Matmul在我的机器上速度最快:

def get_pf_returns(weights, asset_returns):
    return np.prod(1 + np.matmul(asset_returns, weights), axis=0) ** (12.0 / 60) - 1

2 个答案:

答案 0 :(得分:2)

在我的环境中,mutmul@)与einsumdot相比具有适度的时间优势:

In [27]: np.allclose(np.einsum('ijk,k',asset_returns,weights),asset_returns@weig
    ...: hts)
Out[27]: True
In [28]: %timeit asset_returns@weights
100 loops, best of 3: 3.91 ms per loop
In [29]: %timeit np.einsum('ijk,k',asset_returns,weights)
100 loops, best of 3: 4.73 ms per loop
In [30]: %timeit np.dot(asset_returns,weights)
100 loops, best of 3: 6.8 ms per loop

我认为时间受到计算总数的限制,而不仅仅是编码细节。所有这些都将计算结果传递给已编译的numpy代码。您的原始循环版本相对较快的事实可能与少量循环(仅60)和更全面的dot中的内存管理问题有关。

numba可能无法取代dot代码。

所以这里或那里的调整可能会使你的代码加速2倍,但是不要指望有一个数量级的改进。

答案 1 :(得分:1)

这是一个使用np.einsum获得一点加速的版本:

def get_pf_returns3(weights, asset_returns, horizon=60):
    pf = np.ones(asset_returns.shape[1])
    z = np.einsum("ijk,k -> ij",asset_returns[:horizon,:,:], weights)
    pf = np.multiply.reduce(1 + z)
    return pf ** (12.0 / horizon) - 1

然后时间:

%timeit get_pf_returns(weights, asset_returns)
%timeit get_pf_returns3(weights, asset_returns)
print np.allclose(get_pf_returns(weights, asset_returns), get_pf_returns3(weights, asset_returns))

# 1000 loops, best of 3: 727 µs per loop
# 1000 loops, best of 3: 638 µs per loop
# True

您的计算机上的计时可能会有所不同,具体取决于硬件和编译的numpy库。