PandasTA 源码解析(十三)(1)

本文涉及的产品
全局流量管理 GTM,标准版 1个月
云解析 DNS,旗舰版 1个月
公共DNS(含HTTPDNS解析),每月1000万次HTTP解析
简介: PandasTA 源码解析(十三)

.\pandas-ta\pandas_ta\trend\decreasing.py

# -*- coding: utf-8 -*-
# 从 pandas_ta.utils 模块中导入所需函数和类
from pandas_ta.utils import get_drift, get_offset, is_percent, verify_series
# 定义一个名为 decreasing 的函数,用于计算序列是否递减
def decreasing(close, length=None, strict=None, asint=None, percent=None, drift=None, offset=None, **kwargs):
    """Indicator: Decreasing"""
    # 验证参数
    # 如果 length 参数存在且大于 0,则将其转换为整数,否则设为 1
    length = int(length) if length and length > 0 else 1
    # 如果 strict 参数是布尔类型,则保持不变,否则设为 False
    strict = strict if isinstance(strict, bool) else False
    # 如果 asint 参数是布尔类型,则保持不变,否则设为 True
    asint = asint if isinstance(asint, bool) else True
    # 对 close 序列进行验证,并设定长度为 length
    close = verify_series(close, length)
    # 获取 drift 和 offset 参数的值
    drift = get_drift(drift)
    offset = get_offset(offset)
    # 如果 percent 参数是百分比,则将其转换为浮点数,否则设为 False
    percent = float(percent) if is_percent(percent) else False
    # 如果 close 为 None,则返回 None
    if close is None: return
    # 计算结果
    # 如果 percent 存在,则对 close 序列进行缩放
    close_ = (1 - 0.01 * percent) * close if percent else close
    # 如果 strict 为 True,则进行严格递减的计算
    if strict:
        # 使用循环检查连续递减的情况
        decreasing = close < close_.shift(drift)
        for x in range(3, length + 1):
            decreasing = decreasing & (close.shift(x - (drift + 1)) < close_.shift(x - drift))
        # 填充缺失值为 0,并将结果转换为布尔类型
        decreasing.fillna(0, inplace=True)
        decreasing = decreasing.astype(bool)
    else:
        # 否则,使用简单的递减计算
        decreasing = close_.diff(length) < 0
    # 如果 asint 为 True,则将结果转换为整数
    if asint:
        decreasing = decreasing.astype(int)
    # 对结果进行偏移
    if offset != 0:
        decreasing = decreasing.shift(offset)
    # 处理填充值
    if "fillna" in kwargs:
        decreasing.fillna(kwargs["fillna"], inplace=True)
    if "fill_method" in kwargs:
        decreasing.fillna(method=kwargs["fill_method"], inplace=True)
    # 设定结果的名称和类别
    _percent = f"_{0.01 * percent}" if percent else ''
    _props = f"{'S' if strict else ''}DEC{'p' if percent else ''}"
    decreasing.name = f"{_props}_{length}{_percent}"
    decreasing.category = "trend"
    return decreasing
# 为 decreasing 函数添加文档字符串
decreasing.__doc__ = \
"""Decreasing
Returns True if the series is decreasing over a period, False otherwise.
If the kwarg 'strict' is True, it returns True if it is continuously decreasing
over the period. When using the kwarg 'asint', then it returns 1 for True
or 0 for False.
Calculation:
    if strict:
        decreasing = all(i > j for i, j in zip(close[-length:], close[1:]))
    else:
        decreasing = close.diff(length) < 0
    if asint:
        decreasing = decreasing.astype(int)
Args:
    close (pd.Series): Series of 'close's
    length (int): It's period. Default: 1
    strict (bool): If True, checks if the series is continuously decreasing over the period. Default: False
    percent (float): Percent as an integer. Default: None
    asint (bool): Returns as binary. Default: True
    drift (int): The difference period. Default: 1
    offset (int): How many periods to offset the result. Default: 0
Kwargs:
    fillna (value, optional): pd.DataFrame.fillna(value)
    fill_method (value, optional): Type of fill method
Returns:
    pd.Series: New feature generated.
"""

