Backtrader 文档学习-Indicators- TA-Lib

Backtrader 文档学习-Indicators- TA-Lib

1.概述

即使BT提供的内置指标数量已经很多,开发指标主要是定义输入、输出并以自然方式编写公式,还是希望使用TA-LIB。原因:

  • 指标X在指标库中,而不在BT中
  • TA-LIB众所周知的,人们信任口碑好
    应大家需要,BT提供了TA-LIB集成

安装前提:

  • 用于TA-Lib的Python包装器
  • TA-LIB所需的任何依赖项(例如numpy), 安装细节在GitHub中

2.使用ta-lib

使用BT中已内置的任何指标一样简单。简单移动平均线的示例:

import backtrader as bt

class MyStrategy(bt.Strategy):
    params = (('period', 20),)

    def __init__(self):
        self.sma = bt.indicators.SMA(self.data, period=self.p.period)
        ...

...

ta-lib示例:

import backtrader as bt

class MyStrategy(bt.Strategy):
    params = (('period', 20),)

    def __init__(self):
        self.sma = bt.talib.SMA(self.data, timeperiod=self.p.period)
        ...

...

ta-lib指标的参数是由库本身定义的,而不是由bt定义的。在这种情况下,ta-lib中的SMA采用一个名为timeperiod的参数来定义操作window的大小。
对于需要多个输入参数的指标,例如随机指标:

import backtrader as bt

class MyStrategy(bt.Strategy):
    params = (('period', 20),)

    def __init__(self):
        self.stoc = bt.talib.STOCH(self.data.high, self.data.low, self.data.close,
                                   fastk_period=14, slowk_period=3, slowd_period=3)

        ...

...

Notice how high, low and close have been individually passed. One could always pass open instead of low (or any other data series) and experiment.

The ta-lib indicator documentation is automatically parsed and added to the backtrader docs. You may also check the ta-lib source code/docs. Or adittionally do:
注意最高价、最低价和收盘价是作为参数分别传递的。总是传递开盘价,而不是最低价(或任何其他数据系列)。
ta-lib指标文档被自动解析并添加到bt文档中。可以查看ta-lib源代码/文档:

print(bt.talib.SMA.doc)

输出:

SMA([input_arrays], [timeperiod=30])

Simple Moving Average (Overlap Studies)

Inputs:
    price: (any ndarray)
Parameters:
    timeperiod: 30
Outputs:
    real

文档说明信息:

  • 输入参数定义,(忽略“ndarray”注释,因为bt在后台管理转换)
  • 有哪些参数,对应默认值
  • 指标函数实际提供了哪些输出值

要为bt.talib.STOCH指标选择特定的移动平均线,可通过backtrader.talib.MA_Type访问标准ta-lib MA_Type :

import backtrader as bt
print('SMA:', bt.talib.MA_Type.SMA)
print('T3:', bt.talib.MA_Type.T3)

结果:

SMA: 0
T3: 8

3.用ta-lib绘图

正如常规用法一样,绘制ta-lib指标并没有特别的操作。
注意:

输出蜡烛的指标(所有寻找烛台模式的指标)提供二进制输出:0或100。为了避免在图表中添加子图,有一个自动绘图转换功能,可以在模式被识别的时间点的数据上绘制子图。

(0)在jupyter中实现命令行代码功能

bt给出的示例都是在命令行的方式,通过命令行不同的参数,实现不同功能。找到一个不用修改代码,直接在jupyter中运行的方法:
代码:

#!/usr/bin/env python
# -*- coding: utf-8; py-indent-offset:4 -*-
###############################################################################
#
# Copyright (C) 2015-2023 Daniel Rodriguez
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program.  If not, see <http://www.gnu.org/licenses/>.
#
###############################################################################
from __future__ import (absolute_import, division, print_function,
                        unicode_literals)

import argparse
import datetime

import backtrader as bt
import backtrader.talib as tbl

