pine-backtester
Compare original and translation side by side
🇺🇸
Original
English🇨🇳
Translation
ChinesePine Script Backtester
Pine Script 回测工具
Specialized in adding comprehensive testing and validation capabilities to Pine Script indicators and strategies.
专注于为Pine Script指标和策略添加全面的测试与验证功能。
Core Responsibilities
核心职责
Strategy Performance Metrics
策略绩效指标
- Win rate and profit factor
- Maximum drawdown analysis
- Sharpe and Sortino ratios
- Risk-adjusted returns
- Trade distribution analysis
- 胜率与盈利因子
- 最大回撤分析
- 夏普比率与索提诺比率
- 风险调整后收益
- 交易分布分析
Indicator Accuracy Testing
指标准确性测试
- Signal accuracy measurements
- False positive/negative rates
- Lag analysis
- Divergence detection accuracy
- Multi-timeframe validation
- 信号准确性度量
- 误报/漏报率
- 滞后性分析
- 背离检测准确性
- 多时间周期验证
Statistical Analysis
统计分析
- Monte Carlo simulations
- Walk-forward analysis
- Confidence intervals
- Statistical significance tests
- Correlation analysis
- 蒙特卡洛模拟
- 滚动窗口分析
- 置信区间
- 统计显著性检验
- 相关性分析
Backtesting Components
回测组件
1. Comprehensive Strategy Metrics Table
1. 全面的策略指标表格
pinescript
// Strategy Performance Metrics
var table metricsTable = table.new(position.bottom_right, 2, 15, bgcolor=color.new(color.black, 90))
if barstate.islastconfirmedhistory
wins = strategy.wintrades
losses = strategy.losstrades
totalTrades = wins + losses
winRate = totalTrades > 0 ? (wins / totalTrades) * 100 : 0
avgWin = strategy.grossprofit / math.max(wins, 1)
avgLoss = math.abs(strategy.grossloss) / math.max(losses, 1)
profitFactor = avgLoss > 0 ? avgWin / avgLoss : 0
// Drawdown calculation
var float maxEquity = strategy.initial_capital
var float maxDrawdown = 0.0
currentEquity = strategy.equity
if currentEquity > maxEquity
maxEquity := currentEquity
drawdown = ((maxEquity - currentEquity) / maxEquity) * 100
maxDrawdown := math.max(maxDrawdown, drawdown)
// Populate table
table.cell(metricsTable, 0, 0, "METRIC", bgcolor=color.gray, text_color=color.white)
table.cell(metricsTable, 1, 0, "VALUE", bgcolor=color.gray, text_color=color.white)
table.cell(metricsTable, 0, 1, "Total Trades", text_color=color.white)
table.cell(metricsTable, 1, 1, str.tostring(totalTrades), text_color=color.yellow)
table.cell(metricsTable, 0, 2, "Win Rate", text_color=color.white)
table.cell(metricsTable, 1, 2, str.tostring(winRate, "#.##") + "%", text_color=winRate > 50 ? color.green : color.red)
table.cell(metricsTable, 0, 3, "Profit Factor", text_color=color.white)
table.cell(metricsTable, 1, 3, str.tostring(profitFactor, "#.##"), text_color=profitFactor > 1 ? color.green : color.red)
table.cell(metricsTable, 0, 4, "Max Drawdown", text_color=color.white)
table.cell(metricsTable, 1, 4, str.tostring(maxDrawdown, "#.##") + "%", text_color=maxDrawdown < 20 ? color.green : color.red)
table.cell(metricsTable, 0, 5, "Net Profit", text_color=color.white)
netProfit = strategy.netprofit
table.cell(metricsTable, 1, 5, str.tostring(netProfit, "#,###.##"), text_color=netProfit > 0 ? color.green : color.red)pinescript
// Strategy Performance Metrics
var table metricsTable = table.new(position.bottom_right, 2, 15, bgcolor=color.new(color.black, 90))
if barstate.islastconfirmedhistory
wins = strategy.wintrades
losses = strategy.losstrades
totalTrades = wins + losses
winRate = totalTrades > 0 ? (wins / totalTrades) * 100 : 0
avgWin = strategy.grossprofit / math.max(wins, 1)
avgLoss = math.abs(strategy.grossloss) / math.max(losses, 1)
profitFactor = avgLoss > 0 ? avgWin / avgLoss : 0
// Drawdown calculation
var float maxEquity = strategy.initial_capital
var float maxDrawdown = 0.0
currentEquity = strategy.equity
if currentEquity > maxEquity
maxEquity := currentEquity
drawdown = ((maxEquity - currentEquity) / maxEquity) * 100
maxDrawdown := math.max(maxDrawdown, drawdown)
// Populate table
table.cell(metricsTable, 0, 0, "METRIC", bgcolor=color.gray, text_color=color.white)
table.cell(metricsTable, 1, 0, "VALUE", bgcolor=color.gray, text_color=color.white)
table.cell(metricsTable, 0, 1, "Total Trades", text_color=color.white)
table.cell(metricsTable, 1, 1, str.tostring(totalTrades), text_color=color.yellow)
table.cell(metricsTable, 0, 2, "Win Rate", text_color=color.white)
table.cell(metricsTable, 1, 2, str.tostring(winRate, "#.##") + "%", text_color=winRate > 50 ? color.green : color.red)
table.cell(metricsTable, 0, 3, "Profit Factor", text_color=color.white)
table.cell(metricsTable, 1, 3, str.tostring(profitFactor, "#.##"), text_color=profitFactor > 1 ? color.green : color.red)
table.cell(metricsTable, 0, 4, "Max Drawdown", text_color=color.white)
table.cell(metricsTable, 1, 4, str.tostring(maxDrawdown, "#.##") + "%", text_color=maxDrawdown < 20 ? color.green : color.red)
table.cell(metricsTable, 0, 5, "Net Profit", text_color=color.white)
netProfit = strategy.netprofit
table.cell(metricsTable, 1, 5, str.tostring(netProfit, "#,###.##"), text_color=netProfit > 0 ? color.green : color.red)2. Trade Distribution Analysis
2. 交易分布分析
pinescript
// Trade distribution tracking
var array<float> tradeReturns = array.new<float>()
var array<int> tradeDurations = array.new<int>()
var int tradeStartBar = 0
if strategy.position_size != strategy.position_size[1]
if strategy.position_size != 0
// Trade entry
tradeStartBar := bar_index
else
// Trade exit
tradeReturn = (strategy.equity - strategy.equity[bar_index - tradeStartBar]) / strategy.equity[bar_index - tradeStartBar] * 100
array.push(tradeReturns, tradeReturn)
array.push(tradeDurations, bar_index - tradeStartBar)
// Calculate distribution stats
if barstate.islastconfirmedhistory and array.size(tradeReturns) > 0
avgReturn = array.avg(tradeReturns)
stdReturn = array.stdev(tradeReturns)
medianReturn = array.median(tradeReturns)
maxReturn = array.max(tradeReturns)
minReturn = array.min(tradeReturns)
// Display distribution
table.cell(metricsTable, 0, 6, "Avg Return", text_color=color.white)
table.cell(metricsTable, 1, 6, str.tostring(avgReturn, "#.##") + "%", text_color=avgReturn > 0 ? color.green : color.red)
table.cell(metricsTable, 0, 7, "Std Dev", text_color=color.white)
table.cell(metricsTable, 1, 7, str.tostring(stdReturn, "#.##") + "%", text_color=color.yellow)pinescript
// Trade distribution tracking
var array<float> tradeReturns = array.new<float>()
var array<int> tradeDurations = array.new<int>()
var int tradeStartBar = 0
if strategy.position_size != strategy.position_size[1]
if strategy.position_size != 0
// Trade entry
tradeStartBar := bar_index
else
// Trade exit
tradeReturn = (strategy.equity - strategy.equity[bar_index - tradeStartBar]) / strategy.equity[bar_index - tradeStartBar] * 100
array.push(tradeReturns, tradeReturn)
array.push(tradeDurations, bar_index - tradeStartBar)
// Calculate distribution stats
if barstate.islastconfirmedhistory and array.size(tradeReturns) > 0
avgReturn = array.avg(tradeReturns)
stdReturn = array.stdev(tradeReturns)
medianReturn = array.median(tradeReturns)
maxReturn = array.max(tradeReturns)
minReturn = array.min(tradeReturns)
// Display distribution
table.cell(metricsTable, 0, 6, "Avg Return", text_color=color.white)
table.cell(metricsTable, 1, 6, str.tostring(avgReturn, "#.##") + "%", text_color=avgReturn > 0 ? color.green : color.red)
table.cell(metricsTable, 0, 7, "Std Dev", text_color=color.white)
table.cell(metricsTable, 1, 7, str.tostring(stdReturn, "#.##") + "%", text_color=color.yellow)3. Sharpe Ratio Calculation
3. 夏普比率计算
pinescript
// Sharpe Ratio calculation
var array<float> returns = array.new<float>()
var float previousEquity = strategy.initial_capital
if bar_index > 0
currentReturn = (strategy.equity - previousEquity) / previousEquity
array.push(returns, currentReturn)
if array.size(returns) > 252 // Keep 1 year of daily returns
array.shift(returns)
previousEquity := strategy.equity
if barstate.islastconfirmedhistory and array.size(returns) > 30
avgReturn = array.avg(returns) * 252 // Annualized
stdReturn = array.stdev(returns) * math.sqrt(252) // Annualized
riskFreeRate = 0.02 // 2% risk-free rate
sharpeRatio = stdReturn > 0 ? (avgReturn - riskFreeRate) / stdReturn : 0
table.cell(metricsTable, 0, 8, "Sharpe Ratio", text_color=color.white)
table.cell(metricsTable, 1, 8, str.tostring(sharpeRatio, "#.##"), text_color=sharpeRatio > 1 ? color.green : sharpeRatio > 0 ? color.yellow : color.red)pinescript
// Sharpe Ratio calculation
var array<float> returns = array.new<float>()
var float previousEquity = strategy.initial_capital
if bar_index > 0
currentReturn = (strategy.equity - previousEquity) / previousEquity
array.push(returns, currentReturn)
if array.size(returns) > 252 // Keep 1 year of daily returns
array.shift(returns)
previousEquity := strategy.equity
if barstate.islastconfirmedhistory and array.size(returns) > 30
avgReturn = array.avg(returns) * 252 // Annualized
stdReturn = array.stdev(returns) * math.sqrt(252) // Annualized
riskFreeRate = 0.02 // 2% risk-free rate
sharpeRatio = stdReturn > 0 ? (avgReturn - riskFreeRate) / stdReturn : 0
table.cell(metricsTable, 0, 8, "Sharpe Ratio", text_color=color.white)
table.cell(metricsTable, 1, 8, str.tostring(sharpeRatio, "#.##"), text_color=sharpeRatio > 1 ? color.green : sharpeRatio > 0 ? color.yellow : color.red)4. Indicator Accuracy Testing
4. 指标准确性测试
pinescript
// For indicators: Track signal accuracy
var int truePositives = 0
var int falsePositives = 0
var int trueNegatives = 0
var int falseNegatives = 0
// Define what constitutes a successful signal (example: price moves 1% in signal direction)
targetMove = input.float(1.0, "Target Move %", group="Backtest Settings")
lookforward = input.int(10, "Bars to Confirm", group="Backtest Settings")
if barstate.isconfirmed and bar_index > lookforward
// Check if past signal was correct
if buySignal[lookforward]
priceChange = (close - close[lookforward]) / close[lookforward] * 100
if priceChange >= targetMove
truePositives += 1
else
falsePositives += 1
else if sellSignal[lookforward]
priceChange = (close[lookforward] - close) / close[lookforward] * 100
if priceChange >= targetMove
trueNegatives += 1
else
falseNegatives += 1
// Display accuracy metrics
if barstate.islastconfirmedhistory
accuracy = (truePositives + trueNegatives) / math.max(truePositives + trueNegatives + falsePositives + falseNegatives, 1) * 100
precision = truePositives / math.max(truePositives + falsePositives, 1) * 100
recall = truePositives / math.max(truePositives + falseNegatives, 1) * 100
table.cell(metricsTable, 0, 9, "Signal Accuracy", text_color=color.white)
table.cell(metricsTable, 1, 9, str.tostring(accuracy, "#.##") + "%", text_color=accuracy > 60 ? color.green : color.red)pinescript
// For indicators: Track signal accuracy
var int truePositives = 0
var int falsePositives = 0
var int trueNegatives = 0
var int falseNegatives = 0
// Define what constitutes a successful signal (example: price moves 1% in signal direction)
targetMove = input.float(1.0, "Target Move %", group="Backtest Settings")
lookforward = input.int(10, "Bars to Confirm", group="Backtest Settings")
if barstate.isconfirmed and bar_index > lookforward
// Check if past signal was correct
if buySignal[lookforward]
priceChange = (close - close[lookforward]) / close[lookforward] * 100
if priceChange >= targetMove
truePositives += 1
else
falsePositives += 1
else if sellSignal[lookforward]
priceChange = (close[lookforward] - close) / close[lookforward] * 100
if priceChange >= targetMove
trueNegatives += 1
else
falseNegatives += 1
// Display accuracy metrics
if barstate.islastconfirmedhistory
accuracy = (truePositives + trueNegatives) / math.max(truePositives + trueNegatives + falsePositives + falseNegatives, 1) * 100
precision = truePositives / math.max(truePositives + falsePositives, 1) * 100
recall = truePositives / math.max(truePositives + falseNegatives, 1) * 100
table.cell(metricsTable, 0, 9, "Signal Accuracy", text_color=color.white)
table.cell(metricsTable, 1, 9, str.tostring(accuracy, "#.##") + "%", text_color=accuracy > 60 ? color.green : color.red)5. Equity Curve Visualization
5. 权益曲线可视化
pinescript
// Plot equity curve (for strategies)
plot(strategy.equity, "Equity Curve", color=color.blue, linewidth=2)
// Add drawdown visualization
equityMA = ta.sma(strategy.equity, 20)
plot(equityMA, "Equity MA", color=color.orange, linewidth=1)
// Underwater equity (drawdown visualization)
var float peakEquity = strategy.initial_capital
peakEquity := math.max(peakEquity, strategy.equity)
drawdownValue = (peakEquity - strategy.equity) / peakEquity * 100
// Plot drawdown as histogram
plot(drawdownValue, "Drawdown %", color=color.red, style=plot.style_histogram, histbase=0)pinescript
// Plot equity curve (for strategies)
plot(strategy.equity, "Equity Curve", color=color.blue, linewidth=2)
// Add drawdown visualization
equityMA = ta.sma(strategy.equity, 20)
plot(equityMA, "Equity MA", color=color.orange, linewidth=1)
// Underwater equity (drawdown visualization)
var float peakEquity = strategy.initial_capital
peakEquity := math.max(peakEquity, strategy.equity)
drawdownValue = (peakEquity - strategy.equity) / peakEquity * 100
// Plot drawdown as histogram
plot(drawdownValue, "Drawdown %", color=color.red, style=plot.style_histogram, histbase=0)6. Multi-Timeframe Validation
6. 多时间周期验证
pinescript
// Test indicator on multiple timeframes
htf1_signal = request.security(syminfo.tickerid, "60", buySignal)
htf2_signal = request.security(syminfo.tickerid, "240", buySignal)
htf3_signal = request.security(syminfo.tickerid, "D", buySignal)
// Confluence scoring
confluenceScore = 0
confluenceScore += buySignal ? 1 : 0
confluenceScore += htf1_signal ? 1 : 0
confluenceScore += htf2_signal ? 1 : 0
confluenceScore += htf3_signal ? 1 : 0
// Track confluence performance
var array<float> confluenceReturns = array.new<float>()
if confluenceScore >= 3 and barstate.isconfirmed
// Track returns when high confluence
futureReturn = (close[10] - close) / close * 100 // 10-bar forward return
array.push(confluenceReturns, futureReturn)pinescript
// Test indicator on multiple timeframes
htf1_signal = request.security(syminfo.tickerid, "60", buySignal)
htf2_signal = request.security(syminfo.tickerid, "240", buySignal)
htf3_signal = request.security(syminfo.tickerid, "D", buySignal)
// Confluence scoring
confluenceScore = 0
confluenceScore += buySignal ? 1 : 0
confluenceScore += htf1_signal ? 1 : 0
confluenceScore += htf2_signal ? 1 : 0
confluenceScore += htf3_signal ? 1 : 0
// Track confluence performance
var array<float> confluenceReturns = array.new<float>()
if confluenceScore >= 3 and barstate.isconfirmed
// Track returns when high confluence
futureReturn = (close[10] - close) / close * 100 // 10-bar forward return
array.push(confluenceReturns, futureReturn)7. Walk-Forward Analysis
7. 滚动窗口分析
pinescript
// Simple walk-forward testing
lookbackPeriod = input.int(100, "Training Period", group="Walk-Forward")
forwardPeriod = input.int(20, "Testing Period", group="Walk-Forward")
// Optimize parameters on lookback period
var float optimalParam = na
if bar_index % (lookbackPeriod + forwardPeriod) == 0
// Re-optimize parameters based on past performance
// This is simplified - real implementation would test multiple values
optimalParam := ta.sma(close, lookbackPeriod) > close ? 20 : 50
// Use optimized parameters
maLength = int(optimalParam)
ma = ta.sma(close, maLength)pinescript
// Simple walk-forward testing
lookbackPeriod = input.int(100, "Training Period", group="Walk-Forward")
forwardPeriod = input.int(20, "Testing Period", group="Walk-Forward")
// Optimize parameters on lookback period
var float optimalParam = na
if bar_index % (lookbackPeriod + forwardPeriod) == 0
// Re-optimize parameters based on past performance
// This is simplified - real implementation would test multiple values
optimalParam := ta.sma(close, lookbackPeriod) > close ? 20 : 50
// Use optimized parameters
maLength = int(optimalParam)
ma = ta.sma(close, maLength)Testing Checklist
测试检查清单
- Net profit/loss calculation
- Win rate and trade count
- Maximum drawdown tracking
- Risk-adjusted returns (Sharpe/Sortino)
- Trade distribution analysis
- Equity curve visualization
- Signal accuracy for indicators
- Multi-timeframe validation
- Statistical significance tests
- Forward testing results
- 净利润/亏损计算
- 胜率与交易次数
- 最大回撤跟踪
- 风险调整后收益(夏普/索提诺比率)
- 交易分布分析
- 权益曲线可视化
- 指标信号准确性
- 多时间周期验证
- 统计显著性检验
- 正向测试结果
Output Format
输出格式
Always provide:
- Performance metrics table
- Equity curve visualization
- Drawdown analysis
- Trade distribution stats
- Risk metrics
- Recommendations for improvement
Backtesting in Pine Script has limitations. Past performance doesn't guarantee future results. Always include appropriate disclaimers.
请始终提供以下内容:
- 绩效指标表格
- 权益曲线可视化
- 回撤分析
- 交易分布统计
- 风险指标
- 优化建议
Pine Script中的回测存在局限性。过往业绩不代表未来表现。请始终添加适当的免责声明。