Wilders Volatility Trend Following Optimised

A Trend Following Indicator that switches directions based on a Stop-and-Reverse Price (based on Wilders algorithm) and in parallel a Stop-Loss that contracts when the profit exceeds the risk capital (ACC*ATR) progressively up to user defined max % level (AF_MAX).

The basis of this indicator is the Volatility method described in Wilders book from 1975 "New Concepts in Technical Trading Systems". 

I have used this on Crypto and Stocks and Forex. The ACC (Acceleration Factor) is setup to run on Crypto (BTC,ETH) M1, but it also works on all other timeframes. It works well on Forex as well as Stocks. Ideally you want to trade when the volatility is higher as to avoid side ways trading. So you want to look at other indicators to provide you a good idea of when it is worthwhile to trade.

My main motivation for improving the existing indicator by Wilders was that while it serves as a good entry point to trades its exit of the trades is usually way too relaxed and needs to be more precise and aggressive. This is why I have included an adaptive Stop-Loss that tightens aggressively once the Risk-Reward ratio breaches 1.0 up to a user set max RR. This is what we want to be doing if we are trading manually once your RR has exceeded 1:1. While the original Wilder algorithm leaves the ACC factor constant we are instead reducing the ACC factor using a smooth function to start increasingly tighten the StopLoss towards our set max RR.

# Wilders Volatility Trend Following Optimised Indicator Documentation

## Introduction

The Wilders Volatility Trend Following Optimised indicator is a sophisticated trend-following technical analysis tool for MetaTrader 5. It implements an advanced adaptive trend-following system that dynamically adjusts to market conditions, providing traders with clear entry and exit signals while automatically calculating optimal take profit and stop loss levels.

This indicator is designed for traders who follow trend-based strategies and seek to optimize their trade management with adaptive risk parameters that respond to changing market volatility.

## Key Features

- **Adaptive Trend Following**: Automatically identifies and follows market trends
- **Dynamic Position Management**: Calculates optimal entry, exit, stop loss, and take profit levels
- **Volatility-Based Parameters**: Uses Average True Range (ATR) to adapt to market volatility
- **Adaptive Acceleration Factor (AFX)**: Implements a sigmoid-based transition between acceleration factors
- **Smooth Take Profit Calculation**: Uses hyperbolic tangent function for natural profit target transitions
- **Trailing Stop Loss**: Implements an intelligent trailing stop mechanism that locks in profits
- **Visual Feedback**: Provides comprehensive visual elements including arrows, lines, and text annotations
- **Global Variable Export**: Makes key values available to other indicators and EAs

## Technical Approach

### Trend Following Methodology

The indicator follows a trend-based approach using a Stop-And-Reverse (SAR) mechanism. It maintains a current position (long or short) and tracks a Significant Close (SIC) value, which represents the most extreme favorable price since entering the current position.

The SAR level is calculated as:
```
SAR = SIC - FLIP * ACC * ATR
```
Where:
- `SIC` is the Significant Close value
- `FLIP` is the position direction (1 for long, -1 for short)
- `ACC` is the Acceleration Factor
- `ATR` is the Average True Range

When price crosses the SAR level in the opposite direction of the current position, the indicator generates a signal to reverse the position.

### Adaptive Acceleration Factor (AFX)

One of the most innovative aspects of this indicator is the Adaptive Acceleration Factor (AFX) calculation. This uses a sigmoid function to create a smooth transition between different acceleration factor values based on price movement:

```
AF_X = af_start + (af_end - af_start) * sigmoid_x
```

The sigmoid function creates an S-shaped curve that makes transitions smooth rather than abrupt. This adaptive approach allows the indicator to:

1. Start with wider stops to give trades room to breathe
2. Gradually tighten as the trade moves favorably
3. Lock in profits with a trailing mechanism once certain thresholds are crossed
4. Adapt to market volatility through ATR

### Dynamic Take Profit Calculation

The indicator implements a sophisticated take profit calculation using a hyperbolic tangent function:

```
profitMultiplier = 1.0 + profitRange * transitionFactor
```

Where `transitionFactor` is calculated using a custom hyperbolic tangent implementation. This creates a dynamic take profit that:

- Starts at a minimum level (SIC_SNAP ± ATR * ACC * PROFIT_MIN)
- Gradually increases toward a maximum level (SIC_SNAP ± ATR * ACC * PROFIT_MAX)
- Uses a smooth transition based on how far price has moved from the base level
- Adapts to market volatility through the ATR value

## Key Components

### Significant Close (SIC)

The Significant Close (SIC) is a key concept in this indicator. It represents the most favorable price level since entering the current position:

- For long positions: SIC is the highest close price since entering the position
- For short positions: SIC is the lowest close price since entering the position

The SIC serves as a reference point for calculating the SAR level and other important values.

### Average True Range (ATR)

The indicator uses ATR to measure market volatility and scale various calculations accordingly. The ATR is calculated using a smoothed approach:

```
ATR = Alpha * TR + (1 - Alpha) * previous_ATR
```

Where:
- `TR` (True Range) is the maximum of: current high-low range, current high-previous close, or current low-previous close
- `Alpha` is the smoothing factor (default 1/7)

### Position Tracking and Signal Generation

The indicator tracks the current market position (long, short, or none) and generates signals based on four conditions:

