大熊猫找到两个滚动的最大高点并计算斜率

时间:2017-07-03 07:15:50

标签: python pandas stock

我正在寻找一种方法来找到滚动框架中的两个最大高点并计算斜率来推断可能的第三个高点。

我有几个问题:) a)如何找到第二高? b)如何知道两个高点的位置(对于一个简单的斜率:斜率=(MaxHigh2-MaxHigh1)/(PosMaxHigh2-PosMaxHigh1))?

当然,我可以做这样的事情。但是我只在high1>高2 :) 我不会有相同范围的高点。

import quandl
import pandas as pd
import numpy as np
import sys  


df = quandl.get("WIKI/GOOGL")
df = df.ix[:10, ['High', 'Close' ]]

df['MAX_HIGH_3P'] = df['High'].rolling(window=3,center=False).max()
df['MAX_HIGH_5P'] = df['High'].rolling(window=5,center=False).max()

df['SLOPE'] = (df['MAX_HIGH_5P']-df['MAX_HIGH_3P'])/(5-3)

print(df.head(20).to_string())

1 个答案:

答案 0 :(得分:1)

对不起有点凌乱的解决方案,但我希望它有所帮助:

首先我定义一个函数,它将numpy数组作为输入,检查至少2个元素是否为空,然后计算斜率(根据你的公式 - 我认为),如下所示:

def calc_slope(input_list):
    if sum(~np.isnan(x) for x in input_list) < 2:
        return np.NaN
    temp_list = input_list[:]
    max_value = np.nanmax(temp_list)
    max_index = np.where(input_list == max_value)[0][0]
    temp_list = np.delete(temp_list, max_index)
    second_max = np.nanmax(temp_list)
    second_max_index = np.where(input_list == second_max)[0][0]
    return (max_value - second_max)/(1.0*max_index-second_max_index)
变量df中的

我有:

enter image description here

您只需将滚动窗口应用于您喜欢的任何内容,例如应用于&#34;高&#34;:

df['High'].rolling(window=5, min_periods=2, center=False).apply(lambda x: calc_slope(x))

最终结果如下:

enter image description here

如果您愿意,也可以将其存储在其他列中:

df['High_slope'] = df['High'].rolling(window=5, min_periods=2, center=False).apply(lambda x: calc_slope(x))

这就是你想要的吗?