class TALibStrategy(bt.Strategy):
    #params = (('ind', 'sma'), ('doji', True),)
    params = (('ind', 'sma'), ('doji', False),)

    INDS = ['sma', 'ema', 'stoc', 'rsi', 'macd', 'bollinger', 'aroon',
            'ultimate', 'trix', 'kama', 'adxr', 'dema', 'ppo', 'tema',
            'roc', 'williamsr']

    def __init__(self):
        print(self.p.doji,self.p.ind)

        if self.p.doji:
            tbl.CDLDOJI(self.data.open, self.data.high,self.data.low, self.data.close)

        if self.p.ind == 'sma':
            tbl.SMA(self.data.close, timeperiod=25, plotname='TA_SMA')
            bt.indicators.SMA(self.data, period=25)

        elif self.p.ind == 'ema':
            tbl.EMA(timeperiod=25, plotname='TA_SMA')
            bt.indicators.EMA(period=25)

        elif self.p.ind == 'stoc':
            tbl.STOCH(self.data.high, self.data.low, self.data.close,
                           fastk_period=14, slowk_period=3, slowd_period=3,
                           plotname='TA_STOCH')

            bt.indicators.Stochastic(self.data)

        elif self.p.ind == 'macd':
            tbl.MACD(self.data, plotname='TA_MACD')
            bt.indicators.MACD(self.data)
            bt.indicators.MACDHisto(self.data)

        elif self.p.ind == 'bollinger':
            tbl.BBANDS(self.data, timeperiod=25,
                            plotname='TA_BBANDS')
            bt.indicators.BBANDS(self.data, period=25) #BollingerBands BBANDS

        elif self.p.ind == 'rsi':
            tbl.RSI(self.data, plotname='TA_RSI')
            bt.indicators.RSI(self.data)

        elif self.p.ind == 'aroon':
            tbl.AROON(self.data.high, self.data.low, plotname='TA_AROON')
            bt.indicators.AroonIndicator(self.data)

        elif self.p.ind == 'ultimate':
            tbl.ULTOSC(self.data.high, self.data.low, self.data.close,
                            plotname='TA_ULTOSC')
            bt.indicators.UltimateOscillator(self.data)

        elif self.p.ind == 'trix':
            tbl.TRIX(self.data, timeperiod=25,  plotname='TA_TRIX')
            bt.indicators.Trix(self.data, period=25)

        elif self.p.ind == 'adxr':
            tbl.ADXR(self.data.high, self.data.low, self.data.close,
                          plotname='TA_ADXR')
            bt.indicators.ADXR(self.data)

        elif self.p.ind == 'kama':
            tbl.KAMA(self.data, timeperiod=25, plotname='TA_KAMA')
            bt.indicators.KAMA(self.data, period=25)

        elif self.p.ind == 'dema':
            tbl.DEMA(self.data, timeperiod=25, plotname='TA_DEMA')
            bt.indicators.DEMA(self.data, period=25)

        elif self.p.ind == 'ppo':
            tbl.PPO(self.data, plotname='TA_PPO')
            bt.indicators.PPO(self.data, _movav=bt.indicators.SMA)

        elif self.p.ind == 'tema':
            tbl.TEMA(self.data, timeperiod=25, plotname='TA_TEMA')
            bt.indicators.TEMA(self.data, period=25)

        elif self.p.ind == 'roc':
            tbl.ROC(self.data, timeperiod=12, plotname='TA_ROC')
            tbl.ROCP(self.data, timeperiod=12, plotname='TA_ROCP')
            tbl.ROCR(self.data, timeperiod=12, plotname='TA_ROCR')
            tbl.ROCR100(self.data, timeperiod=12, plotname='TA_ROCR100')
            bt.indicators.ROC(self.data, period=12)
            bt.indicators.Momentum(self.data, period=12)
            bt.indicators.MomentumOscillator(self.data, period=12)

        elif self.p.ind == 'williamsr':
            tbl.WILLR(self.data.high, self.data.low, self.data.close,
                           plotname='TA_WILLR')
            bt.indicators.WilliamsR(self.data)