1. If long position and current price is less than or equal to StopLoss, switch to short
2. If short position and current price is greater than or equal to StopLoss, switch to long
3. If long position and current price is less than or equal to SAR, switch to short
4. If short position and current price is greater than or equal to SAR, switch to long

When a position change occurs, the indicator:
- Updates the SIC and ATR_SNAP values
- Resets bound breach flags
- Draws arrows and vertical lines on the chart
- Updates all visual elements

### Bound Breaching Mechanism

The indicator implements an upper and lower bound system:

```
upperBound = SIC_SNAP + ATR_SNAP * ACC
lowerBound = SIC_SNAP - ATR_SNAP * ACC
```

When price breaches these bounds in a favorable direction, the indicator activates a trailing stop mechanism that only moves in the favorable direction, locking in profits.

## Visual Elements

The indicator creates several visual elements on the chart:

### Arrows and Lines

- **Long/Short Arrows**: Green (long) or red (short) arrows indicating position changes
- **SAR Line**: A horizontal line showing the current SAR level
- **SIC Line**: A horizontal line showing the current Significant Close level
- **Upper/Lower Bound Lines**: Horizontal lines showing the upper and lower bounds
- **Take Profit Line**: A magenta dashed line showing the calculated take profit level
- **Stop Loss Line**: An orange dashed line showing the calculated stop loss level
- **Vertical Lines**: Dotted vertical lines marking position change points

### Text Annotations

The indicator adds text annotations to the chart explaining various values:

- SAR level and calculation details
- SIC value and related parameters
- Upper and lower bound values
- Take profit and stop loss levels with calculation details

## Input Parameters

| Parameter | Default | Description |
|-----------|---------|-------------|
| Timeframe | PERIOD_M1 | Time frame to run the indicator on |
| UseATRSnap | true | Use ATR Snapshot (true) or Live ATR (false) for calculations |
| UseGlobalATRTR | false | Use global TF1_ATRTR_TR and TF1_ATRTR_ATR variables |
| SARLineColor | clrWhite | Color of the SAR line |
| SICLineColor | clrYellow | Color of the SIC line |
| ACC | 10.0 | Base Acceleration Factor |
| Alpha | 1.0/7.0 | ATR smoothing factor |
| ArrowSize | 3 | Size of arrow symbols |
| LongColor | clrLime | Color for long signals |
| ShortColor | clrRed | Color for short signals |
| LongArrowCode | 233 | Long arrow symbol code |
| ShortArrowCode | 234 | Short arrow symbol code |
| AF_MIN | 1.0 | Minimum acceleration factor for AFX calculation |
| AF_MAX | 15.0 | Maximum acceleration factor for AFX calculation |
| K_Smooth | 3.0 | Smoothing parameter for AFX calculation |
| StopLossColor | clrOrange | StopLoss line color |

## Global Variables

The indicator exports several global variables that can be used by other indicators or EAs:

| Global Variable | Description |
|-----------------|-------------|
| TF_TF_O_[ChartID]_currentPrice | Current price |
| TF_TF_O_[ChartID]_TR | True Range value |
| TF_TF_O_[ChartID]_ATR | Average True Range value |
| TF_TF_O_[ChartID]_SIC | Significant Close value |
| TF_TF_O_[ChartID]_SIC_SNAP | SIC value at position change |
| TF_TF_O_[ChartID]_ATR_SNAP | ATR value at position change |
| TF_TF_O_[ChartID]_ACC | Acceleration Factor |
| TF_TF_O_[ChartID]_afx | Adaptive Acceleration Factor |
| TF_TF_O_[ChartID]_FLIP | Position direction (1 or -1) |
| TF_TF_O_[ChartID]_CurrentPosition | Current position (1 for long, -1 for short) |
| TF_TF_O_[ChartID]_K | Smoothing parameter |
| TF_TF_O_[ChartID]_SAR | Stop and Reverse level |
| TF_TF_O_[ChartID]_upperBound | Upper bound value |
| TF_TF_O_[ChartID]_upperBoundBreached | Flag indicating if upper bound is breached |
| TF_TF_O_[ChartID]_lowerBound | Lower bound value |
| TF_TF_O_[ChartID]_lowerBoundBreached | Flag indicating if lower bound is breached |
| TF_TF_O_[ChartID]_TakeProfit | Take profit level |
| TF_TF_O_[ChartID]_StopLoss | Stop loss level |

## Trading Signals Interpretation

### Entry Signals

- **Long Entry**: When price crosses above the SAR level while in a short position, or when price crosses above the stop loss level while in a short position
- **Short Entry**: When price crosses below the SAR level while in a long position, or when price crosses below the stop loss level while in a long position

### Exit Signals

- **Long Exit**: When price crosses below the SAR level or the stop loss level
- **Short Exit**: When price crosses above the SAR level or the stop loss level

### Risk Management

The indicator provides dynamic stop loss and take profit levels that adapt to market conditions:

- **Stop Loss**: Initially set at a distance of ATR * ACC from the SIC, but adapts using the AFX calculation as the trade progresses
- **Take Profit**: Calculated using a smooth transition function that starts at a minimum level and increases as the trade moves favorably

## Advanced Concepts

### Sigmoid-Based Transitions

The AFX calculation uses a sigmoid function to create smooth transitions between acceleration factor values:

