Backtrader數據饋送開發

  |  

添加新的基於 CSV 的數據饋送很容易。現有的基類 CSVDataBase 提供的框架將大部分工作從子類中移除,在大多數情況下可以簡單地完成:

def _loadline(self, linetokens):

  # parse the linetokens here and put them in self.lines.close,
  # self.lines.high, etc

  return True # if data was parsed, else ... return False

這顯示在 CSV數據饋送開發中。

基類負責參數、初始化、打開文件、讀取、將拆分為標記以及其他事情,例如跳過不適合用戶可能已定義的日期範圍( fromdatetodate )的.

開發非 CSV 數據饋送遵循相同的模式,而無需深入到已經拆分的標記。

要做的事情:

  • backtrader .feed.DataBase 派生

  • 添加您可能需要的任何參數

  • 如果需要初始化,覆蓋__init__(self)和/或start(self)

  • 如果需要任何清理代碼,請覆蓋stop(self)

  • 工作發生在必須始終被覆蓋的方法內部: _load(self)

讓我們看看backtrader .feed.DataBase已經提供的參數:

class DataBase(six.with_metaclass(MetaDataBase, dataseries.OHLCDateTime)):

    params = (('dataname', None),
        ('fromdate', datetime.datetime.min),
        ('todate', datetime.datetime.max),
        ('name', ''),
        ('compression', 1),
        ('timeframe', TimeFrame.Days),
        ('sessionend', None))

具有以下含義:

  • dataname允許數據饋送識別如何獲取數據。在CSVDataBase的情況下,此參數意味著文件的路徑或已經是類似文件的對象。

  • fromdatetodate定義將傳遞給策略的日期範圍。 Feed 提供的超出此範圍的任何值都將被忽略

  • name是用於繪圖目的的化妝品

  • timeframecompression是美觀和信息豐富的。它們確實在數據重採樣和數據重放中發揮作用。

  • sessionend如果通過(一個datetime對象)將被添加到允許識別會話結束的數據饋送日期時間

示例二進制數據饋送

backtrader已經為VisualChart的導出定義了一個 CSV 數據饋送 ( VChartCSVData ),但也可以直接讀取二進制數據文件。

讓我們開始吧(完整的數據饋送代碼可以在底部找到)

初始化

二進制 VisualChart 數據文件可以包含每日(.fd 擴展名)或日內數據(.min 擴展名)。在這裡,信息參數timeframe將用於區分正在讀取的文件類型。

__init__期間,設置了每種類型不同的常量。

    def __init__(self):
        super(VChartData, self).__init__()

        # Use the informative "timeframe" parameter to understand if the
        # code passed as "dataname" refers to an intraday or daily feed
        if self.p.timeframe >= TimeFrame.Days:
            self.barsize = 28
            self.dtsize = 1
            self.barfmt = 'IffffII'
        else:
            self.dtsize = 2
            self.barsize = 32
            self.barfmt = 'IIffffII'

開始

Datafeed 將在回測開始時啟動(實際上可以在優化期間啟動多次)

start方法中,除非傳遞了類似文件的對象,否則二進製文件是打開的。

    def start(self):
        # the feed must start ... get the file open (or see if it was open)
        self.f = None
        if hasattr(self.p.dataname, 'read'):
            # A file has been passed in (ex: from a GUI)
            self.f = self.p.dataname
        else:
            # Let an exception propagate
            self.f = open(self.p.dataname, 'rb')

停止

回測完成時調用。

如果一個文件是打開的,它將被關閉

    def stop(self):
        # Close the file if any
        if self.f is not None:
            self.f.close()
            self.f = None

實際加載

實際工作在_load中完成。調用以加載下一組數據,在本例中為下一組:datetime、 openhighlowclosevolumeopeninterest 。在backtrader中,“實際”時刻對應於索引 0。

將從打開的文件中讀取一些字節(由__init__期間設置的常量確定),用struct模塊解析,如果需要進一步處理(如日期和時間的 divmod 操作)並存儲在數據lines提要:日期時間、開盤價最高價、最低價收盤價、交易持倉量。

如果無法從文件中讀取數據,則假定已到達文件結尾 (EOF)

  • 返回False表示沒有更多數據可用