.\pandas-ta\pandas_ta\trend\dpo.py

# -*- coding: utf-8 -*-
# 从 pandas_ta.overlap 模块导入 sma 函数
from pandas_ta.overlap import sma
# 从 pandas_ta.utils 模块导入 get_offset 和 verify_series 函数
from pandas_ta.utils import get_offset, verify_series
def dpo(close, length=None, centered=True, offset=None, **kwargs):
    """Indicator: Detrend Price Oscillator (DPO)"""
    # 验证参数
    # 将长度参数转换为整数,如果长度参数存在且大于0,则使用,否则默认为20
    length = int(length) if length and length > 0 else 20
    # 验证 close 是否为有效的时间序列,长度为指定的长度
    close = verify_series(close, length)
    # 获取偏移量
    offset = get_offset(offset)
    # 如果 kwargs 中的 "lookahead" 为 False,则将 centered 设置为 False
    if not kwargs.get("lookahead", True):
        centered = False
    # 如果 close 为空,则返回 None
    if close is None: return
    # 计算结果
    # 计算 t,即 int(0.5 * length) + 1
    t = int(0.5 * length) + 1
    # 计算 close 的简单移动平均
    ma = sma(close, length)
    # 计算 DPO,close 减去 ma 后向前位移 t 个周期
    dpo = close - ma.shift(t)
    # 如果 centered 为 True,则再将 DPO 向后位移 t 个周期
    if centered:
        dpo = (close.shift(t) - ma).shift(-t)
    # 偏移
    if offset != 0:
        dpo = dpo.shift(offset)
    # 处理填充
    # 如果 kwargs 中有 "fillna",则使用该值填充 NaN
    if "fillna" in kwargs:
        dpo.fillna(kwargs["fillna"], inplace=True)
    # 如果 kwargs 中有 "fill_method",则使用指定的填充方法
    if "fill_method" in kwargs:
        dpo.fillna(method=kwargs["fill_method"], inplace=True)
    # 命名和分类
    dpo.name = f"DPO_{length}"
    dpo.category = "trend"
    return dpo
# 更新文档字符串
dpo.__doc__ = \
"""Detrend Price Oscillator (DPO)
Is an indicator designed to remove trend from price and make it easier to
identify cycles.
Sources:
    https://www.tradingview.com/scripts/detrendedpriceoscillator/
    https://www.fidelity.com/learning-center/trading-investing/technical-analysis/technical-indicator-guide/dpo
    http://stockcharts.com/school/doku.php?id=chart_school:technical_indicators:detrended_price_osci
Calculation:
    Default Inputs:
        length=20, centered=True
    SMA = Simple Moving Average
    t = int(0.5 * length) + 1
    DPO = close.shift(t) - SMA(close, length)
    if centered:
        DPO = DPO.shift(-t)
Args:
    close (pd.Series): Series of 'close's
    length (int): It's period. Default: 1
    centered (bool): Shift the dpo back by int(0.5 * length) + 1. Default: True
    offset (int): How many periods to offset the result. Default: 0
Kwargs:
    fillna (value, optional): pd.DataFrame.fillna(value)
    fill_method (value, optional): Type of fill method
Returns:
    pd.Series: New feature generated.
"""

.\pandas-ta\pandas_ta\trend\increasing.py

