[TOC]

この記事では、FMZ 定量プラットフォームに基づき、実際の市場条件に基づいて実行されるシミュレーション取引システムである PaperTrader の設計と実装について説明します。このシステムは、リアルタイムの詳細な市場状況を通じて注文をマッチングし、戦略注文の配置、取引、資産の変更、手数料処理などの取引プロセスを完全にシミュレートし、成行注文/指値注文、資産の凍結、キャンセルのアーカイブをサポートし、実際の取引前の戦略テストや実際の動作の検証に適しています。この記事では、システムアーキテクチャ、マッチングメカニズム、インターフェースの互換性などの観点から、その設計コンセプトと主要な実装を詳しく説明し、定量戦略がオンラインになる前に安全で信頼性の高い「中間サンドボックス」を構築できるようにするための完全な実践的なデモンストレーションユースケースを提供します。
需要の問題点:
シミュレーション取引システムがなぜ必要なのでしょうか?
定量戦略開発の全プロセスでは、通常、「ヒストリカルバックテスト → 環境テスト → 実際の取引」という手順を踏みます。ただし、ヒストリカルバックテストでは統計データが使用されるため、実際の市場状況における戦略の有効性を処理することはできません。しかし、実際の取引は資金の逃避を意味し、中間テスト環境の欠如は私たちの調査における問題点となっています。 この問題を解決するには、リアルタイムの市場状況(深度、市場価格)を使用して、注文の発注、保留注文、取引、注文の引き出し、資産の変更、手数料の控除を含む取引プロセス全体をシミュレートし、最終的に実際の取引レベルに近い戦略検証を完了できる軽量シミュレーション取引システム PaperTrader を設計する必要があります。
このシステムは主に 3 つの部分から構成されます。
PaperTraderクラス コアシミュレーション アカウントには、資産、注文、ポジション、市場状況、構成などのデータ保守が含まれます。
【データベースアーカイブ】: 完了/キャンセルされた注文をローカルデータベースに書き込み、後で分析およびレビューできるようにします。
マッチングエンジン設計:
simEngine(data, lock) は、シミュレーション システム全体の中核です。実際の市場深度データに従ってループ内の現在の保留注文を照合し、取引の正確なシミュレーション結果を提供します。
主なプロセスは次のとおりです。
インターフェース情報の互換性:
PaperTrader は、FMZ プラットフォームの実際の取引インターフェースに可能な限り沿うように設計されています。これには、以下が含まれますが、これらに限定されません。
| 分類 | インタフェース | 説明する |
|---|---|---|
| 注文インターフェース | Buy(price, amount) / Sell(price, amount) / CreateOrder(symbol, side, price, amount) | 注文操作 |
| マーケットインターフェース | GetTicker() / GetDepth() / GetRecords() / GetTrades() | 取引所の実際の市場価格を直接問い合わせる |
| 注文インターフェース | GetOrders() / CancelOrder(id) / GetOrder(id) | 注文操作の場合 |
| アカウントとポジションインターフェース | GetAccount() / GetAssets() / GetPositions() | アカウント操作について |
| その他の設定インターフェース | SetCurrency() / SetDirection() | その他の設定 |
この設計により、戦略ロジックを変更せずにシミュレートされた取引環境で直接実行できます。ワンクリックで取引所を PaperTrader に置き換えることで、バックテストと実際の取引の間の「中間層」に戦略を移行できます。
class PaperTrader {
constructor(exIdx, realExchange, assets, fee) {
this.exIdx = exIdx
this.e = realExchange
this.name = realExchange.GetName() + "_PaperTrader"
this.currency = realExchange.GetCurrency()
this.baseCurrency = this.currency.split("_")[0]
this.quoteCurrency = this.currency.split("_")[1]
this.period = realExchange.GetPeriod()
this.fee = fee
// 数据同步锁
this.data = threading.Dict()
this.dataLock = threading.Lock()
// 初始化this.data
this.data.set("assets", assets)
this.data.set("orders", [])
this.data.set("positions", [])
// exchangeData
let exchangeData = {
"exIdx": this.exIdx,
"fee": this.fee
}
// exchange Type
if (this.name.includes("Futures_")) {
this.exchangeType = "Futures"
this.direction = "buy"
this.marginLevel = 10
this.contractType = "swap"
this.e.SetContractType(this.contractType)
// set exchangeData
exchangeData["exchangeType"] = this.exchangeType
exchangeData["marginLevel"] = this.marginLevel
} else {
this.exchangeType = "Spot"
// set exchangeData
exchangeData["exchangeType"] = this.exchangeType
}
// 记录交易所相关信息,用于传入撮合引擎
this.data.set("exchangeData", exchangeData)
// database
this.historyOrdersTblName = "HISTORY_ORDER"
this.data.set("historyOrdersTblName", this.historyOrdersTblName)
// init
this.init()
}
// export
SetCurrency(currency) {
let arrCurrency = currency.split("_")
if (arrCurrency.length != 2) {
this.e.Log(3, null, null, `invalid currency: ${currency}`)
return
}
this.currency = currency
this.baseCurrency = arrCurrency[0]
this.quoteCurrency = arrCurrency[1]
return this.e.SetCurrency(currency)
}
SetContractType(contractType) {
if (this.exchangeType == "Spot") {
this.e.Log(3, null, null, `not support`)
return
}
if (!this.isValidContractType(contractType)) {
this.e.Log(3, null, null, `invalid contractType: ${contractType}`)
return
}
this.contractType = contractType
return this.e.SetContractType(contractType)
}
SetDirection(direction) {
if (this.exchangeType == "Spot") {
this.e.Log(3, null, null, `not support`)
return
}
if (direction != "buy" && direction != "sell" && direction != "closebuy" && direction != "closesell") {
this.e.Log(3, null, null, `invalid direction: ${direction}`)
return
}
this.direction = direction
return this.e.SetDirection(direction)
}
GetTicker(...args) {
return this.e.GetTicker(...args)
}
GetDepth(...args) {
return this.e.GetDepth(...args)
}
GetTrades(...args) {
return this.e.GetTrades(...args)
}
GetRecords(...args) {
return this.e.GetRecords(...args)
}
GetMarkets() {
return this.e.GetMarkets()
}
GetTickers() {
return this.e.GetTickers()
}
GetFundings(...args) {
if (this.exchangeType == "Spot") {
this.e.Log(3, null, null, `not support`)
return
}
return this.e.GetFundings(...args)
}
GetAccount() {
let assets = this.data.get("assets")
let acc = {"Balance": 0, "FrozenBalance": 0, "Stocks": 0, "FrozenStocks": 0}
for (let asset of assets) {
if (this.exchangeType == "Futures") {
if (this.quoteCurrency == "USDT" || this.quoteCurrency == "USDC") {
if (asset["Currency"] == this.quoteCurrency) {
return {"Balance": asset["Amount"], "FrozenBalance": asset["FrozenAmount"], "Stocks": 0, "FrozenStocks": 0}
}
} else if (this.quoteCurrency == "USD") {
if (asset["Currency"] == this.baseCurrency) {
return {"Balance": 0, "FrozenBalance": 0, "Stocks": asset["Amount"], "FrozenStocks": asset["FrozenAmount"]}
}
}
} else if (this.exchangeType == "Spot") {
if (asset["Currency"] == this.baseCurrency) {
// Stocks
acc["Stocks"] = asset["Amount"]
acc["FrozenStocks"] = asset["FrozenAmount"]
} else if (asset["Currency"] == this.quoteCurrency) {
// Balance
acc["Balance"] = asset["Amount"]
acc["FrozenBalance"] = asset["FrozenAmount"]
}
}
}
return acc
}
GetAssets() {
let assets = this.data.get("assets")
return assets
}
GetOrders(symbol) {
let ret = []
let orders = this.data.get("orders")
if (this.exchangeType == "Spot") {
if (typeof(symbol) == "undefined") {
return orders
} else {
let arrCurrency = symbol.split("_")
if (arrCurrency.length != 2) {
this.e.Log(3, null, null, `invalid symbol: ${symbol}`)
return null
}
for (let o of orders) {
if (o.Symbol == symbol) {
ret.push(o)
}
}
return ret
}
} else if (this.exchangeType == "Futures") {
if (typeof(symbol) == "undefined") {
for (let o of orders) {
if (o.Symbol.includes(`${this.quoteCurrency}.${this.contractType}`)) {
ret.push(o)
}
}
return ret
} else {
let arr = symbol.split(".")
if (arr.length != 2) {
this.e.Log(3, null, null, `invalid symbol: ${symbol}`)
return null
}
let currency = arr[0]
let contractType = arr[1]
let arrCurrency = currency.split("_")
if (arrCurrency.length != 2) {
for (let o of orders) {
if (o.Symbol.includes(`${arrCurrency[0]}.${contractType}`)) {
ret.push(o)
}
}
} else {
for (let o of orders) {
if (o.Symbol == symbol) {
ret.push(o)
}
}
}
return ret
}
} else {
this.e.Log(3, null, null, `invalid exchangeType: ${this.exchangeType}`)
return null
}
}
GetOrder(orderId) {
let data = DBExec(`SELECT ORDERDATA FROM ${this.historyOrdersTblName} WHERE ID = ?`, orderId)
// {"columns":["ORDERDATA"],"values":[]}
if (!data) {
this.e.Log(3, null, null, `Order not found: ${orderId}`)
return null
}
if (data && Array.isArray(data["values"]) && data["values"].length <= 0) {
this.e.Log(3, null, null, `Order not found: ${orderId}`)
return null
} else if (data["values"].length != 1) {
this.e.Log(3, null, null, `invalid data: ${data["values"]}`)
return null
} else {
let ret = this.parseJSON(data["values"][0])
if (!ret) {
this.e.Log(3, null, null, `invalid data: ${data["values"]}`)
return null
}
return ret
}
}
Buy(price, amount) {
return this.trade("Buy", price, amount)
}
Sell(price, amount) {
return this.trade("Sell", price, amount)
}
trade(tradeType, price, amount) {
if (this.exchangeType == "Spot") {
let side = ""
if (tradeType == "Buy") {
side = "buy"
} else if (tradeType == "Sell") {
side = "sell"
} else {
this.e.Log(3, null, null, `invalid tradeType: ${tradeType}`)
return null
}
let symbol = this.currency
return this.createOrder(symbol, side, price, amount)
} else if (this.exchangeType == "Futures") {
let compose = `${tradeType}_${this.direction}`
if (compose != "Sell_closebuy" && compose != "Sell_sell" && compose != "Buy_buy" && compose != "Buy_closesell") {
this.e.Log(3, null, null, `${tradeType}, invalid direction: ${this.direction}`)
return null
}
let side = this.direction
let symbol = `${this.currency}.${this.contractType}`
return this.createOrder(symbol, side, price, amount)
} else {
this.e.Log(3, null, null, `invalid exchangeType: ${this.exchangeType}`)
return
}
}
CreateOrder(symbol, side, price, amount) {
if (side != "buy" && side != "sell" && side != "closebuy" && side != "closesell") {
this.e.Log(3, null, null, `invalid direction: ${side}`)
return null
}
if (this.exchangeType == "Spot") {
if (side == "closebuy") {
side = "sell"
} else if (side == "closesell") {
side = "buy"
}
}
return this.createOrder(symbol, side, price, amount)
}
createOrder(symbol, side, price, amount) {
this.dataLock.acquire()
let isError = false
let orders = this.data.get("orders")
let positions = this.data.get("positions")
let assets = this.data.get("assets")
// 检查amount
if (amount <= 0) {
this.e.Log(3, null, null, `invalid amount: ${amount}`)
return null
}
// 构造订单
let order = {
"Info": null,
"Symbol": symbol,
"Price": price,
"Amount": amount,
"DealAmount": 0,
"AvgPrice": 0,
"Status": ORDER_STATE_PENDING,
"ContractType": symbol.split(".").length == 2 ? symbol.split(".")[1] : ""
}
let logType = null
switch (side) {
case "buy":
order["Type"] = ORDER_TYPE_BUY
order["Offset"] = ORDER_OFFSET_OPEN
logType = LOG_TYPE_BUY
break
case "sell":
order["Type"] = ORDER_TYPE_SELL
order["Offset"] = ORDER_OFFSET_OPEN
logType = LOG_TYPE_SELL
break
case "closebuy":
order["Type"] = ORDER_TYPE_SELL
order["Offset"] = ORDER_OFFSET_CLOSE
logType = LOG_TYPE_SELL
break
case "closesell":
order["Type"] = ORDER_TYPE_BUY
order["Offset"] = ORDER_OFFSET_CLOSE
logType = LOG_TYPE_BUY
break
default:
this.e.Log(3, null, null, `invalid direction: ${side}`)
isError = true
}
if (isError) {
return null
}
// 检查资产/持仓,资产/持仓不足报错
let needAssetName = ""
let needAsset = 0
if (this.exchangeType == "Futures") {
// 检查资产、持仓
// to do
} else if (this.exchangeType == "Spot") {
// 检查资产
let arr = symbol.split(".")
if (arr.length == 2) {
this.e.Log(3, null, null, `invalid symbol: ${symbol}`)
return null
}
let currency = arr[0]
let arrCurrency = currency.split("_")
if (arrCurrency.length != 2) {
this.e.Log(3, null, null, `invalid symbol: ${symbol}`)
return null
}
let baseCurrency = arrCurrency[0]
let quoteCurrency = arrCurrency[1]
needAssetName = side == "buy" ? quoteCurrency : baseCurrency
if (side == "buy" && price <= 0) {
// market order of buy, amount is quantity by quoteCurrency
needAsset = amount
} else {
// limit order, amount is quantity by baseCurrency
needAsset = side == "buy" ? price * amount : amount
}
let canPostOrder = false
for (let asset of assets) {
if (asset["Currency"] == needAssetName && asset["Amount"] >= needAsset) {
canPostOrder = true
}
}
if (!canPostOrder) {
this.e.Log(3, null, null, `insufficient balance for ${needAssetName}, need: ${needAsset}, Account: ${JSON.stringify(assets)}`)
return null
}
} else {
this.e.Log(3, null, null, `invalid exchangeType: ${this.exchangeType}`)
return null
}
// 生成订单ID, UnixNano() 使用纳秒时间戳
let orderId = this.generateOrderId(symbol, UnixNano())
order["Id"] = orderId
// 更新pending中的订单记录
orders.push(order)
this.data.set("orders", orders)
// 输出日志记录
if (this.exchangeType == "Futures") {
this.e.SetDirection(side)
}
this.e.Log(logType, price, amount, `orderId: ${orderId}`)
// 更新资产
for (let asset of assets) {
if (asset["Currency"] == needAssetName) {
asset["Amount"] -= needAsset
asset["FrozenAmount"] += needAsset
}
}
this.data.set("assets", assets)
this.dataLock.release()
return orderId
}
CancelOrder(orderId) {
this.dataLock.acquire()
let orders = this.data.get("orders")
let assets = this.data.get("assets")
let positions = this.data.get("positions")
let targetIdx = orders.findIndex(item => item.Id == orderId)
if (targetIdx != -1) {
// 目标订单
let targetOrder = orders[targetIdx]
// 更新资产
if (this.exchangeType == "Futures") {
// 合约交易所资产更新
// to do
} else if (this.exchangeType == "Spot") {
let arrCurrency = targetOrder.Symbol.split("_")
let baseCurrency = arrCurrency[0]
let quoteCurrency = arrCurrency[1]
let needAsset = 0
let needAssetName = ""
if (targetOrder.Type == ORDER_TYPE_BUY && targetOrder.Price <= 0) {
needAssetName = quoteCurrency
needAsset = targetOrder.Amount - targetOrder.DealAmount
} else {
needAssetName = targetOrder.Type == ORDER_TYPE_BUY ? quoteCurrency : baseCurrency
needAsset = targetOrder.Type == ORDER_TYPE_BUY ? targetOrder.Price * (targetOrder.Amount - targetOrder.DealAmount) : (targetOrder.Amount - targetOrder.DealAmount)
}
for (let asset of assets) {
if (asset["Currency"] == needAssetName) {
asset["FrozenAmount"] -= needAsset
asset["Amount"] += needAsset
}
}
// 更新 assets
this.data.set("assets", assets)
} else {
this.e.Log(3, null, null, `invalid exchangeType: ${this.exchangeType}`)
return false
}
// 更新撤销状态
orders.splice(targetIdx, 1)
targetOrder.Status = ORDER_STATE_CANCELED
// 归档,写入数据库
let strSql = [
`INSERT INTO ${this.historyOrdersTblName} (ID, ORDERDATA)`,
`VALUES ('${targetOrder.Id}', '${JSON.stringify(targetOrder)}');`
].join("")
let ret = DBExec(strSql)
if (!ret) {
e.Log(3, null, null, `Order matched successfully, but failed to archive to database: ${JSON.stringify(o)}`)
}
} else {
// 撤单失败
this.e.Log(3, null, null, `Order not found: ${orderId}`)
this.dataLock.release()
return false
}
this.data.set("orders", orders)
this.e.Log(LOG_TYPE_CANCEL, orderId)
this.dataLock.release()
return true
}
GetHistoryOrders(symbol, since, limit) {
// 查询历史订单
// to do
}
SetMarginLevel(symbol) {
// 设置杠杆值
// 同步 this.marginLevel 和 this.data 中的 exchangeData["marginLevel"]
// to do
}
GetPositions(symbol) {
// 查询持仓
// to do
/*
if (this.exchangeType == "Spot") {
this.e.Log(3, null, null, `not support`)
return
}
let pos = this.data.get("positions")
*/
}
// engine
simEngine(data, lock) {
while (true) {
lock.acquire()
// get orders / positions / assets / exchangeData
let orders = data.get("orders")
let positions = data.get("positions")
let assets = data.get("assets")
let exchangeData = data.get("exchangeData")
let historyOrdersTblName = data.get("historyOrdersTblName")
// get exchange idx and fee
let exIdx = exchangeData["exIdx"]
let fee = exchangeData["fee"]
let e = exchanges[exIdx]
// get exchangeType
let exchangeType = exchangeData["exchangeType"]
let marginLevel = 0
if (exchangeType == "Futures") {
marginLevel = exchangeData["marginLevel"]
}
// get Depth
let dictTick = {}
for (let order of orders) {
dictTick[order.Symbol] = {}
}
for (let position of positions) {
dictTick[position.Symbol] = {}
}
// 更新行情
for (let symbol in dictTick) {
dictTick[symbol] = e.GetDepth(symbol)
}
// 撮合
let newPendingOrders = []
for (let o of orders) {
// 只处理pending订单
if (o.Status != ORDER_STATE_PENDING) {
continue
}
// 盘口无数据
let depth = dictTick[o.Symbol]
if (!depth) {
e.Log(3, null, null, `Order canceled due to invalid order book data: ${JSON.stringify(o)}`)
continue
}
// 根据订单方向,确定订单薄撮合方向
let matchSide = o.Type == ORDER_TYPE_BUY ? depth.Asks : depth.Bids
if (!matchSide || matchSide.length == 0) {
e.Log(3, null, null, `Order canceled due to invalid order book data: ${JSON.stringify(o)}`)
continue
}
let remain = o.Amount - o.DealAmount
let filledValue = 0
let filledAmount = 0
for (let level of matchSide) {
let levelAmount = level.Amount
let levelPrice = level.Price
if ((o.Price > 0 && ((o.Type == ORDER_TYPE_BUY && o.Price >= levelPrice) || (o.Type == ORDER_TYPE_SELL && o.Price <= levelPrice))) || o.Price <= 0) {
if (exchangeType == "Spot" && o.Type == ORDER_TYPE_BUY && o.Price <= 0) {
// 现货市价单买单
let currentFilledQty = Math.min(levelAmount * levelPrice, remain)
remain -= currentFilledQty
filledValue += currentFilledQty
filledAmount += currentFilledQty / levelPrice
} else {
// 限价单,价格符合撮合;市价单,直接盘口撮合
let currentFilledAmount = Math.min(levelAmount, remain)
remain -= currentFilledAmount
filledValue += currentFilledAmount * levelPrice
filledAmount += currentFilledAmount
}
// 初次判断,如果直接撮合,判定为 taker
if (typeof(o.isMaker) == "undefined") {
o.isMaker = false
}
} else {
// 价格不符合撮合,初次判断,判定为 maker
if (typeof(o.isMaker) == "undefined") {
o.isMaker = true
}
break
}
if (remain <= 0) {
// 订单成交完成
break
}
}
// 订单有变动
if (filledAmount > 0) {
// 更新订单变动
if (exchangeType == "Spot" && o.Type == ORDER_TYPE_BUY && o.Price <= 0) {
if (o.AvgPrice == 0) {
o.AvgPrice = filledValue / filledAmount
o.DealAmount += filledValue
} else {
o.AvgPrice = (o.DealAmount + filledValue) / (filledAmount + o.DealAmount / o.AvgPrice)
o.DealAmount += filledValue
}
} else {
o.AvgPrice = (o.DealAmount * o.AvgPrice + filledValue) / (filledAmount + o.DealAmount)
o.DealAmount += filledAmount
}
// 处理持仓更新
if (exchangeType == "Futures") {
// 期货,查找对应订单方向上的持仓,更新
// to do
/*
if () {
// 查到对应持仓,更新
} else {
// 没有对应持仓,新建
let pos = {
"Info": null,
"Symbol": o.Symbol,
"MarginLevel": marginLevel,
"Amount": o.Amount,
"FrozenAmount": 0,
"Price": o.Price,
"Profit": 0,
"Type": o.Type == ORDER_TYPE_BUY ? PD_LONG : PD_SHORT,
"ContractType": o.Symbol.split(".")[1],
"Margin": o.Amount * o.Price / marginLevel // to do USDT/USD contract Multiplier
}
positions.push(pos)
}
*/
}
// 处理资产更新
if (exchangeType == "Futures") {
// 处理期货资产更新
// to do
} else if (exchangeType == "Spot") {
// 处理现货资产更新
let arrCurrency = o.Symbol.split("_")
let baseCurrency = arrCurrency[0]
let quoteCurrency = arrCurrency[1]
let minusAssetName = o.Type == ORDER_TYPE_BUY ? quoteCurrency : baseCurrency
let minusAsset = o.Type == ORDER_TYPE_BUY ? filledValue : filledAmount
let plusAssetName = o.Type == ORDER_TYPE_BUY ? baseCurrency : quoteCurrency
let plusAsset = o.Type == ORDER_TYPE_BUY ? filledAmount : filledValue
// 手续费扣除
if (o.isMaker) {
plusAsset = (1 - fee["maker"]) * plusAsset
} else {
plusAsset = (1 - fee["taker"]) * plusAsset
}
for (let asset of assets) {
if (asset["Currency"] == minusAssetName) {
// asset["FrozenAmount"] -= minusAsset
asset["FrozenAmount"] = Math.max(0, asset["FrozenAmount"] - minusAsset)
} else if (asset["Currency"] == plusAssetName) {
asset["Amount"] += plusAsset
}
}
}
}
// 检测remain更新订单状态
if (remain <= 0) {
// 订单完成,更新订单状态,更新均价,更新完成量
o.Status = ORDER_STATE_CLOSED
// 完成的订单归档,记录到数据库
let strSql = [
`INSERT INTO ${historyOrdersTblName} (ID, ORDERDATA)`,
`VALUES ('${o.Id}', '${JSON.stringify(o)}');`
].join("")
let ret = DBExec(strSql)
if (!ret) {
e.Log(3, null, null, `Order matched successfully, but failed to archive to database: ${JSON.stringify(o)}`)
}
} else {
newPendingOrders.push(o)
}
}
// 更新当前挂单数据
data.set("orders", newPendingOrders)
data.set("assets", assets)
lock.release()
Sleep(1000)
}
}
// other
isValidContractType(contractType) {
// only support swap
let contractTypes = ["swap"]
if (contractTypes.includes(contractType)) {
return true
} else {
return false
}
}
generateOrderId(symbol, ts) {
let uuid = '', i, random
for (i = 0; i < 36; i++) {
if (i === 8 || i === 13 || i === 18 || i === 23) {
uuid += '-'
} else if (i === 14) {
// 固定为4
uuid += '4'
} else if (i === 19) {
// 高2位固定为10
random = (Math.random() * 16) | 0
uuid += ((random & 0x3) | 0x8).toString(16)
} else {
random = (Math.random() * 16) | 0
uuid += random.toString(16)
}
}
return `${symbol},${uuid}-${ts}`
}
parseJSON(strData) {
let ret = null
try {
ret = JSON.parse(strData)
} catch (err) {
Log("err.name:", err.name, ", err.stack:", err.stack, ", err.message:", err.message, ", strData:", strData)
}
return ret
}
init() {
threading.Thread(this.simEngine, this.data, this.dataLock)
// 删除数据库 历史订单表
DBExec(`DROP TABLE IF EXISTS ${this.historyOrdersTblName};`)
// 重建 历史订单表
let strSql = [
`CREATE TABLE IF NOT EXISTS ${this.historyOrdersTblName} (`,
"ID VARCHAR(255) NOT NULL PRIMARY KEY,",
"ORDERDATA TEXT NOT NULL",
")"
].join("");
DBExec(strSql)
}
}
// extport
$.CreatePaperTrader = function(exIdx, realExchange, assets, fee) {
return new PaperTrader(exIdx, realExchange, assets, fee)
}
// 用真实行情打造高效 Paper Trader
function main() {
// create PaperTrader
let simulateAssets = [{"Currency": "USDT", "Amount": 10000, "FrozenAmount": 0}]
let fee = {"taker": 0.001, "maker": 0.0005}
paperTraderEx = $.CreatePaperTrader(0, exchange, simulateAssets, fee)
Log(paperTraderEx)
// test GetTicker
Log("GetTicker:", paperTraderEx.GetTicker())
// test GetOrders
Log("GetOrders:", paperTraderEx.GetOrders())
// test Buy/Sell
let orderId = paperTraderEx.Buy(-1, 0.1)
Log("orderId:", orderId)
// test GetOrder
Sleep(1000)
Log(paperTraderEx.GetOrder(orderId))
Sleep(6000)
}
上記のコードは、FMZ プラットフォームの「テンプレート ライブラリ」として保存できます。mainこの関数はテスト関数です。