def runstrat(args=None):
    args = parse_args(args)

    cerebro = bt.Cerebro()

    dkwargs = dict()
    if args.fromdate:
        fromdate = datetime.datetime.strptime(args.fromdate, '%Y-%m-%d')
        dkwargs['fromdate'] = fromdate

    if args.todate:
        todate = datetime.datetime.strptime(args.todate, '%Y-%m-%d')
        dkwargs['todate'] = todate

    data0 = bt.feeds.YahooFinanceCSVData(dataname=args.data0, **dkwargs)
    cerebro.adddata(data0)

    cerebro.addstrategy(TALibStrategy, ind=args.ind, doji=not args.no_doji)

    cerebro.run(runcone=not args.use_next, stdstats=False)
    if args.plot:
        pkwargs = dict(style='candle')
        if args.plot is not True:  # evals to True but is not True
            npkwargs = eval('dict(' + args.plot + ')')  # args were passed
            pkwargs.update(npkwargs)

        #cerebro.plot(**pkwargs)
        cerebro.plot(iplot=False,**pkwargs)


def parse_args(pargs=None):

    parser = argparse.ArgumentParser(
        formatter_class=argparse.ArgumentDefaultsHelpFormatter,
        description='Sample for sizer')

    parser.add_argument('--data0', required=False,
                        default='./datas/yhoo-1996-2015.txt',
                        help='Data to be read in')

    parser.add_argument('--fromdate', required=False,
                        default='2005-01-01',
                        help='Starting date in YYYY-MM-DD format')

    parser.add_argument('--todate', required=False,
                        default='2006-12-31',
                        help='Ending date in YYYY-MM-DD format')

    parser.add_argument('--ind', required=False, action='store',
                        default=TALibStrategy.INDS[0],
                        choices=TALibStrategy.INDS,
                        help=('Which indicator pair to show together'))

    parser.add_argument('--no-doji', required=False, action='store_true',
                        help=('Remove Doji CandleStick pattern checker'))

    parser.add_argument('--use-next', required=False, action='store_true',
                        help=('Use next (step by step) '
                              'instead of once (batch)'))

    # Plot options
    parser.add_argument('--plot', '-p', nargs='?', required=False,
                        metavar='kwargs', const=True,
                        help=('Plot the read data applying any kwargs passed\n'
                              '\n'
                              'For example (escape the quotes if needed):\n'
                              '\n'
                              '  --plot style="candle" (to plot candles)\n'))

    if pargs is not None:
        return parser.parse_args(pargs)

    return parser.parse_args()

修改部分:

  • 绘图代码

cerebro.plot(iplot=False,**pkwargs)

  • 不用main调用
    用’–help’.split() ,传递不同的参数。
%matplotlib inline
runstrat('--help'.split())

执行结果:

usage: ipykernel_launcher.py [-h] [--data0 DATA0] [--fromdate FROMDATE]
                             [--todate TODATE]
                             [--ind {sma,ema,stoc,rsi,macd,bollinger,aroon,ultimate,trix,kama,adxr,dema,ppo,tema,roc,williamsr}]
                             [--no-doji] [--use-next] [--plot [kwargs]]

Sample for sizer

optional arguments:
  -h, --help            show this help message and exit
  --data0 DATA0         Data to be read in (default:
                        ./datas/yhoo-1996-2015.txt)
  --fromdate FROMDATE   Starting date in YYYY-MM-DD format (default:
                        2005-01-01)
  --todate TODATE       Ending date in YYYY-MM-DD format (default: 2006-12-31)
  --ind {sma,ema,stoc,rsi,macd,bollinger,aroon,ultimate,trix,kama,adxr,dema,ppo,tema,roc,williamsr}
                        Which indicator pair to show together (default: sma)
  --no-doji             Remove Doji CandleStick pattern checker (default:
                        False)
  --use-next            Use next (step by step) instead of once (batch)
                        (default: False)
  --plot [kwargs], -p [kwargs]
                        Plot the read data applying any kwargs passed For
                        example (escape the quotes if needed): --plot
                        style="candle" (to plot candles) (default: None)
(1)示例和对比

The following are plots comparing the outputs of some ta-lib indicators against the equivalent built-in indicators in backtrader. To consider:
ta-lib指标与bt中相应内置指标绘图对比,考虑:

  • ta-lib指示器在图上获得一个TA_前缀,示例专门完成的,以帮助用户识别是哪个指标来源,ta还是bt的。
  • 移动平均线(如果两者的结果相同)将绘制在另一条现有移动平均线之上。如果这两个指标不能分开,测试通过 。
  • 所有示例都包括一个CDLDOJI指示器作为参考