# -*- coding: utf-8 -*-
# 从 pandas_ta.utils 中导入所需的函数和模块
from pandas_ta.utils import get_drift, get_offset, is_percent, verify_series
# 定义名为 increasing 的函数,用于计算序列是否递增
def increasing(close, length=None, strict=None, asint=None, percent=None, drift=None, offset=None, **kwargs):
    """Indicator: Increasing"""
    # 验证参数的有效性
    length = int(length) if length and length > 0 else 1  # 将长度转换为整数,如果未提供或小于等于0,则设为1
    strict = strict if isinstance(strict, bool) else False  # 如果 strict 不是布尔值,则设为 False
    asint = asint if isinstance(asint, bool) else True  # 如果 asint 不是布尔值,则设为 True
    close = verify_series(close, length)  # 验证并处理输入的序列数据
    drift = get_drift(drift)  # 获取漂移值
    offset = get_offset(offset)  # 获取偏移值
    percent = float(percent) if is_percent(percent) else False  # 将百分比转换为浮点数,如果不是百分比,则设为 False
    if close is None: return  # 如果序列为空,则返回空值
    # 计算结果
    close_ = (1 + 0.01 * percent) * close if percent else close  # 如果有百分比参数,则对序列进行调整
    if strict:
        # 返回值是否为 float64?必须转换为布尔值
        increasing = close > close_.shift(drift)  # 检查当前值是否大于移动后的值
        for x in range(3, length + 1):
            increasing = increasing & (close.shift(x - (drift + 1)) > close_.shift(x - drift))  # 检查连续多个值是否递增
        increasing.fillna(0, inplace=True)  # 填充缺失值为0
        increasing = increasing.astype(bool)  # 将结果转换为布尔值
    else:
        increasing = close_.diff(length) > 0  # 检查序列是否在给定周期内递增
    if asint:
        increasing = increasing.astype(int)  # 将结果转换为整数类型
    # 偏移结果
    if offset != 0:
        increasing = increasing.shift(offset)  # 对结果进行偏移
    # 处理填充值
    if "fillna" in kwargs:
        increasing.fillna(kwargs["fillna"], inplace=True)  # 使用指定值填充缺失值
    if "fill_method" in kwargs:
        increasing.fillna(method=kwargs["fill_method"], inplace=True)  # 使用指定方法填充缺失值
    # 命名并分类结果
    _percent = f"_{0.01 * percent}" if percent else ''  # 根据是否存在百分比参数构建后缀
    _props = f"{'S' if strict else ''}INC{'p' if percent else ''}"  # 根据参数构建特性标识
    increasing.name = f"{_props}_{length}{_percent}"  # 构建结果的名称
    increasing.category = "trend"  # 将结果分类为趋势
    return increasing  # 返回计算结果
increasing.__doc__ = \
"""Increasing
Returns True if the series is increasing over a period, False otherwise.
If the kwarg 'strict' is True, it returns True if it is continuously increasing
over the period. When using the kwarg 'asint', then it returns 1 for True
or 0 for False.
Calculation:
    if strict:
        increasing = all(i < j for i, j in zip(close[-length:], close[1:]))
    else:
        increasing = close.diff(length) > 0
    if asint:
        increasing = increasing.astype(int)
Args:
    close (pd.Series): Series of 'close's
    length (int): It's period. Default: 1
    strict (bool): If True, checks if the series is continuously increasing over the period. Default: False
    percent (float): Percent as an integer. Default: None
    asint (bool): Returns as binary. Default: True
    drift (int): The difference period. Default: 1
    offset (int): How many periods to offset the result. Default: 0
Kwargs:
    fillna (value, optional): pd.DataFrame.fillna(value)
    fill_method (value, optional): Type of fill method
Returns:
    pd.Series: New feature generated.
"""

.\pandas-ta\pandas_ta\trend\long_run.py

