Esta estrategia es un sistema de negociación automatizado basado en el indicador MACD, que incorpora mecanismos dinámicos de stop-loss y take-profit. La estrategia central determina las señales de negociación a través de las líneas de cruce de la línea de señal y la línea de señal MACD, al tiempo que integra stop-loss, objetivos de ganancia y trailing stops basados en porcentajes para la gestión de riesgos. La estrategia calcula el indicador MACD utilizando la diferencia entre los promedios móviles rápidos y lentos, identificando los puntos de inversión de tendencia del mercado a través de los cruces de la línea de señal para tomar las decisiones comerciales correspondientes.
La lógica central incluye varios componentes clave:
Esta estrategia construye un robusto sistema de negociación automatizado a través de señales de cruce MACD y una gestión integral del riesgo. Si bien hay espacio para la optimización, el marco básico ya está bien desarrollado. A través de la optimización y mejora continuas, la estrategia tiene el potencial de mantener un rendimiento estable en diferentes entornos de mercado. Para la implementación de operaciones en vivo, se recomienda realizar pruebas de retroceso y ajustar los parámetros de acuerdo con las características específicas del mercado.
/*backtest start: 2024-01-01 00:00:00 end: 2024-11-01 00:00:00 period: 12h basePeriod: 12h exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}] */ // This Pine Script™ code is subject to the terms of the Mozilla Public License 2.0 at https://mozilla.org/MPL/2.0/ // © traderhub //@version=5 strategy("MACD Strategy with Settings", overlay=true) // Параметры MACD в контрольной панели fastLength = input.int(12, title="Fast Length", minval=1, maxval=50) slowLength = input.int(26, title="Slow Length", minval=1, maxval=50) signalSmoothing = input.int(9, title="Signal Smoothing", minval=1, maxval=50) // Параметры риска stopLossPerc = input.float(1, title="Stop Loss (%)", step=0.1) // Стоп-лосс в процентах takeProfitPerc = input.float(2, title="Take Profit (%)", step=0.1) // Тейк-профит в процентах trailStopPerc = input.float(1.5, title="Trailing Stop (%)", step=0.1) // Трейлинг-стоп в процентах // Вычисляем MACD [macdLine, signalLine, _] = ta.macd(close, fastLength, slowLength, signalSmoothing) // Показываем MACD и сигнальную линию на графике plot(macdLine, color=color.blue, title="MACD Line") plot(signalLine, color=color.red, title="Signal Line") hline(0, "Zero Line", color=color.gray) // Условия для покупки и продажи longCondition = ta.crossover(macdLine, signalLine) // Покупка при пересечении MACD вверх сигнальной линии shortCondition = ta.crossunder(macdLine, signalLine) // Продажа при пересечении MACD вниз сигнальной линии // Расчет стоп-лосса и тейк-профита var float longStopLevel = na var float longTakeProfitLevel = na if (longCondition) longStopLevel := strategy.position_avg_price * (1 - stopLossPerc / 100) longTakeProfitLevel := strategy.position_avg_price * (1 + takeProfitPerc / 100) strategy.entry("Long", strategy.long) if (strategy.position_size > 0) // Установка стоп-лосса и тейк-профита strategy.exit("Take Profit/Stop Loss", "Long", stop=longStopLevel, limit=longTakeProfitLevel, trail_offset=trailStopPerc) // Закрытие позиции при медвежьем сигнале if (shortCondition) strategy.close("Long") strategy.entry("Short", strategy.short)