否則,如果數據已加載並解析:

  • 返回True表示數據集加載成功
    def _load(self):
        if self.f is None:
            # if no file ... no parsing
            return False

        # Read the needed amount of binary data
        bardata = self.f.read(self.barsize)
        if not bardata:
            # if no data was read ... game over say "False"
            return False

        # use struct to unpack the data
        bdata = struct.unpack(self.barfmt, bardata)

        # Years are stored as if they had 500 days
        y, md = divmod(bdata[0], 500)
        # Months are stored as if they had 32 days
        m, d = divmod(md, 32)
        # put y, m, d in a datetime
        dt = datetime.datetime(y, m, d)

        if self.dtsize > 1:  # Minute Bars
            # Daily Time is stored in seconds
            hhmm, ss = divmod(bdata[1], 60)
            hh, mm = divmod(hhmm, 60)
            # add the time to the existing atetime
            dt = dt.replace(hour=hh, minute=mm, second=ss)

        self.lines.datetime[0] = date2num(dt)

        # Get the rest of the unpacked data
        o, h, l, c, v, oi = bdata[self.dtsize:]
        self.lines.open[0] = o
        self.lines.high[0] = h
        self.lines.low[0] = l
        self.lines.close[0] = c
        self.lines.volume[0] = v
        self.lines.openinterest[0] = oi

        # Say success
        return True

其他二進制格式

相同的模型可以應用於任何其他二進制源:

  • 數據庫

  • 分層數據存儲

  • 在線資源

又是步驟:

  • __init__ -> 實例的任何初始化代碼,只有一次

  • start -> 開始回測(如果要運行優化,則進行一次或多次)

    例如,這將打開到數據庫的連接或到在線服務的套接字

  • stop -> 清理,例如關閉數據庫連接或打開套接字

  • _load -> 查詢數據庫或在線源以獲取下一組數據並將其加載到對象的lines中。標準字段為:datetime、 openhighlowclosevolumeopeninterest

VChartData 測試

VCharData從本地“.fd”文件為 Google 加載 2006 年的數據。

它只是關於加載數據,因此甚至不需要Strategy的子類。

from __future__ import (absolute_import, division, print_function,
                        unicode_literals)

import datetime

import backtrader as bt
from vchart import VChartData


if __name__ == '__main__':
    # Create a cerebro entity
    cerebro = bt.Cerebro(stdstats=False)

    # Add a strategy
    cerebro.addstrategy(bt.Strategy)

    # Create a Data Feed
    datapath = '../datas/goog.fd'
    data = VChartData(
        dataname=datapath,
        fromdate=datetime.datetime(2006, 1, 1),
        todate=datetime.datetime(2006, 12, 31),
        timeframe=bt.TimeFrame.Days
    )

    # Add the Data Feed to Cerebro
    cerebro.adddata(data)

    # Run over everything
    cerebro.run()

    # Plot the result
    cerebro.plot(style='bar')

VChartData 完整代碼

from __future__ import (absolute_import, division, print_function,
                        unicode_literals)

import datetime
import struct

from backtrader.feed import DataBase
from backtrader import date2num
from backtrader import TimeFrame


class VChartData(DataBase):
    def __init__(self):
        super(VChartData, self).__init__()

        # Use the informative "timeframe" parameter to understand if the
        # code passed as "dataname" refers to an intraday or daily feed
        if self.p.timeframe >= TimeFrame.Days:
            self.barsize = 28
            self.dtsize = 1
            self.barfmt = 'IffffII'
        else:
            self.dtsize = 2
            self.barsize = 32
            self.barfmt = 'IIffffII'

    def start(self):
        # the feed must start ... get the file open (or see if it was open)
        self.f = None
        if hasattr(self.p.dataname, 'read'):
            # A file has been passed in (ex: from a GUI)
            self.f = self.p.dataname
        else:
            # Let an exception propagate
            self.f = open(self.p.dataname, 'rb')

    def stop(self):
        # Close the file if any
        if self.f is not None:
            self.f.close()
            self.f = None

    def _load(self):
        if self.f is None:
            # if no file ... no parsing
            return False

        # Read the needed amount of binary data
        bardata = self.f.read(self.barsize)
        if not bardata:
            # if no data was read ... game over say "False"
            return False

        # use struct to unpack the data
        bdata = struct.unpack(self.barfmt, bardata)

        # Years are stored as if they had 500 days
        y, md = divmod(bdata[0], 500)
        # Months are stored as if they had 32 days
        m, d = divmod(md, 32)
        # put y, m, d in a datetime
        dt = datetime.datetime(y, m, d)

        if self.dtsize > 1:  # Minute Bars
            # Daily Time is stored in seconds
            hhmm, ss = divmod(bdata[1], 60)
            hh, mm = divmod(hhmm, 60)
            # add the time to the existing atetime
            dt = dt.replace(hour=hh, minute=mm, second=ss)

        self.lines.datetime[0] = date2num(dt)

        # Get the rest of the unpacked data
        o, h, l, c, v, oi = bdata[self.dtsize:]
        self.lines.open[0] = o
        self.lines.high[0] = h
        self.lines.low[0] = l
        self.lines.close[0] = c
        self.lines.volume[0] = v
        self.lines.openinterest[0] = oi

        # Say success
        return True