# -*- coding: utf-8 -*-
# 导入必要的模块和函数
from .decreasing import decreasing  # 从当前目录下的 decreasing 模块导入 decreasing 函数
from .increasing import increasing  # 从当前目录下的 increasing 模块导入 increasing 函数
from pandas_ta.utils import get_offset, verify_series  # 从 pandas_ta.utils 模块导入 get_offset 和 verify_series 函数
def long_run(fast, slow, length=None, offset=None, **kwargs):
    """Indicator: Long Run"""
    # Validate Arguments
    # 将 length 转换为整数,如果 length 存在且大于 0;否则默认为 2
    length = int(length) if length and length > 0 else 2
    # 验证 fast 和 slow 是否为有效的序列,并将其长度限制为 length
    fast = verify_series(fast, length)
    slow = verify_series(slow, length)
    # 获取偏移量
    offset = get_offset(offset)
    # 如果 fast 或 slow 为空,则返回空值
    if fast is None or slow is None: return
    # Calculate Result
    # 计算可能的底部或底部的条件,即 fast 增长而 slow 减小
    pb = increasing(fast, length) & decreasing(slow, length)
    # 计算 fast 和 slow 同时增长的条件
    bi = increasing(fast, length) & increasing(slow, length)
    # 计算长期趋势的条件,可能的底部或底部,以及 fast 和 slow 同时增长的情况
    long_run = pb | bi
    # Offset
    # 如果 offset 不为 0,则对长期趋势进行偏移
    if offset != 0:
        long_run = long_run.shift(offset)
    # Handle fills
    # 处理填充值
    if "fillna" in kwargs:
        long_run.fillna(kwargs["fillna"], inplace=True)
    # 使用指定的填充方法填充缺失值
    if "fill_method" in kwargs:
        long_run.fillna(method=kwargs["fill_method"], inplace=True)
    # Name and Categorize it
    # 设置长期趋势指标的名称
    long_run.name = f"LR_{length}"
    # 设置长期趋势指标的类别为 "trend"
    long_run.category = "trend"
    return long_run


PandasTA 源码解析(十三)(2)https://developer.aliyun.com/article/1506228

