
La estrategia es un sistema de seguimiento de tendencias basado en el gráfico de Heikin Ashi. Se calcula el gráfico de Heikin Ashi en períodos de tiempo más altos y se aplica a las decisiones de negociación en períodos de tiempo más bajos, reduciendo de manera efectiva el impacto del ruido del mercado. La estrategia ofrece opciones de dirección de negociación flexibles, puede hacer solo más, solo menos o en ambos sentidos, y integra la función de parada de pérdidas, logrando un proceso de negociación totalmente automatizado.
La lógica central de la estrategia es utilizar el gráfico de Heikin Ashi para identificar tendencias utilizando la característica de suavización en períodos de tiempo altos. El gráfico de Heikin Ashi puede filtrar eficazmente el ruido del mercado y resaltar las principales tendencias mediante el cálculo de las medias móviles de los precios de apertura y cierre. Cuando aparece un paréntesis verde para representar una tendencia alcista, el sistema abre posiciones en modo multi; cuando aparece un paréntesis rojo para representar una tendencia decreciente, el sistema abre posiciones en modo vacío. La estrategia también incluye un mecanismo de stop loss y stop loss basado en porcentajes para ayudar a controlar el riesgo y bloquear las ganancias.
La estrategia capta de manera efectiva las tendencias del mercado a través de la suavidad de los indicadores Heikin Ashi de varios períodos y controla el retroceso a través de un mecanismo de gestión de riesgos perfectamente desarrollado. La flexibilidad y la escalabilidad de la estrategia la convierten en un buen valor práctico, capaz de adaptarse a diferentes entornos de mercado a través de la optimización y mejora continuas. Aunque existe un cierto riesgo, se puede lograr un rendimiento comercial estable a través de la configuración de parámetros y la gestión de riesgos razonables.
/*backtest
start: 2024-11-10 00:00:00
end: 2024-12-09 08:00:00
period: 1d
basePeriod: 1d
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/
//@version=5
strategy("Optimized Heikin Ashi Strategy with Buy/Sell Options", overlay=true)
// User inputs for customizing backtest settings
startDate = input(timestamp("2023-01-01 00:00"), title="Backtest Start Date", tooltip="Start date for the backtest")
endDate = input(timestamp("2024-01-01 00:00"), title="Backtest End Date", tooltip="End date for the backtest")
// Input for Heikin Ashi timeframe optimization
ha_timeframe = input.timeframe("D", title="Heikin Ashi Timeframe", tooltip="Choose the timeframe for Heikin Ashi candles")
// Inputs for optimizing stop loss and take profit
use_stop_loss = input.bool(true, title="Use Stop Loss")
stop_loss_percent = input.float(2.0, title="Stop Loss (%)", minval=0.0, tooltip="Set stop loss percentage")
use_take_profit = input.bool(true, title="Use Take Profit")
take_profit_percent = input.float(4.0, title="Take Profit (%)", minval=0.0, tooltip="Set take profit percentage")
// Input to choose Buy or Sell
trade_type = input.string("Buy Only", options=["Buy Only", "Sell Only"], title="Trade Type", tooltip="Choose whether to only Buy or only Sell")
// Heikin Ashi calculation on a user-defined timeframe
ha_open = request.security(syminfo.tickerid, ha_timeframe, ta.sma(open, 2), barmerge.gaps_off, barmerge.lookahead_on)
ha_close = request.security(syminfo.tickerid, ha_timeframe, ta.sma(close, 2), barmerge.gaps_off, barmerge.lookahead_on)
ha_high = request.security(syminfo.tickerid, ha_timeframe, math.max(high, close), barmerge.gaps_off, barmerge.lookahead_on)
ha_low = request.security(syminfo.tickerid, ha_timeframe, math.min(low, open), barmerge.gaps_off, barmerge.lookahead_on)
// Heikin Ashi candle colors
ha_bullish = ha_close > ha_open // Green candle
ha_bearish = ha_close < ha_open // Red candle
// Backtest period filter
inDateRange = true
// Trading logic depending on user input
if (inDateRange) // Ensures trades happen only in the selected period
if (trade_type == "Buy Only") // Buy when green, Sell when red
if (ha_bullish and strategy.position_size <= 0) // Buy on green candle only if no position is open
strategy.entry("Buy", strategy.long)
if (ha_bearish and strategy.position_size > 0) // Sell on red candle (close the long position)
strategy.close("Buy")
if (trade_type == "Sell Only") // Sell when red, Exit sell when green
if (ha_bearish and strategy.position_size >= 0) // Sell on red candle only if no position is open
strategy.entry("Sell", strategy.short)
if (ha_bullish and strategy.position_size < 0) // Exit the sell position on green candle
strategy.close("Sell")
// Add Stop Loss and Take Profit conditions if enabled
if (use_stop_loss)
strategy.exit("Stop Loss", from_entry="Buy", stop=strategy.position_avg_price * (1 - stop_loss_percent / 100))
if (use_take_profit)
strategy.exit("Take Profit", from_entry="Buy", limit=strategy.position_avg_price * (1 + take_profit_percent / 100))
// Plot Heikin Ashi candles on the chart
plotcandle(ha_open, ha_high, ha_low, ha_close, color=ha_bullish ? color.green : color.red)