百度360必应搜狗淘宝本站头条
当前位置:网站首页 > 技术文章 > 正文

zigzag源代码——包括python和mql语言

itomcoil 2025-01-04 20:24 45 浏览


"""
reference:
https://github.com/jbn/ZigZag.git
"""
import numpy as np

PEAK = 1
VALLEY = -1


def identify_initial_pivot(X, up_thresh, down_thresh):
    x_0 = X[0]
    x_t = x_0

    max_x = x_0
    min_x = x_0

    max_t = 0
    min_t = 0

    up_thresh += 1
    down_thresh += 1

    for t in range(1, len(X)):
        x_t = X[t]

        if x_t / min_x >= up_thresh:
            return VALLEY if min_t == 0 else PEAK

        if x_t / max_x <= down_thresh:
            return PEAK if max_t == 0 else VALLEY

        if x_t > max_x:
            max_x = x_t
            max_t = t

        if x_t < min_x:
            min_x = x_t
            min_t = t

    t_n = len(X)-1
    return VALLEY if x_0 < X[t_n] else PEAK


def peak_valley_pivots(X, up_thresh, down_thresh):
    """
    Find the peaks and valleys of a series.

    :param X: the series to analyze
    :param up_thresh: minimum relative change necessary to define a peak
    :param down_thesh: minimum relative change necessary to define a valley
    :return: an array with 0 indicating no pivot and -1 and 1 indicating
        valley and peak


    The First and Last Elements
    ---------------------------
    The first and last elements are guaranteed to be annotated as peak or
    valley even if the segments formed do not have the necessary relative
    changes. This is a tradeoff between technical correctness and the
    propensity to make mistakes in data analysis. The possible mistake is
    ignoring data outside the fully realized segments, which may bias
    analysis.
    """
    if down_thresh > 0:
        raise ValueError('The down_thresh must be negative.')

    initial_pivot = identify_initial_pivot(X, up_thresh, down_thresh)
    t_n = len(X)
    pivots = np.zeros(t_n, dtype=np.int_)
    trend = -initial_pivot
    last_pivot_t = 0
    last_pivot_x = X[0]

    pivots[0] = initial_pivot

    # Adding one to the relative change thresholds saves operations. Instead
    # of computing relative change at each point as x_j / x_i - 1, it is
    # computed as x_j / x_1. Then, this value is compared to the threshold + 1.
    # This saves (t_n - 1) subtractions.
    up_thresh += 1
    down_thresh += 1

    for t in range(1, t_n):
        x = X[t]
        r = x / last_pivot_x

        if trend == -1:
            if r >= up_thresh:
                pivots[last_pivot_t] = trend
                trend = PEAK
                last_pivot_x = x
                last_pivot_t = t
            elif x < last_pivot_x:
                last_pivot_x = x
                last_pivot_t = t
        else:
            if r <= down_thresh:
                pivots[last_pivot_t] = trend
                trend = VALLEY
                last_pivot_x = x
                last_pivot_t = t
            elif x > last_pivot_x:
                last_pivot_x = x
                last_pivot_t = t

    if last_pivot_t == t_n-1:
        pivots[last_pivot_t] = trend
    elif pivots[t_n-1] == 0:
        pivots[t_n-1] = -trend

    return pivots


def max_drawdown(X):
    """
    Compute the maximum drawdown of some sequence.

    :return: 0 if the sequence is strictly increasing.
        otherwise the abs value of the maximum drawdown
        of sequence X
    """
    mdd = 0
    peak = X[0]

    for x in X:
        if x > peak:
            peak = x

        dd = (peak - x) / peak

        if dd > mdd:
            mdd = dd

    return mdd if mdd != 0.0 else 0.0


def pivots_to_modes(pivots):
    """
    Translate pivots into trend modes.

    :param pivots: the result of calling ``peak_valley_pivots``
    :return: numpy array of trend modes. That is, between (VALLEY, PEAK] it
    is 1 and between (PEAK, VALLEY] it is -1.
    """

    modes = np.zeros(len(pivots), dtype=np.int_)
    mode = -pivots[0]

    modes[0] = pivots[0]

    for t in range(1, len(pivots)):
        x = pivots[t]
        if x != 0:
            modes[t] = mode
            mode = -x
        else:
            modes[t] = mode

    return modes


def compute_segment_returns(X, pivots):
    """
    :return: numpy array of the pivot-to-pivot returns for each segment."""
    pivot_points = X[pivots != 0]
    return pivot_points[1:] / pivot_points[:-1] - 1.0

