Это стратегия, основанная на индикаторе SuperTrend, экспоненциальной скользящей средней (EMA) и среднем истинном диапазоне (ATR). Стратегия достигает динамического отслеживания тренда и контроля рисков посредством сочетания нескольких технических индикаторов, первоначального стоп-лосса и последующего стоп-лосса. Ядро стратегии заключается в захвате изменений направления тренда с использованием индикатора SuperTrend, при этом используя EMA для подтверждения тренда и создании механизмов двойного стоп-лосса для защиты прибыли.
Стратегия основывается на следующих основных компонентах: Индикатор SuperTrend для определения изменений направления тренда, рассчитанный с периодом ATR 16 и фактором 3,02 2. 49-периодный EMA как трендовый фильтр для подтверждения направления тренда 3. Первоначальный стоп-лосс, установленный на 50 пунктов, обеспечивающий базовую защиту для каждой сделки Задержка остановки убытка активируется после получения прибыли на 70 пунктов, динамически отслеживая изменения цены
Система генерирует длинные сигналы, когда направление SuperTrend поворачивается вниз, а цена закрытия находится выше EMA, при условии отсутствия существующей позиции.
Это полная торговая стратегия, сочетающая в себе несколько технических индикаторов и механизмов контроля риска. Она достигает благоприятного соотношения риск-вознаграждение посредством улавливания тренда с индикатором SuperTrend, подтверждения направления с EMA, в сочетании с двойными механизмами стоп-лосса. Потенциал оптимизации стратегии в основном заключается в динамической корректировке параметров, оценке рыночной среды и улучшении системы управления рисками. В практическом применении рекомендуется проводить тщательное обратное тестирование исторических данных и корректировать параметры в соответствии с специфическими характеристиками торговых инструментов.
/*backtest start: 2024-01-17 00:00:00 end: 2025-01-15 08:00:00 period: 1d basePeriod: 1d exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT","balance":49999}] */ //@version=5 strategy(" nifty supertrend triton", overlay=true, default_qty_type=strategy.percent_of_equity, default_qty_value=100) // Input parameters atrPeriod = input.int(16, "ATR Length", step=1) factor = input.float(3.02, "Factor", step=0.01) maPeriod = input.int(49, "Moving Average Period", step=1) trailPoints = input.int(70, "Trailing Points", step=1) // Points after which trailing stop activates initialStopLossPoints = input.int(50, "Initial Stop Loss Points", step=1) // Initial stop loss of 50 points // Calculate Supertrend [_, direction] = ta.supertrend(factor, atrPeriod) // Calculate EMA ema = ta.ema(close, maPeriod) // Variables to track stop loss levels var float trailStop = na var float entryPrice = na var float initialStopLoss = na // To track the initial stop loss // Generate buy and sell signals if ta.change(direction) < 0 and close > ema if strategy.position_size == 0 // Only open a new long position if no current position strategy.entry("Buy", strategy.long) entryPrice := close // Record the entry price for the long position initialStopLoss := entryPrice - initialStopLossPoints // Set initial stop loss for long position trailStop := na // Reset trailing stop for long if ta.change(direction) > 0 and close < ema if strategy.position_size == 0 // Only open a new short position if no current position strategy.entry("Sell", strategy.short) entryPrice := close // Record the entry price for the short position initialStopLoss := entryPrice + initialStopLossPoints // Set initial stop loss for short position trailStop := na // Reset trailing stop for short // Apply initial stop loss for long positions if (strategy.position_size > 0) // Check if in a long position if close <= initialStopLoss // If the price drops to or below the initial stop loss strategy.close("Buy", "Initial Stop Loss Hit") // Exit the long position // Apply trailing stop logic for long positions if (strategy.position_size > 0) // Check if in a long position if (close - entryPrice >= trailPoints) // If the price has moved up by the threshold trailStop := na(trailStop) ? close - trailPoints : math.max(trailStop, close - trailPoints) // Adjust trailing stop upwards if not na(trailStop) and close < trailStop // If the price drops below the trailing stop strategy.close("Buy", "Trailing Stop Hit") // Exit the long position // Apply initial stop loss for short positions if (strategy.position_size < 0) // Check if in a short position if close >= initialStopLoss // If the price rises to or above the initial stop loss strategy.close("Sell", "Initial Stop Loss Hit") // Exit the short position // Apply trailing stop logic for short positions if (strategy.position_size < 0) // Check if in a short position if (entryPrice - close >= trailPoints) // If the price has moved down by the threshold trailStop := na(trailStop) ? close + trailPoints : math.min(trailStop, close + trailPoints) // Adjust trailing stop downwards if not na(trailStop) and close > trailStop // If the price rises above the trailing stop strategy.close("Sell", "Trailing Stop Hit") // Exit the short position