```
sigmoid_x = ((1 / (1 + MathExp(-k * (2*normalized_x - 1)))) - (1 / (1 + MathExp(k)))) / t
```

This creates an S-shaped curve that avoids abrupt changes in stop loss levels, providing more natural and effective trade management.

### Hyperbolic Tangent Smoothing

The take profit calculation uses a custom hyperbolic tangent implementation:

```
CustomTanh(x) = (exp2x - 1.0) / (exp2x + 1.0)
```

This creates a smooth transition for take profit levels, making them more natural and effective.

### Trailing Stop Loss Implementation

The indicator implements an intelligent trailing stop mechanism that:

1. Tracks whether upper or lower bounds have been breached
2. Once a bound is breached, only allows the stop loss to move in the favorable direction
3. Uses the adaptive acceleration factor (AFX) to determine the stop loss distance

## Practical Usage

### Trend Following Strategy

1. Wait for the indicator to generate a long or short signal (arrows)
2. Enter a position in the direction of the signal
3. Set stop loss at the indicator's stop loss level (orange line)
4. Set take profit at the indicator's take profit level (magenta line)
5. Monitor the position as the indicator updates stop loss and take profit levels
6. Exit when the indicator generates a reversal signal

### Integration with Other Tools

The indicator can be used alongside other technical analysis tools:

- **Support/Resistance Levels**: Confirm signals with key support and resistance levels
- **Volume Indicators**: Validate signals with volume confirmation
- **Oscillators**: Use oscillators like RSI or Stochastic to confirm overbought/oversold conditions

## Conclusion

The Wilders Volatility Trend Following Optimised indicator provides a comprehensive trend-following system with advanced adaptive features. By dynamically adjusting to market conditions and providing clear visual feedback, it helps traders identify and manage trend-based trades with optimized risk parameters.

The indicator's sophisticated algorithms for calculating adaptive acceleration factors, smooth take profit levels, and intelligent trailing stops make it a powerful tool for trend followers seeking to optimize their trading approach.

---