このように、実際に取引を行う際には、取引所オブジェクトの設定時に API KEY 文字列を書き込むことができます。このとき、注文を出すなどの操作は実際に取引所のインターフェースにアクセスするわけではなく、シミュレーションシステムの資産、注文、ポジションなどのデータを使用してシミュレーションを行います。しかし、市場の状況は取引所の実際の市場の状況です。
戦略策定におけるシミュレーションシステムの価値 PaperTrader は、実際の市場に非常に近いテスト環境を提供し、開発者がリスクなしで戦略の実行動作、注文ロジック、マッチングパフォーマンス、資本の変化を検証できるようにします。特に次のようなシナリオに適しています。
純粋なバックテストとの違い
従来のバックテストは履歴データに基づいており、保留中の注文、部分的な取引、マッチングスリッページ、手数料体系などの実際の取引の詳細を無視して K ずつ実行されます。シミュレーションシステム:
PaperTraderに関するメモ 上記の PaperTrader は単なる予備設計 (予備的なコードレビューとテストのみ実施済み) であり、設計のアイデアとソリューションのリファレンスを提供することが目的です。 PaperTrader は、マッチング ロジック、注文システム、ポジション システム、資本システムなどの設計が妥当かどうかを確認するためにテストする必要もあります。時間的な制約により、スポット取引のみが比較的完全に実装されており、先物契約の一部の機能はまだ未実施の状態です。
起こりうる潜在的な問題:
次の進化の方向
PaperTrader のアプリケーション価値をさらに高めるために、次の段階では以下の方向性の拡張が考えられます。
PaperTrader を通じて、戦略のより安全なテスト環境を提供できるだけでなく、「研究モデル」から「実際の生産性」への戦略の重要なリンクをさらに促進することができます。
読者の皆様はメッセージを残して頂けると幸いです。読んで頂きありがとうございます。