相关文章
|
2月前
|
监控 Java 应用服务中间件
高级java面试---spring.factories文件的解析源码API机制
【11月更文挑战第20天】Spring Boot是一个用于快速构建基于Spring框架的应用程序的开源框架。它通过自动配置、起步依赖和内嵌服务器等特性,极大地简化了Spring应用的开发和部署过程。本文将深入探讨Spring Boot的背景历史、业务场景、功能点以及底层原理,并通过Java代码手写模拟Spring Boot的启动过程,特别是spring.factories文件的解析源码API机制。
88 2
|
13天前
|
存储 设计模式 算法
【23种设计模式·全精解析 | 行为型模式篇】11种行为型模式的结构概述、案例实现、优缺点、扩展对比、使用场景、源码解析
行为型模式用于描述程序在运行时复杂的流程控制,即描述多个类或对象之间怎样相互协作共同完成单个对象都无法单独完成的任务,它涉及算法与对象间职责的分配。行为型模式分为类行为模式和对象行为模式,前者采用继承机制来在类间分派行为,后者采用组合或聚合在对象间分配行为。由于组合关系或聚合关系比继承关系耦合度低,满足“合成复用原则”,所以对象行为模式比类行为模式具有更大的灵活性。 行为型模式分为: • 模板方法模式 • 策略模式 • 命令模式 • 职责链模式 • 状态模式 • 观察者模式 • 中介者模式 • 迭代器模式 • 访问者模式 • 备忘录模式 • 解释器模式
【23种设计模式·全精解析 | 行为型模式篇】11种行为型模式的结构概述、案例实现、优缺点、扩展对比、使用场景、源码解析
|
13天前
|
设计模式 存储 安全
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
结构型模式描述如何将类或对象按某种布局组成更大的结构。它分为类结构型模式和对象结构型模式,前者采用继承机制来组织接口和类,后者釆用组合或聚合来组合对象。由于组合关系或聚合关系比继承关系耦合度低,满足“合成复用原则”,所以对象结构型模式比类结构型模式具有更大的灵活性。 结构型模式分为以下 7 种: • 代理模式 • 适配器模式 • 装饰者模式 • 桥接模式 • 外观模式 • 组合模式 • 享元模式
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
|
13天前
|
设计模式 存储 安全
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
创建型模式的主要关注点是“怎样创建对象?”,它的主要特点是"将对象的创建与使用分离”。这样可以降低系统的耦合度,使用者不需要关注对象的创建细节。创建型模式分为5种:单例模式、工厂方法模式抽象工厂式、原型模式、建造者模式。
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
|
2月前
|
缓存 监控 Java
Java线程池提交任务流程底层源码与源码解析
【11月更文挑战第30天】嘿,各位技术爱好者们,今天咱们来聊聊Java线程池提交任务的底层源码与源码解析。作为一个资深的Java开发者,我相信你一定对线程池并不陌生。线程池作为并发编程中的一大利器,其重要性不言而喻。今天,我将以对话的方式,带你一步步深入线程池的奥秘,从概述到功能点,再到背景和业务点,最后到底层原理和示例,让你对线程池有一个全新的认识。
57 12
|
1月前
|
PyTorch Shell API
Ascend Extension for PyTorch的源码解析
本文介绍了Ascend对PyTorch代码的适配过程,包括源码下载、编译步骤及常见问题,详细解析了torch-npu编译后的文件结构和三种实现昇腾NPU算子调用的方式:通过torch的register方式、定义算子方式和API重定向映射方式。这对于开发者理解和使用Ascend平台上的PyTorch具有重要指导意义。
|
14天前
|
安全 搜索推荐 数据挖掘
陪玩系统源码开发流程解析,成品陪玩系统源码的优点
我们自主开发的多客陪玩系统源码,整合了市面上主流陪玩APP功能,支持二次开发。该系统适用于线上游戏陪玩、语音视频聊天、心理咨询等场景,提供用户注册管理、陪玩者资料库、预约匹配、实时通讯、支付结算、安全隐私保护、客户服务及数据分析等功能,打造综合性社交平台。随着互联网技术发展,陪玩系统正成为游戏爱好者的新宠,改变游戏体验并带来新的商业模式。
|
2月前
|
存储 安全 Linux
Golang的GMP调度模型与源码解析
【11月更文挑战第11天】GMP 调度模型是 Go 语言运行时系统的核心部分,用于高效管理和调度大量协程(goroutine)。它通过少量的操作系统线程(M)和逻辑处理器(P)来调度大量的轻量级协程(G),从而实现高性能的并发处理。GMP 模型通过本地队列和全局队列来减少锁竞争,提高调度效率。在 Go 源码中,`runtime.h` 文件定义了关键数据结构,`schedule()` 和 `findrunnable()` 函数实现了核心调度逻辑。通过深入研究 GMP 模型,可以更好地理解 Go 语言的并发机制。
|
2月前
|
消息中间件 缓存 安全
Future与FutureTask源码解析,接口阻塞问题及解决方案
【11月更文挑战第5天】在Java开发中,多线程编程是提高系统并发性能和资源利用率的重要手段。然而,多线程编程也带来了诸如线程安全、死锁、接口阻塞等一系列复杂问题。本文将深度剖析多线程优化技巧、Future与FutureTask的源码、接口阻塞问题及解决方案,并通过具体业务场景和Java代码示例进行实战演示。
63 3
|
3月前
|
存储
让星星⭐月亮告诉你,HashMap的put方法源码解析及其中两种会触发扩容的场景(足够详尽,有问题欢迎指正~)
`HashMap`的`put`方法通过调用`putVal`实现,主要涉及两个场景下的扩容操作:1. 初始化时,链表数组的初始容量设为16,阈值设为12;2. 当存储的元素个数超过阈值时,链表数组的容量和阈值均翻倍。`putVal`方法处理键值对的插入,包括链表和红黑树的转换,确保高效的数据存取。
68 5

热门文章

最新文章