使用示例:

import matplotlib
matplotlib.use("TkAgg")
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
import sys
import pathlib
sys.path.append("%s/zigzag" % pathlib.Path().absolute())
from zigzag import zigzag


def plot_pivots(X, pivots):
    plt.xlim(0, len(X))
    plt.ylim(X.min()*0.99, X.max()*1.01)
    plt.plot(np.arange(len(X)), X, 'k:', alpha=0.5)
    plt.plot(np.arange(len(X))[pivots != 0], X[pivots != 0], 'k-')
    plt.scatter(np.arange(len(X))[pivots == 1], X[pivots == 1], color='g')
    plt.scatter(np.arange(len(X))[pivots == -1], X[pivots == -1], color='r')


np.random.seed(1997)
X = np.cumprod(1 + np.random.randn(100) * 0.01)
pivots = zigzag.peak_valley_pivots(X, 0.03, -0.03)

plot_pivots(X, pivots)
plt.show()

modes = zigzag.pivots_to_modes(pivots)
print(pd.Series(X).pct_change().groupby(modes).describe().unstack())
print(zigzag.compute_segment_returns(X, pivots))

pandas 的数据输入示例:

from pandas_datareader import get_data_yahoo

X = get_data_yahoo('GOOG')['Adj Close']
pivots = peak_valley_pivots(X.values, 0.2, -0.2)
ts_pivots = pd.Series(X, index=X.index)
ts_pivots = ts_pivots[pivots != 0]
X.plot()
ts_pivots.plot(style='g-o');

1.Zigzag3个参数https://github.com/twopirllc/pandas-ta

Zigzag在识别?低点的过程中, 主要设置了以下三个参数: ExtDepth, DextDeviation

以及ExtBackstep。 程序中的表?:

extern int ExtDepth=12;

extern int ExtDeviation=5;

extern int ExtBackstep=3;

说明:

ExtDepth ?于设置?低点是相对与过去多少个Bars(价格图形中的?个柱?)??。 Mt4中默认是12 ExtDeviation ?于设 置重新计算?低点时, 与前??低点的相对点差。 默认值是5 也就是说如果

A)当前?点>上个?点5 ,或者

B)当前低点<上个低点

5的情况下, 则会对之前计算过的ExtBackstepsBars值的?低点进?重新计算。

ExtBackstep ?于设置回退计算的Bars的个数。

2.Zigzag算法

1对计算位置进?初期化

1.1判断是否是第?次进??低点计算, 如果是, 则设定计算位置为除去ExtDepth个图形最初的部分。 1.2如果之前已经计算过, 找到最近已知的三个拐点 (?点或低点) , 将计算位置设置为倒数第三个拐点之后, 重新计 2.从步骤1已经设置好的计算位置开始, 将对?于存储?低点的变量进?初始化, 准备计算?低点 2.1计算ExtDepth区间内的低点, 如果该低点是当前低点, 则进?2.1.1的计算, 并将其记录成?个低点。

2.1.1如果当前低点?上?个低点值?于相对点差(ExtDeviation) 并且之前ExtBackstepBars的记录的中, ?于当前低点的 值清空。

2.2?点的计算如同2.1以及分?处理2.1.1

3.从步骤1已经设置好的计算位置开始, 定义指标?点和低点

3.1如果开始位置为?点, 则接下来寻找低点, 在找到低点之后, 将下?个寻找?标定义为?点

3.2如果开始位置为低点, 则与3.1反之。

以上可能?较难以理解, 我们这边举个例?说明:

假设上次计算的结果如下: 倒数第14Bar出现了?个?点(3.1) 倒数第4个是低点(1.5)

倒数第1个是新的?点(2.1)——因为距离倒数第14已经?于ExtDepth(14-1>12)

Bar-14Bar-4Bar-1 Bar-Current

?(3.1)(1.5)?(2.1) X

对于Bar-Current 即当前的价格X


CaseI.

如果X >=2.1

ExtDeviation 则根据Zigzag的定义, 这将是?个新的?点。 假设这?X=2.3 那么我们绘制指标的时候应该成为:

Bar-14 Bar-4Bar-Current

?(3.1)

(1.5)?(2.3)

CaseII.

如果1.5 - ExtDeviation<

X<2.1 ExtDeviation 则我们继续等待价格的变化, 所绘制的指标也不会变化。

CaseIII.

如果1.5 - ExtDeviation>=