推薦閱讀

相關文章

Backtrader教程:經紀人 - 開倉作弊

“發佈”1.9.44.116 添加了對 Cheat-On-Open的支援。這似乎是那些全力以赴的人的需求功能,他們在酒吧 close 后進行了計算,但希望與 open 價格相匹配。 當開盤價跳空(上漲或下跌,取決於是否buysell有效)並且現金不足以進行全面運營時,這樣的用例就會失敗。這將強制代理拒絕該操作。

BacktraderMFI 通用

在最近的Canonical vs Non-Canonical 帖子中 MFI ,開發了(aka MoneyFlowIndicator)。 儘管它是以規範的方式開發的,但它仍然提供了一些改進和成為通用的空間。

Backtrader 教程:訂單 - OCO

版本1.9.34.116將OCO (又名 One Cancel Others)添加到回測庫中。筆記這僅在回測中實現,還沒有針對實時經紀人的實現筆記更新為1.9.36.116版本。盈透證券支持StopTrail 、 StopTrailLimit和OCO 。

Backtrader迪克森移動平均線

下面的reddit帖子以自己的作者Nathan Dickson(reddit句柄)命名了這個平均值Dickson移動平均線。 在一次對reddit Algotrading 的定期訪問中,我發現了一篇關於移動平均線的帖子,該移動平均線試圖模仿Jurik移動平均線(又名JMA)。

Backtrader智慧質押

版本 1.6.4.93 標誌著 backtrader 的一個重要里程碑,即使版本號的更改很小。 職位大小調整是閱讀Van K. Tharp的《Trade Your Way To Financial Freedom 》後,為這個專案奠定基礎的事情之一。

Backtrader條形同步

文獻和/或行業中缺乏標準公式不是問題,因為問題實際上可以總結為: 條形同步 工單 #23 提出了一些問題,即是否可以 backtrader 考慮計算 相對體積 指標。 請求者需要將給定時刻的 volume 與前一個交易日的相同時刻進行比較。

Backtrader教程:數據饋送 - 雅虎

2017年5月,雅虎停止了現有的CSV格式歷史數據下載API。 一個新的API(這裡命名v7)很快被標準化並已實現。 這也帶來了實際CSV下載格式的變化。 使用 v7 API/格式 從版本1.9.49.116 開始,這是預設行為。

Backtrader教程:經紀商

經紀商模擬器該類比支援不同的訂單類型,根據當前現金檢查提交的訂單現金需求,跟蹤每次反覆運算的cerebro 現金和價值,並在不同數據上保持當前位置。

Backtrader 教程:Cerebro - 例外

設計目標之一是儘早退出,讓用戶完全了解錯誤發生的情況。目的是強迫自己擁有會因異常而中斷的代碼並強制重新訪問受影響的部分。但是時機已經成熟,一些例外可能會慢慢添加到平台中。

Backtrader多重交易

即使在相同的數據上運行,現在也可以為每筆交易添加唯一標識符。根據Tick Data and Resampling 版本backtrader的請求,支持“MultiTrades”,即:為訂單分配tradeid的能力。此 id 被傳遞給Trades ,這使得有可能擁有不同類別的交易並同時打開它們。