(2)KAMA (Kaufman Moving Average

第一个示例,因为它是唯一有差异的(在bt和ta所有样本的直接比较中):

  • 样本的初始值不相同
  • 某个时间点,值聚合在一起,两个KAMA实现具有相同的行为。
    分析了ta-lib源代码之后:
  • ta-lib中的实现为KAMA的第一个值做出了非行业标准的选择。
    这个不同的选择可以在ta源代码中找到(引用自源代码),使用昨天的价格作为前期的KAMA。

bt做的选择例如从股票软件图表中选择一样

  • 股票软件图表中的KAMA
    需要一个初始值来开始计算,所以第一个KAMA只是一个简单的移动平均值

  • 因此两者有所不同。此外:
    ta-lib KAMA实现不允许为Kaufman定义的可伸缩常数的调整指定快速和慢速周期。

测试:

%matplotlib inline
runstrat('--plot --ind kama'.split())

图示:
在这里插入图片描述

(4)SMA

测试:

%matplotlib inline
runstrat('--plot --ind sma'.split())

图示:
在这里插入图片描述

(5)EMA

测试:

runstrat(‘–plot --ind ema’.split())

图示:
在这里插入图片描述

(6)Stochastic

测试:

runstrat(‘–plot --ind stoc’.split())

图示:
在这里插入图片描述

(7)RSI

测试:

runstrat(‘–plot --ind rsi’.split())

图示:
在这里插入图片描述

(8)MACD

测试:

runstrat(‘–plot --ind macd’.split())

图示:
在这里插入图片描述

(9)Bollinger Bands

测试:

runstrat(‘–plot --ind bollinger’.split())

报错,花了一些时间找问题。

TypeError: Invalid parameter value for nbdevup (expected float, got int)

源代码:

            bt.talib.BBANDS(self.data, timeperiod=25,
                            plotname='TA_BBANDS')
            bt.indicators.BollingerBands(self.data, period=25)

修改为:

        elif self.p.ind == 'bollinger':
            tbl.BBANDS(self.data, timeperiod=25, nbdevup=2.0,nbdevdn=2.0, matype=0,plotname='TA_BBANDS')
            bt.indicators.BBands(self.data, period=25) #nbdevup=2,nbdevdn=2, matype=0

源代码两处问题:

  1. 参数应该是float ,调整接口默认是int,所以报错。直接指定浮点数:nbdevup=2.0,nbdevdn=2.0 。
  2. bt.indicators.BBands 不是bt.indicators.BBANDS ,bt和ta两个的名字大小写不一样 。

图示:
在这里插入图片描述

(10)AROON

注意:
ta-lib选择将下行线放在第一位,与backtrader内置指标相比,颜色是相反的。
测试:

runstrat(‘–plot --ind aroon’.split())

图示:
在这里插入图片描述

(11)Ultimate Oscillator

测试:

runstrat(‘–plot --ind ultimate’.split())

图示:
在这里插入图片描述

(12)Trix

测试:

runstrat(‘–plot --ind trix’.split())

图示:
在这里插入图片描述

(13)ADXR

测试:

runstrat(‘–plot --ind adxr’.split())

图示:
在这里插入图片描述

(14)DEMA

测试:

runstrat(‘–plot --ind dema’.split())

图示:
在这里插入图片描述

(15)TEMA

测试:

runstrat(‘–plot --ind tema’.split())

图示:
在这里插入图片描述

(16)PPO

backtrader不仅提供了ppo线,还提供传统的macd方法。
测试:

runstrat(‘–plot --ind ppo’.split())

图示:
在这里插入图片描述

(17)WilliamsR

测试:

runstrat(‘–plot --ind williamsr’.split())

图示:
在这里插入图片描述

(18)ROC

所有指标显示具有完全相同的形状,但跟踪动量或变化率有几种定义
测试:

runstrat(‘–plot --ind roc’.split())

图示:
在这里插入图片描述

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:/a/369850.html

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

远程SSH连接树莓派, SSH反向隧道访问树莓派(使用阿里云服务器以及树莓派4b)

使用SSH反向隧道 由于其没有公网IP地址&#xff0c;那么不在同一个内网的其它电脑就无法直接连接到这台树莓派&#xff0c;这个时候内网穿透技术就可以帮助我们克服这个问题 这里使用ubuntu系统, 树莓派4b, 使用端口8999演示 参考 SSH 反向隧道搭建过程-云社区-华为云 (huawei…

架构篇33:传统的可扩展架构模式-分层架构和SOA

文章目录 分层架构SOA小结相比于高性能、高可用架构模式在最近几十年的迅猛发展来说,可扩展架构模式的发展可以说是步履蹒跚,最近几年火热的微服务模式算是可扩展模式发展历史中为数不多的亮点,但这也导致了现在谈可扩展的时候必谈微服务,甚至微服务架构都成了架构设计的银…

【从零开始的rust web开发之路 三】orm框架sea-orm入门使用教程

【从零开始的rust web开发之路 三】orm框架sea-orm入门使用教程 文章目录 前言一、引入依赖二、创建数据库连接简单链接连接选项开启日志调试 三、生成实体安装sea-orm-cli创建数据库表使用sea-orm-cli命令生成实体文件代码 四、增删改查实现新增数据主键查找条件查找查找用户名…

99例电气实物接线及52个自动化机械手动图

给大家分享一些流水线设计中常见的一些结构&#xff0c;这些动态图很直观&#xff0c;有助于大家了解其原理&#xff0c;非常好懂。 1.家庭总电箱接线图 2.经典双控灯接线 3.五孔一开接线 4.电动机点动控制接线&#xff08;不安全&#xff09; 5.电动机自锁接线图&#xff08;…

建筑工程答案在哪搜?九个免费好用的大学生搜题工具 #经验分享#知识分享

大学生必备&#xff0c;这条笔记大数据一定定要推给刚上大学的学弟学妹&#xff01;&#xff01; 1.七燕搜题 这是一个公众号 解题步骤详细解析&#xff0c;帮助你理解问题本质。其他考试领域也能找到答案。 下方附上一些测试的试题及答案 1、据《素问太阴阳明论》所论&…

Java swing——创建对话框JDialog

之前我们讲了怎么建立一个简易的窗口&#xff0c;链接&#xff1a;http://t.csdnimg.cn/l7QSs&#xff0c;接下来继续讲解窗口的进阶。 对话框 上一篇文章中我们讲到了JFrame是一种顶层容器&#xff0c;本文接下来介绍其余的顶层容器。 跟JFrame一样&#xff0c;&#xff0c;这…

「递归算法」:二叉树的所有路径

一、题目 给你一个二叉树的根节点 root &#xff0c;按 任意顺序 &#xff0c;返回所有从根节点到叶子节点的路径。 叶子节点 是指没有子节点的节点。 示例 1&#xff1a; 输入&#xff1a;root [1,2,3,null,5] 输出&#xff1a;["1->2->5","1->3&qu…

微信小程序实现吸顶、网格、瀑布流布局

微信小程序开发通常是在webview模式下编写&#xff0c;但是对小程序的渲染性能有一定的追求&#xff0c;就需要使用Skyline模式进行渲染&#xff0c;同时在这种模式下有也有一些特殊的组件&#xff0c;可以轻松的实现想要的效果&#xff0c;本文将介绍在Skyline模式下如何实现吸…

NoSQL(非关系型数据库)

目录 前言&#xff1a; 一、NoSQL的类别 1.1 键值&#xff08;key-value&#xff09;存储数据库 1.2 列存储数据库 1.3 文档型数据库 1.4 图形数据库 二、NoSQL适应场景 三、在分布式数据库中的CAP原理 3.1 传统的ACID 3.2 CAP 四、什么是BASE 前言&#xff1a; NoS…

【数据结构】二叉树链式结构的实现

简单不先于复杂&#xff0c;而是在复杂之后。 文章目录 1. 二叉树链式结构的实现1.1 前置说明1.2 二叉树的遍历1.2.1 前序、中序以及后序遍历1.2.2 层序遍历 1.3 节点个数以及高度等1.4 二叉树基础oj练习1.5 二叉树的创建和销毁 1. 二叉树链式结构的实现 1.1 前置说明 在学习二…

如何搭建 sqli-labs 靶场保姆级教程(附链接)

一、环境准备 建议采用虚拟机作为靶场环境的承载平台&#xff0c;以实现更灵活、可定制的配置&#xff0c;提高系统资源的利用效率。这种部署方式不仅能够有效隔离实验环境&#xff0c;降低对真实硬件的依赖&#xff0c;还能够快速搭建和复制实验场景&#xff0c;为安全测试和…

IGMP——网际组管理协议

目录 1 IGMP 1.1 IGMP 使用 IP 数据报传递其报文 1.2 IGMP 工作 第一阶段&#xff1a;加入多播组 第二阶段&#xff1a;探询组成员变化情况 1.3 IGMP 采用的一些具体措施&#xff0c;以避免增加大量开销 1 IGMP 标准 1989 年公布的 RFC 1112&#xff08;IGMPv1&#xff…

总观看量已超千万!新就业形态劳动者新春联谊会成功播出

春节到来之际,由中华全国总工会主办,中国海员建设工会、中国国防邮电工会、中国财贸轻纺烟草工会、中华全国总工会文工团联合承办,中国职工发展基金会协办,北京市总工会支持的“温暖有你 共赴美好”2024年新就业形态劳动者新春联谊会,于2月2日晚8点在新华网、央视频、全国总工会…

Java自救手册

目录 访问地址 访问地址&#xff0c;发现不通&#xff0c;无法访问&#xff1a; 网络不通一般有两种情况&#xff1a; Maven 拿Maven 拿到Maven以后 Maven单独的报红 Git git注意&#xff1a; 目录 访问地址 访问地址&#xff0c;发现不通&#xff0c;无法访问&…

Java 使用 ant.jar 执行 SQL 脚本文件

Java 使用 ant.jar 执行 SQL 脚本文件&#xff0c;很简单。 在 pom.xml 中导入 ant 依赖 <dependency><groupId>org.apache.ant</groupId><artifactId>ant</artifactId><version>1.10.11</version> </dependency>sql 脚本文件…

《统计学习方法:李航》笔记 从原理到实现(基于python)-- 第6章 逻辑斯谛回归与最大熵模型(2)6.2 最大熵模型

文章目录 6.2 最大熵模型6.2.1 最大熵原理6.2.3 最大熵模型的学习6.2.4 极大似然估计 《统计学习方法&#xff1a;李航》笔记 从原理到实现&#xff08;基于python&#xff09;-- 第3章 k邻近邻法 《统计学习方法&#xff1a;李航》笔记 从原理到实现&#xff08;基于python&am…

远程桌面时连接不上远程计算机是什么问题

在服务器上搭建网络程序时&#xff0c;我们经常会有需要远程连接上服务器进行相关操作&#xff0c;有些用户在远程桌面的时候&#xff0c;有时会有遇上无法连接到远程计算机的情况。 很多用户都曾遇到在远程桌面时出现“未启用对服务器的远程访问”、“远程计算机已关闭”、“…

vit细粒度图像分类(九)RAMS-Trans学习笔记

1.摘要 在细粒度图像识别(FGIR)中&#xff0c;区域注意力的定位和放大是一个重要因素&#xff0c;基于卷积神经网络(cnn)的方法对此进行了大量探索。近年来发展起来的视觉变压器(ViT)在计算机视觉任务中取得了可喜的成果。与cnn相比&#xff0c;图像序列化是一种全新的方式。然…

【开源】SpringBoot框架开发大学计算机课程管理平台

目录 一、摘要1.1 项目介绍1.2 项目录屏 二、功能模块2.1 实验课程档案模块2.2 实验资源模块2.3 学生实验模块 三、系统设计3.1 用例设计3.2 数据库设计3.2.1 实验课程档案表3.2.2 实验资源表3.2.3 学生实验表 四、系统展示五、核心代码5.1 一键生成实验5.2 提交实验5.3 批阅实…

Mac安装Homebrew+MySQL+Redis+Nginx+Tomcat等

Mac安装HomebrewMySQLRedisNginxTomcat等 文章目录 Mac安装HomebrewMySQLRedisNginxTomcat等一、Mac安装Mysql 8①&#xff1a;下载②&#xff1a;安装③&#xff1a;配置环境变量④&#xff1a;外部连接测试 二、Mac安装Redis和可视化工具①&#xff1a;安装Redis01&#xff1…