X 则这是?个新的低点。 假设这?X=1.3 则我们绘制指标的时候应该成为:

Bar-14Bar-Current

?(3.1)(1.3)

这个时候, 之前的Bar-4因为在我们定义的ExtBackstep之内(1-4) 所以他的最低值会被清空,

根据算法第三步的定义, 我们会?直寻找低点直到发现Bar-Current 这时候已经遍历过Bar-1 所以Bar-1定义的? 点也不再成为拐点。

这也就是所谓的重绘部分, 也因此诟病为―未来函数‖——因为所看见的当前最后的?低点可能在下个时间段??被抹去。 3Zigzag源码及解释:

Mt4Zigzag源码??的注释特别稀罕, 估计是感觉实现?较简单, 所以?概略去——恩, 极坏的编程习惯。 下?简要说明?下, 中?部分都是追加的解释:

// ——————————————————————

//|

Zigzag.mq4 |

//|

Copyright ?2005-2007, MetaQuotes Software Corp. |

//|

http://www.doczj.com/doc/855cc57301f69e3143329458.html / |

// ——————————————————————

#property copyrightCopyright ?2007, MetaQuotes Software

Corp.

#property

link

http://www.doczj.com/doc/855cc57301f69e3143329458.html /

indicator_chart_window


//主窗?进?指标显?

#property indicator_buffers

1 //指标运?到数值的个数

#property indicator_color1

Red

//指标显?颜?

//—- indicator parameters

//Zigzag的三个参数

extern int ExtDepth=12;

extern int ExtDeviation=5;

extern int ExtBackstep=3;

//—- indicator buffers

//指标的数值存储变量

double

ZigzagBuffer[];

//拐点

double

HighMapBuffer[];

//?点的临时变量数组

double

LowMapBuffer[];

//低点的临时变量数组

int level=3; // recounting’s depth

//最近已知的三个拐点

bool downloadhistory=false; //是否第?次计算

// ——————————————————————//| Custom indicator initialization

function

|

// ——————————————————————

IndicatorBuffers(3);

//对于缓冲储存器分配记忆应??定义指标计算, ?F1可以看到该函数的帮助和解释//—- drawing settings SetIndexStyle(0,DRAW_SECTION);

//划线的风格

//—- indicator buffers mapping

SetIndexBuffer(0,ZigzagBuffer);


SetIndexBuffer(1,HighMapBuffer);

SetIndexBuffer(2,LowMapBuffer);

SetIndexEmptyValue(0,0.0);

//—- indicator short name

IndicatorShortName(ZigZag(

ExtDepth ,ExtDeviation,ExtBackstep

));

//设置指标的简称。

//—- initialization done

return(0);

}

// ——————————————————————

//|

|

// ——————————————————————

//start函数是Mt4的主函数, 当每次价格变动之后都会触发该函数的执?

int start()