Produtos recomendados
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation.
This indicator builds a Pivot Anchored Volume Profile (VAP/VPOC approximation using tick volume) and automatically splits the profile into pivot-to-pivot segments , giving you a clean, TradingView-like view of where volume concentrated during each swing. It draws a horizontal histogram for every segment and highlights the Value Area and key levels, making it easy to spot acceptance/rejection zones, high-volume nodes, and potential support/resistance. Key Features Segmented Volume Profile (Pivot-
Liquidity Oscillator
Paolo Scopazzo
3 (2)
A powerful oscillator that provide Buy and Sell signals by calculating the investor liquidity. The more liquidity the more buy possibilities. The less liquidity the more sell possibilities. Please download the demo and run a backtest! HOW IT WORKS: The oscillator will put buy and sell arrow on the chart in runtime only . Top value is 95 to 100 -> Investors are ready to buy and you should follow. Bottom value is 5 to 0 -> Investors are ready to sell and you should follow. Alert + sound will appe
The Antique Trend Indicator is a revolutionary trend trading and filtering solution with all the important features of a trend tool built into one tool! The Antique Trend indicator is good for any trader, suitable for any trader both for Forex and binary options. There is no need to configure anything, everything has been perfected by time and experience, it works great during flats and trends. The Antique Trend indicator is a tool for technical analysis of financial markets, reflecting curren
A nova versão torna este indicador uma ferramenta completa para estudo, análise e operação de padrões probabilísticos. Suas funções incluem: Monitor de porcentagem de múltiplos ativos no gráfico. Martingales configuráveis. Vinte e um padrões pré-configurados, incluindo padrões Mhi e C3. Um editor de padrões avançado para armazenar até 5 padrões personalizados. Modo Backtest para testar resultados com relatório de perdas. Filtro de tendência. Filtro de hits. Opção de Ciclos de Martingale. Vários
Limitless MT5
Dmitriy Kashevich
Limitless MT5 is a universal indicator suitable for every beginner and experienced trader. works on all currency pairs, cryptocurrencies, raw stocks Limitless MT5 - already configured and does not require additional configuration And now the main thing Why Limitless MT5? 1 complete lack of redrawing 2 two years of testing by the best specialists in trading 3 the accuracy of correct signals exceeds 80% 4 performed well in trading during news releases Trading rules 1 buy signal - the ap
Ichimoku Aiko MTF
Michael Jonah Randriamampionontsoa
Ichimoku Aiko MTF is a collection of technical indicators that show support and resistance levels, as well as momentum and trend direction. It is a multi-timeframe indicator so you don't need to change the chart timeframe when you want to see the ichimoku clouds on a higher timeframe.  eg. The chart timeframe is M15 and you want to see on the M15 timeframe chart the H1 ichimoku indicators (the ichimoku in Metatrader can't do that) that's why you need to use Ichimoku Aiko MTF.
Master Calendar Osw
William Oswaldo Mayorga Urduy
CALENDÁRIO MESTRE OSW Este indicador foi inicialmente criado para meu uso pessoal, mas fui aprimorando-o aos poucos e implementando funções para ajudar no meu dia a dia de negociação e funções continuarão a ser implementadas se forem úteis. DETALHES DO CALENDÁRIO. >Calendário móvel e detalhado de notícias próximas à data atual, com dados como: data, País, Moeda, Setor da notícia, Nome da Notícia, e Dados anteriores, de previsão e atuais. >O Calendário é atualizado automaticamente a cada 5 m
O indicador SMC Venom Model BPR é uma ferramenta profissional para os traders que trabalham com o conceito Smart Money (SMC). Identifica automaticamente dois padrões principais no gráfico de preços: FVG   (Fair Value Gap) é uma combinação de três velas, em que existe um gap entre a primeira e a terceira velas. Forma uma zona entre níveis onde não há suporte de volume, o que geralmente leva a uma correção de preço. BPR   (Balanced Price Range) é uma combinação de dois padrões FVG que formam uma
Tma Poc Gold
Ignacio Agustin Mene Franco
POC + TMA SCALPER GOLD - Expert Advisor Professional DESCRIPTION: Automated trading system designed specifically for XAU/USD, combining Point of Control (POC) with Triangular Moving Average (TMA) to identify high-volume and trending zones. It uses advanced risk management with dynamic trailing stops and an intelligent grid system. TECHNICA
MT5 Arrow Indicator   is a momentum-based technical indicator for   MetaTrader 5 , designed to provide   clear buy and sell arrow signals   based on market momentum. The indicator generates   non-repainting signals   and includes a   built-in alert system   to notify traders when new signals appear. Key Features  Non-Repainting Arrow Signals Signals are confirmed after candle close Historical arrows do not change Suitable for backtesting and live trading  Buy & Sell Logic Buy Arrow   appears whe
This trading indicator is non-repainting, non-redrawing, and non-lagging, making it an ideal choice for both manual and automated trading. It is a Price Action–based system that leverages price strength and momentum to give traders a real edge in the market. With advanced filtering techniques to eliminate noise and false signals, it enhances trading accuracy and potential. By combining multiple layers of sophisticated algorithms, the indicator scans the chart in real-time and translates comple
Prizmal Logic
Vladimir Lekhovitser
5 (1)
Sinal de negociação ao vivo Monitoramento público em tempo real da atividade de negociação: https://www.mql5.com/pt/signals/2353471 Informações oficiais Perfil do vendedor Canal oficial Manual do usuário Instruções de configuração e uso: Ver manual do usuário Este Expert Advisor é baseado em uma estratégia de negociação orientada por regras. A estratégia tem como objetivo identificar condições específicas de mercado, em vez de manter exposição contínua. O sistema analisa o comportamen
Indicador Long&Short Cointegration Analyzer Uma ferramenta avançada para traders que buscam lucrar com cointegração. Analisa qualquer par de ativospara estratégias de Long&Short. O que o Long&Short Cointegration Analyzer faz? Identifica pares cointegrados que retornam à média, ideais para trades lucrativos. Apresenta um painel detalhado com dados estatísticos para decisões seguras. Funciona com qualquer par de moedas, em qualquer timeframe. Descubra oportunidades de compra e venda com base em
Your Trend Friend
Luigi Nunes Labigalini
5 (1)
A tendência é sua amiga! Veja a cor do indicador e faça suas operações nessa direção. Ele não repinta. Ou seja, depois que cada candle se fecha, a cor dele é definitiva e não irá se alterar. Você pode focar em movimentos mais curtos e rápidos ou tendências mais longas, basta testar o que melhor se encaixa no seu operacional de acordo com o ativo e tempo gráfico usado. Altere o parâmetro de entrada "Length" e o indicador irá se adaptar automaticamente (quanto maior ele for, maior a tendência an
STRICTLY FOR BOOM INDEX ONLY!!!!! Here I bring the Maximum Trend Arrows OT1.0 MT5 indicator. This indicator is made up of a combination of different trend indicators for entries and exits, for entries an orange arrow will paint on the chart below the current market and a red flag for closing of trades and it produces buy arrows only. When the orange arrow appears, it will appear along with it's sound to notify you. The 1H timeframe is recommended, don't use it anywhere else than on the 1H timefr
All-in-One Chart Patterns Professional Level: The Ultimate 36-Pattern Trading System All-in-One Chart Patterns Professional Level is a comprehensive 36-pattern indicator well known by retail traders, but significantly enhanced with superior accuracy through integrated news impact analysis and proper market profile positioning. This professional-grade trading tool transforms traditional pattern recognition by combining advanced algorithmic detection with real-time market intelligence.  CORE FEATU
FREE
Owl Smart Levels MT5
Sergey Ermolov
4.03 (32)
Versão MT4  |  FAQ O Indicador Owl Smart Levels é um sistema de negociação completo dentro de um indicador que inclui ferramentas populares de análise de mercado, como fractais avançados de Bill Williams , Valable ZigZag que constrói a estrutura de onda correta do mercado e níveis de Fibonacci que marcam os níveis exatos de entrada no mercado e lugares para obter lucros. Descrição detalhada da estratégia Instruções para trabalhar com o indicador Consultor de negociação Owl Helper Chat privado d
O indicador ROMAN5 Time Breakout desenha automaticamente caixas de suporte e resistência diárias para rompimentos. Ajuda o usuário a identificar o momento de comprar ou vender. Vem com um alerta sonoro sempre que um novo sinal aparece. Ele também possui a facilidade de enviar e-mail. O seu endereço de e-mail e configurações do servidor SMTP devem ser especificados na janela de configurações do guia "Email" no seu MetaTrader 5. Seta para cima azul = Comprar Seta para baixo vermelha = Vender. Você
FREE
Candle Pattern Finder MT5
Pavel Zamoshnikov
4.2 (5)
This indicator searches for candlestick patterns. Its operation principle is based on Candlestick Charting Explained: Timeless Techniques for Trading Stocks and Futures by Gregory L. Morris. If a pattern is detected, the indicator displays a message at a bar closure. If you trade using the MetaTrader 4 terminal, then you can download the full analogue of the " Candle Pattern Finder for MT4 " indicator It recognizes the following patterns: Bullish/Bearish (possible settings in brackets) : Hammer
Gecko EA MT5
Profalgo Limited
5 (1)
NEW PROMO: Only a few copies copies available at 349$ Next price: 449$ Make sure to check out our " Ultimate EA combo package " in our   promo blog ! Gecko runs a simple, yet very effective, proven strategy.  It looks for important recent support and resistance levels and will trade the breakouts.  This is a "real" trading system, which means it will use a SL to protect the account.  It also means it will not use any dangerous techniques like martingale, grid or averaging down. The EA shows its
Bollinger Trend Lines – MT4 & MT5 Bollinger Trend Lines is a professional volatility-based trend indicator designed to clearly identify trend direction and dynamic stop levels using Bollinger Bands. Fuses on one core principle: follow the trend, ignore noise, and let volatility define the stop. How it works The indicator builds trailing trend lines using Bollinger Bands: In an uptrend , the lower band trails price and can only rise In a downtrend , the upper band trails price and can only
Universal Soul Reaper
Pieter Gerhardus Van Zyl
Universal Soul Reaper is an atmospheric market-flow oscillator designed to interpret price behavior as a cycle of spiritual energy. Instead of reacting to raw price alone, it visualizes the state of the market’s soul —revealing when momentum is awakening, stabilizing, or fading. The indicator operates in a separate window and presents three interwoven entities: the Ectoplasmic Veil , the Spirit Boundary , and the Soul Core . Together, they form a living framework that helps traders sense pressu
Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized, leaving room for you to tailor it to your unique trading preferences.
Uma das sequências numéricas é chamada de "Forest Fire Sequence". Foi reconhecida como uma das mais belas novas sequências. Sua principal característica é que essa sequência evita tendências lineares, mesmo as mais curtas. É esta propriedade que formou a base deste indicador. Ao analisar uma série temporal financeira, este indicador tenta rejeitar todas as opções de tendência possíveis. E somente se ele falhar, ele reconhece a presença de uma tendência e dá o sinal apropriado. Esta abordagem pe
The Riko Trend indicator is a revolutionary trend trading and filtering solution with all the important features of a trend tool built into one tool! The Riko Trend indicator is good for any trader, suitable for any trader for both forex and binary options. You don’t need to configure anything, everything is perfected by time and experience, it works great during a flat and in a trend. The Riko Trend indicator is a technical analysis tool for financial markets that reflects the current price f
MTF Candles Overlay - Professional Multi-Timeframe Analysis Tool (Now with Yearly Y1 timeframe!) The MTF  Candles Overlay is a powerful and visually intuitive indicator that allows traders to view candles from higher timeframes directly overlaid on their current chart. This eliminates the need to constantly switch between multiple timeframe charts, enabling faster analysis and better trading decisions. Key Features Complete Timeframe Coverage All Standard Timeframes : M1, M2, M3, M4, M5, M6, M1
PipFinite Breakout EDGE MT5
Karlo Wilson Vendiola
4.81 (93)
The Missing Edge You Need To Catch Breakouts Like A Pro. Follow a step-by-step system that detects the most powerful breakouts! Discover market patterns that generate massive rewards based on a proven and tested strategy. Unlock Your Serious Edge Important information here www.mql5.com/en/blogs/post/723208 The Reliable Expert Advisor Version Automate Breakout EDGE signals using "EA Breakout EDGE" Click Here Have access to the game changing strategy that will take your trading to the next l
Probability Advanced Indicator
Dioney De Jesus Batista Alves
. O ProbabilityAdvancedIndicator é uma ferramenta sofisticada para análise de probabilidade de tendência, desenvolvida para operações de scalping e day trade. Ele combina múltiplos indicadores técnicos e análise multi-timeframe para gerar sinais visuais claros de probabilidade de compra/venda. O ProbabilityAdvancedIndicator é uma ferramenta completa para traders que buscam: Tomada de decisão baseada em probabilidade Análise técnica consolidada Flexibilidade para diferentes estilos de operação I
The Super Arrow Indicator provides non-repainting buy and sell signals with exceptional accuracy. Key Features No repainting – confirmed signals remain fixed Clear visual arrows: green for buy, red for sell Real-time alerts via pop-up, sound, and optional email Clean chart view with no unnecessary clutter Works on all markets: Forex, gold, oil, indices, crypto Adjustable Parameters TimeFrame Default:   "current time frame" Function:   Sets the time frame for indicator calculation Options:   Can
Os compradores deste produto também adquirem
Divergence Bomber
Ihor Otkydach
4.89 (83)
Cada comprador deste indicador recebe adicionalmente, e de forma gratuita: A ferramenta exclusiva "Bomber Utility", que acompanha automaticamente cada operação, define os níveis de Stop Loss e Take Profit e fecha operações de acordo com as regras da estratégia; Arquivos de configuração (set files) para ajustar o indicador em diferentes ativos; Set files para configurar o Bomber Utility nos modos: "Risco Mínimo", "Risco Balanceado" e "Estratégia de Espera"; Um vídeo tutorial passo a passo que aju
RFI levels PRO MT5
Roman Podpora
3.67 (3)
O indicador mostra com precisão os pontos de reversão e as zonas de retorno de preço onde o   Principais players . Você identifica onde novas tendências estão se formando e toma decisões com máxima precisão, mantendo o controle sobre cada negociação. VERSION MT4     -    Revela seu potencial máximo quando combinado com o indicador   TREND LINES PRO. O que o indicador mostra: Estruturas de reversão e níveis de reversão com ativação no início de uma nova tendência. Exibição dos níveis de   TAKE P
Azimuth Pro
Ottaviano De Cicco
5 (4)
PROMOÇÃO DE LANÇAMENTO O preço do Azimuth Pro está inicialmente definido em 299$ para os primeiros 100compradores. O preço final será de 499$ . A DIFERENÇA ENTRE ENTRADAS RETAIL E INSTITUCIONAIS NÃO É O INDICADOR — É A LOCALIZAÇÃO. A maioria dos traders entra em níveis de preço arbitrários, perseguindo momentum ou reagindo a sinais atrasados. As instituições esperam o preço atingir níveis estruturados onde oferta e demanda realmente mudam. Azimuth Pro mapeia esses níveis automaticamente: VWA
LINHAS DE TENDÊNCIA PRO   -   Ajuda a entender onde o mercado está realmente mudando de direção. O indicador mostra inversões de tendência reais e pontos onde os principais participantes retornam ao mercado. Você vê     Linhas BOS   Análise de tendências e níveis-chave em prazos maiores — sem configurações complexas ou ruídos desnecessários. Os sinais não são repintados e permanecem no gráfico após o fechamento da barra. VERSÃO MT4   -   Revela seu potencial máximo quando combinado com o   indic
ARIPoint
Temirlan Kdyrkhan
ARIPoint is a powerful trading companion designed to generate high-probability entry signals with dynamic TP/SL/DP levels based on volatility. Built-in performance tracking shows win/loss stats, PP1/PP2 hits, and success rates all updated live. Key Features: Buy/Sell signals with adaptive volatility bands Real-time TP/SL/DP levels based on ATR Built-in MA Filter with optional ATR/StdDev volatility Performance stats panel (Success, Profit/Loss, PP1/PP2) Alerts via popup, sound, push, or email Cu
Grabber System MT5
Ihor Otkydach
4.82 (22)
Apresento a você um excelente indicador técnico: Grabber, que funciona como uma estratégia de trading “tudo incluído”, pronta para usar. Em um único código estão integradas ferramentas poderosas de análise técnica de mercado, sinais de entrada (setas), funções de alertas e notificações push. Cada comprador deste indicador também recebe gratuitamente: Utilitário Grabber: ferramenta para gerenciamento automático de ordens abertas Vídeo tutorial passo a passo: como instalar, configurar e operar com
Quantum TrendPulse
Bogdan Ion Puscasu
5 (20)
Apresentando   Quantum TrendPulse   , a ferramenta de negociação definitiva que combina o poder do   SuperTrend   ,   RSI   e   Stochastic   em um indicador abrangente para maximizar seu potencial de negociação. Projetado para traders que buscam precisão e eficiência, este indicador ajuda você a identificar tendências de mercado, mudanças de momentum e pontos de entrada e saída ideais com confiança. Principais características: Integração SuperTrend:   siga facilmente a tendência predominante do
Antes de tudo, vale ressaltar que esta Ferramenta de Negociação é um Indicador Não Repintante, Não Redesenhante e Não Atrasado, o que a torna ideal para negociação profissional. Curso online, manual do utilizador e demonstração. O Indicador de Conceitos de Ação de Preço Inteligente é uma ferramenta muito poderosa tanto para traders novos quanto experientes. Ele combina mais de 20 indicadores úteis em um único, combinando ideias avançadas de negociação como Análise do Trader do Círculo Interno
Apresentando       Quantum Breakout PRO   , o inovador Indicador MQL5 que está transformando a maneira como você negocia Breakout Zones! Desenvolvido por uma equipe de traders experientes com experiência comercial de mais de 13 anos,       Quantum Breakout PRO       foi projetado para impulsionar sua jornada comercial a novos patamares com sua estratégia de zona de fuga inovadora e dinâmica. O Quantum Breakout Indicator lhe dará setas de sinal em zonas de breakout com 5 zonas-alvo de lucro e su
O indicador " Dynamic Scalper System MT5 " foi desenvolvido para o método de scalping, operando dentro de ondas de tendência. Testado nos principais pares de moedas e ouro, é possível a compatibilidade com outros instrumentos de negociação. Fornece sinais para a abertura de posições de curto prazo ao longo da tendência, com suporte adicional para o movimento dos preços. O princípio do indicador: As setas grandes determinam a direção da tendência. Um algoritmo para gerar sinais de scalping sob
Este é um indicador para MT5 que fornece sinais precisos para entrar em uma negociação sem redesenhar. Ele pode ser aplicado a qualquer ativo financeiro: forex, criptomoedas, metais, ações, índices. Ele fornecerá estimativas bastante precisas e informará quando é melhor abrir e fechar um negócio. Assista o vídeo (6:22) com um exemplo de processamento de apenas um sinal que compensou o indicador! A maioria dos traders melhora seus resultados de negociação durante a primeira semana de negociação c
Trend Forecaster
Alexey Minkov
5 (7)
The Trend Forecaster indicator utilizes a unique proprietary algorithm to determine entry points for a breakout trading strategy. The indicator identifies price clusters, analyzes price movement near levels, and provides a signal when the price breaks through a level. The Trend Forecaster indicator is suitable for all financial assets, including currencies (Forex), metals, stocks, indices, and cryptocurrencies. You can also adjust the indicator to work on any time frames, although it is recommen
Berma Bands
Muhammad Elbermawi
5 (8)
O indicador Berma Bands (BBs) é uma ferramenta valiosa para traders que buscam identificar e capitalizar tendências de mercado. Ao analisar a relação entre o preço e os BBs, os traders podem discernir se um mercado está em uma fase de tendência ou de variação. Visite o [ Blog Berma Home ] para saber mais. As Bandas de Berma são compostas por três linhas distintas: a Banda de Berma Superior, a Banda de Berma Média e a Banda de Berma Inferior. Essas linhas são plotadas em torno do preço, criando u
O indicador destaca as zonas onde há declaração de interesse no mercado e, em seguida, mostra a zona de acumulação de ordens . Ele funciona como um livro de ofertas em escala ampliada . Este é o indicador para o dinheiro grande . Seu desempenho é excepcional. Qualquer interesse que existir no mercado, você verá com clareza . (Esta é uma versão totalmente reescrita e automatizada — não é mais necessário fazer análise manual .) A Velocidade de Transação é um indicador de conceito novo que mostra o
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
Atualmente com 33% de desconto! A melhor solução para qualquer Trader Novato ou especialista! Este indicador é uma ferramenta de negociação exclusiva, de alta qualidade e acessível porque incorporamos uma série de recursos proprietários e uma nova fórmula. Com esta atualização, você poderá mostrar fusos horários duplos. Você não só será capaz de mostrar um TF mais alto, mas também mostrar ambos, o TF do gráfico, MAIS o TF mais alto: MOSTRANDO ZONAS ANINHADAS. Todos os traders de Oferta e Demanda
TrendMaestro5
Stefano Frisetti
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link:  https://www.mql5.com/it/market/product/108106 TRENDMAESTRO ver 2.5 TRENDMAESTRO recognizes a new TREND from the start, he never makes mistakes. The certainty of identifying a new TREND is priceless. DESCRIPTION TRENDMAESTRO identifies a new TREND in the bud, this indicator examines the volatility, volumes and momentum to identify the moment in which there is an explosion of one or more of these da
Difícil de encontrar e com pouca frequência, as divergências são um dos cenários de negociação mais confiáveis. Este indicador localiza e verifica automaticamente divergências ocultas e regulares usando seu oscilador favorito. [ Guia de instalação | Guia de atualização | Solução de problemas | FAQ | Todos os produtos ] Fácil de trocar Encontra divergências regulares e ocultas Suporta muitos osciladores conhecidos Implementa sinais de negociação baseados em fugas Exibe níveis adequados de sto
PZ Trend Trading MT5
PZ TRADING SLU
3.8 (5)
O Trend Trading é um indicador projetado para lucrar o máximo possível com as tendências que ocorrem no mercado, cronometrando retrocessos e rupturas. Ele encontra oportunidades de negociação analisando o que o preço está fazendo durante as tendências estabelecidas. [ Guia de instalação | Guia de atualização | Solução de problemas | FAQ | Todos os produtos ] Negocie mercados financeiros com confiança e eficiência Lucre com as tendências estabelecidas sem ser chicoteado Reconhecer retrocessos
Scalping Lines System MT5 -  é um sistema de scalping concebido especificamente para negociar o ativo Ouro (XAUUSD) em timeframes de M1 a H1. Combina indicadores de tendência, volatilidade e análise de mercado de sobrecompra/sobrevenda, reunidos num único oscilador para identificar sinais de curto prazo. Os principais parâmetros internos das linhas de sinal estão pré-configurados. Alguns parâmetros permanecem para ajuste manual: "Duração da Onda de Tendência", que regula a duração de uma séri
Matreshka
Dimitr Trifonov
5 (2)
Matreshka self-testing and self-optimizing indicator: 1. Is an interpretation of the Elliott Wave Analysis Theory. 2. Based on the principle of the indicator type ZigZag, and the waves are based on the principle of interpretation of the theory of DeMark. 3. Filters waves in length and height. 4. Draws up to six levels of ZigZag at the same time, tracking waves of different orders. 5. Marks Pulsed and Recoil Waves. 6. Draws arrows to open positions 7. Draws three channels. 8. Notes support and re
Gartley Hunter Multi
Siarhei Vashchylka
5 (11)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. All fou
RelicusRoad Pro: Sistema Operacional Quantitativo de Mercado 70% DE DESCONTO ACESSO VITALÍCIO (TEMPO LIMITADO) - JUNTE-SE A 2.000+ TRADERS Por que a maioria dos traders falha mesmo com indicadores "perfeitos"? Porque eles operam Conceitos Únicos no vácuo. Um sinal sem contexto é uma aposta. Você precisa de CONFLUÊNCIA . RelicusRoad Pro não é um simples indicador de seta. É um Ecossistema Quantitativo de Mercado completo. Ele mapeia a "Estrada do Valor Justo", distinguindo ruído de rupturas estru
The Institutional Secret Method  represents a paradigm shift in market analysis, moving away from lagging indicators and into the realm of Topological Finance . It is engineered to decode the hidden geometry of price movement by calculating the most efficient path—the Geodesic —between current price action and institutional liquidity targets. The system views the market as a physical landscape where price is naturally drawn toward massive pools of liquidity (Stops). It uses two primary calculati
Allows multiple indicators to be combined into a single indicator, both visually and in terms of an alert. Indicators can include standard indicators, e.g. RSI, CCI, etc., and also Custom Indicators, even those purchased through Market, or where just have the ex4 file. An early alert is provided, say when 4 out 5 indicators have lined up, and a confirmed alert when all are in agreement. A‌lso features a statistics panel reporting the success of the combined indicator by examining the current cha
Btmm state engine pro
Garry James Goodchild
BTMM State Engine Pro — the   all-in-one Banks   & Institutions Market Maker indicator for Meta Trader 5. Built for   BTMM traders who follow the Asian   session breakout methodology with Kill Zone timing , level stacking, peak formation detection , and multi-pair scanning — all   from a single chart. Combines   a full BTMM State Engine   with a built-in multi-pair Scanner dashboard, eliminating the need to flip between charts or run multiple indicators. WHAT IT DOES Automatically detec
O UZFX {SSS} Scalping Smart Signals MT5 é um indicador de negociação de alto desempenho sem repintura, projetado para scalpers, day traders e swing traders que exigem sinais precisos e em tempo real em mercados em rápida evolução. Desenvolvido pela (UZFX-LABS), este indicador combina análise de ação de preço, confirmação de tendência e filtragem inteligente para gerar sinais de compra e venda de alta probabilidade em todos os pares de moedas e intervalos de tempo. Principais características Det
DETECT THE TREND AND THE BEST PRICE TO ENTER A TRADE Trend Detection for perfect entry - Distinguish the direction of thetrend and its strength, showing a line of different colors depending on whether the trend is strong bullish, weak bullish, strong bearish or weak bearish.- Best Entry point for perfect entry - Shows an area with the best entry in favor of trend. Never trade against the trend again. Entry signals and alerts - When the price is in a valid zone, it sends pop up alerts, telephon
Bill Williams Advanced
Siarhei Vashchylka
5 (10)
Bill Williams Advanced is designed for automatic chart analysis using Bill Williams' "Profitunity" system. The indicator analyzes four timeframes at once. Manual (Be sure to read before purchasing) Advantages 1. Analyzes the chart using Bill Williams' "Profitunity" system. Signals are displayed in a table in the corner of the screen and on the price chart. 2. Finds all known AO and AC signals, as well as zone signals. Equipped with a trend filter based on the Alligator. 3. Finds "Divergence Bar
Ultimate SMC Indicator
Hicham Mahmoud Almoustafa
1 (1)
ULTIMATE SMC INDICATOR — PRO EDITION     Trade Like Institutional Traders Are you tired of losing trades because you don't  know WHERE the big money is positioned? The Ultimate SMC Indicator reveals the hidden  footprints of banks and institutions directly on  your chart — giving you the edge that professional  traders use every day. WHAT IS SMC
Quantum Entry   é um poderoso sistema de trading baseado na ação do preço, construído sobre uma das estratégias mais populares e conhecidas entre os traders: a Estratégia de Rompimento ( Breakout )! Este indicador gera sinais claros e cristalinos de compra e venda com base no rompimento de zonas-chave de suporte e resistência. Diferente dos indicadores de rompimento comuns, ele utiliza cálculos avançados para confirmar o rompimento com precisão. Quando um rompimento ocorre, você recebe alertas i
Mais do autor
# Power Assisted Trend Following Indicator ## Overview The PowerIndicator is an implementation of the "Power Assisted Trend Following" methodology developed by Dr. Andreas A. Aigner and Walter Schrabmair. This indicator builds upon and improves J. Welles Wilder's trend following concepts by applying principles from signal analysis to financial markets. The core insight of this indicator is that successful trend following requires price movements to exceed a certain threshold (typically a mul
FREE
# Optimised Wilders Trend Following AutoAdjusting VixControlled Expert Advisor ## Overview The Optimised Wilders Trend Following AutoAdjusting VixControlled Expert Advisor is an advanced trading system for MetaTrader 5 that implements a sophisticated trend following strategy based on Welles Wilder's concepts, enhanced with modern risk management techniques. This EA combines multiple innovative features to adapt to changing market conditions while maintaining strict risk control parameters. #
HMM4 Indicator Documentation HMM4 Indicator Documentation Introduction The HMM4 indicator is a powerful technical analysis tool that uses a 4-Gaussian Hidden Markov Model (HMM) to identify market regimes and predict potential market direction. This indicator applies advanced statistical methods to price data, allowing traders to recognize bull and bear market conditions with greater accuracy. The indicator displays a stacked line chart in a separate window, representing the mixture weights of f
Filtro:
Sem comentários
Responder ao comentário