{

//变量定义

//i 临时变量;

//limit 算法中所谓的开始计算位置;

//counterZ 临时变量

//whatlookfor ?于标识当前计算的是?点或者低点

int

limit,counterZ,whatlookfor;

//以下都是临时变量, 具体设值时解释

int

shift,back,lasthighpos,lastlowpos;

double val ,res;

double

curlow ,curhigh,lasthigh,lastlow;

if (counted_bars==0

&& downloadhistory) // history was

downloaded

{


//指标载?时counted_bars0 ?downloadhistoryfalse 将在下?次价格变化时进?ArrayInitialize(ZigzagBuffer,0.0); ArrayInitialize(HighMapBuffer,0.0);

ArrayInitialize(LowMapBuffer,0.0);

}

if (counted_bars==0)

{ //初期化, 第?次运?时limit为除去ExtDepth个图形最初的部分。 (算法1.1

limit=Bars-ExtDepth;

downloadhistory=true;

(counted_bars>0)

{//如果之前已经计算过, 找到最近已知的三个拐点 (?点或低点) , 将计算位置设置为倒数第三个拐点。 (算法1.2

while (counterZ

&& i<100)

{

res=ZigzagBuffer[i];

if (res!=0) counterZ ;

i ;

}

i– ; //在上?while中最后?次找到的时候进?

1 所以要-1才能得到真正第三个拐点处。

limit=i; //计算位置赋值

if (LowMapBuffer[i]!=0)

{//如果倒数第三个拐点是低点

curlow=LowMapBuffer[i];

//?标在于寻找?点

whatlookfor=1;

}

else

{

curhigh=HighMapBuffer[i];

}

for (i=limit-1;i>=0;i–)

{//清空第三个拐点后的数值, 准备重新计算最后的拐点

ZigzagBuffer[i]=0.0;

LowMapBuffer[i]=0.0;

HighMapBuffer[i]=0.0;


}

}

//算法Step2部分: 计算?低点

for(shift=limit;

shift>=0; shift–)

{

//2.1计算ExtDepth区间内的低点

val=Low[iLowest(NULL,0,MODE_LOW,ExtDepth,shift)];

if(val==lastlow) val=0.0;

else

{//如果该低点是当前低点,

lastlow=val;

if((Low[shift]-val)>(ExtDeviation*Point))

val=0.0; //是否?上个低点还低ExtDeviation 不是的话则不进?回归处理

for(back=1; back<=ExtBackstep; back )

{//回退ExtBackstepBar 把?当前低点?的纪录值给清空res=LowMapBuffer[shift back];

if((res!=0)&&(res>val))

LowMapBuffer[shift back]=0.0;

}

}

}

//将新的低点进?记录

if (Low[shift]==val) LowMapBuffer[shift]=val; else LowMapBuffer[shift]=0.0;

//— high

val=High[iHighest(NULL,0,MODE_HIGH ,ExtDepth,shift)];

if(val==lasthigh) val=0.0;

else

{

lasthigh=val;

if((val-High[shift])>(ExtDeviation*Point))

val=0.0;

else

for(back=1; back<=ExtBackstep; back )

{

res=HighMapBuffer[shift back];


if((res!=0)&&(res

HighMapBuffer[shift back]=0.0;

}

}

}

if (High[shift]==val) HighMapBuffer[shift]=val; else HighMapBuffer[shift]=0.0;

}

// final cutting

if (whatlookfor==0)

{

lastlow=0;

lasthigh=0;

}

else

{

lastlow=curlow;

lasthigh=curhigh;

//算法step3.定义指标的?低点

for

(shift=limit;shift>=0;shift–)

{

res=0.0;

switch(whatlookfor)

{

//初期化的情况下, 尝试找第?个?点或者是地点

case 0: // look for peak or lawn

if (lastlow==0 &&

lasthigh==0)

{//lastlow lasthigh之前已经初始化, 再次判断以保证正确性? if (HighMapBuffer[shift]!=0)

{//发现?点

lasthigh=High[shift];

lasthighpos=shift;

whatlookfor=-1; //下个寻找?标是低点

ZigzagBuffer[shift]=lasthigh;

res=1;


}

if (LowMapBuffer[shift]!=0)

lastlowpos=shift;

whatlookfor=1;

//下个寻找?标是?点

ZigzagBuffer[shift]=lastlow;

res=1;

}

}

break;

case 1: // look for

peak

//寻找?点

if (LowMapBuffer[shift]!=0.0 &&

LowMapBuffer[shift]

&& HighMapBuffer[shift]==0.0)

{//如果在上个低点和下个?点间发现新的低点, 则把上个低点抹去, 将新发现的低点作为最后?个低点

ZigzagBuffer[lastlowpos]=0.0;

lastlowpos=shift;

lastlow=LowMapBuffer[shift];

ZigzagBuffer[shift]=lastlow;

res=1;

}

if (HighMapBuffer[shift]!=0.0 &&

lasthigh=HighMapBuffer[shift];

lasthighpos=shift; ZigzagBuffer[shift]=lasthigh;

whatlookfor=-1;

//下?个?标将是寻找低点

res=1;

}

break;

case -1: // look for

lawn

//寻找低点

if (HighMapBuffer[shift]!=0.0 && HighMapBuffer[shift]>lasthigh && LowMapBuffer[shift]==0.0) {


ZigzagBuffer[lasthighpos]=0.0; lasthighpos=shift;

lasthigh=HighMapBuffer[shift]; ZigzagBuffer[shift]=lasthigh;

}

if (LowMapBuffer[shift]!=0.0 && HighMapBuffer[shift]==0.0)

lastlow=LowMapBuffer[shift];

lastlowpos=shift;

ZigzagBuffer[shift]=lastlow;

whatlookfor=1;

}

break;

default: return;

}

}

return(0);

}

// ——————————————————————

4.总结

以上就是对Zigzag算法和实现的分析。 希望能够对?家编写指标和EA有所帮助。

相关推荐

MySQL中的MVCC到底能不能解决幻读

在MySQL当中,只有使用了InnoDB存储引擎的数据库表才支持事务。有了事务就可以用来保证数据的完整以及一致性,保证成批的SQL语句要么全部执行,要么全部不执行。事务用来管理insert、updat...

每次写SQL时总忘记语法顺序怎么办,这里一招教你解决

MySQL基础(五)-----表达式&函数和分组查询表达式和函数:表达式就是将数字和运算符连接起来的组合,称之为表达式,比如:1+1;函数就是系统自带已经定义好可以直接使用的函数,例如MAX,MIN;...

在 MySQL 中使用 UUID 作为主键的存在问题及如何优化?

在分布式架构中,UUID(通用唯一标识符)因其能够确保全球唯一性而广泛应用。它不依赖于数据库的自增机制,特别适合于多个系统间的数据同步。然而,尽管UUID提供了很多优势,直接使用它作为MySQL...

SQL入门知识篇_sql入门教程

一、什么是数据库?什么是SQL?1、数据库:存放数据,可以很多人一起使用2、关系数据库:多张表+各表之间的关系3、一张表需要包含列、列名、行4、主键:一列(或一组列),其值能够唯一区分表中的每个行。5...

MySQL索引解析(联合索引/最左前缀/覆盖索引/索引下推)

目录1.索引基础2.索引类型2.1哈希索引2.2有序数组2.3B+树索引(InnoDB)3.联合索引4.最左前缀原则5.覆盖索引6.索引下推总结:1.索引基础索引对查询的速度有着至...

Mysql索引覆盖_mysql索引ref

作者:京东零售孙涛1.什么是覆盖索引通常情况下,我们创建索引的时候只关注where条件,不过这只是索引优化的一个方向。优秀的索引设计应该纵观整个查询,而不仅仅是where条件部分,还应该关注查询所包...

MySQL常用语句汇总_mysql常用语句大全

一、背景日常测试开发工作中会用到各类SQL语句,很多时候都是想用的时候才发现语句细节记不清楚了,临时网上搜索SQL语法,挺费时费力的,语法还不一定是对的。因此汇总整理了一下MySQL最常用的各类语句,...

POI批量生成Word文档表格_poi批量导入excel

  前言  当我们在写设计文档,或者是其他涉及到数据架构、表结构时,可以用POI来批量生成表格,例如下面的表格  代码编写  引入POI依赖<!--引入apachepoi-...

cmd命令操作Mysql数据库,命令行操作Mysql

Mysql数据库是比较流行的数据库之一,维基百科的介绍如下:MySQLisanopen-sourcerelationaldatabasemanagementsystem(RDBMS)....

MySQL大数据表处理策略,原来一直都用错了……

场景当我们业务数据库表中的数据越来越多,如果你也和我遇到了以下类似场景,那让我们一起来解决这个问题。数据的插入,查询时长较长后续业务需求的扩展,在表中新增字段,影响较大表中的数据并不是所有的都为有效数...

SQL点滴(查询篇):数据库基础查询案例实战

本文主要是对微头条SQL小技能的汇总,便于收藏查阅,为数据库初学者提供多快好省又可实际操作的帮助。下面为正文。1.通用*查询在从数据库表中检索所有行与列,若要查询所有数据,通常做法为:select*...

Mysql学习笔记-InnoDB深度解析_mysql innodb底层原理

前言我们在上一篇博客聊了Mysql的整体架构分布,连接层、核心层、存储引擎层和文件系统层,其中存储引擎层作为MysqlServer中最重要的一部分,为我们sql交互提供了数据基础支持。存储引擎和文件...

「MySQL调优」大厂MySQL性能优化实战讲解

WhyPerformance在1990s,人们还使用拨号接入互联网的时候,浏览一个网页或加入一个线上聊天室需要几分钟的时间去加载是一件很正常的事情。而2009年Akamai公司的报告显示,如果一个网...

MySQL数据库性能优化_mysql数据库优化及sql调优

任何软件平台的运行都需要依赖于数据库的存储,数据库存储着业务系统的关键信息,包含基础的组织、人员及业务流程板块信息等。因此在平台运转过程中,数据库的响应速率直接影响平台的回显速度及用户的友好体验。尽管...

面试中的老大难-mysql事务和锁,一次性讲清楚

什么是事务在维基百科中,对事务的定义是:事务是数据库管理系统(DBMS)执行过程中的一个逻辑单位,由一个有限的数据库操作序列构成。事务的四大特性事务包含四大特性,即原子性(Atomicity)、一致性...