• Visão global
  • Comentários
  • Discussão

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.
Liquidity Oscillator
Paolo Scopazzo
5 (1)
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
Golden Spike Premium
Kwaku Bondzie Ghartey
Golden Spikes Detector Acknowledgement and Dedications:  The name of this indicator was Inspired by an Original; Mr Grant Koopman; a Knowledgeable and experienced Synthetics trader. I dedicate this indicator to Mr Grant.  Overview:   The Golden Spikes Premium is a groundbreaking trading indicator meticulously crafted for the Boom and Crash indices on the Deriv market. Tailored to meet the needs of discerning traders, this powerful tool operates exclusively on the one-minute timeframe, providing
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
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
Owl Smart Levels MT5
Sergey Ermolov
4.07 (28)
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
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
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
This indicator is, without a doubt, the best variation of the Gann Angles among others. It allows traders using Gann methods to automatically calculate the Gann angles for the traded instrument. The scale is automatically calculated when the indicator is attached to the chart. When switching timeframes, the indicator recalculates the scale for the current timeframe. Additionally, you can enter your own scales for the Gann angles. You can enter your own scales either for both vectors or for each
WanaScalper
Isaac Wanasolo
1 (1)
A scalping indicator based on mathematical patterns, which on average gives signals with relatively small SL, and also occasionally helps to catch big moves in the markets (more information in the video) This indicator has three main types of notifications: The first type warns of a possible/upcoming signal on the next bar The second type indicates the presence of a ready signal to enter the market/open a position The third type is for SL and TP levels - you will be notified every time price re
Gann 9 plus
Yin Zhong Peng
Gann 9+ Indicator Introduction The "Gann Matrix Chart" is the most simple and clear technical analysis in Gann theory, which is the calculation tool that Gann has always been committed to using. It is the essence of Gann's whole life. The Gann 9+ indicator uses the matrix chart to find the future high or low points of stocks or futures. Indicator Input: The base and step size can be set as 1 by default; When the multiple is -1, the multiple will be automatically obtained, or it can be filled in
Wave Trend MT5
Diego Arribas Lopez
MT4 Version Wave Trend MT5 Wave Trend is an oscillator, which helps identifing in a extremely accurate manner market reversals. The Oscillator being obove the overbought level and a cross down of the fast into the slow MA usually indicates a good SELL signal. If the oscillators is below the oversold level and the fast MA crosses over the slower MA usually highlights a good BUY signal. The Wave Trend indicator can be also used when divergences appear against the price, indicating the current move
This indicator studies price action as an aggregation of price and time vectors, and uses the average vector to determine the direction and strength of the market. This indicator highlights the short-term directionality and strength of the market, and can be used to capitalize from short-term price movements by trading breakouts or binary options   [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Find market direction easily Confirm with breakouts or other indicators
SmartTrend Analyzer   is a reliable non-repainting indicator that will interest any trader. SmartTrend Analyzer is a tool that analyzes all five aspects (opening price, high, low, closing price, and volume) based on mathematical calculations. With the algorithm of the forex indicator SmartTrend Analyzer, you can quickly determine which trend is developing in the market at the moment. The SmartTrend Analyzer technical indicator is presented on the chart as a set of points for easy interpretatio
HLC bar MT5 Wyckoff
Eduardo Da Costa Custodio Santos
O indicador "HLC_bar_MT5 Wyckoff" para MT5 foi criado para facilitar a análise na hora da negociação. A Barra HLC foi utilizada por Richard Wyckoff e atualmente muito utilizada nas operações de "VSA". Wyckoff descobriu que a utilização da Máxima, mínima e fechamento deixava o gráfico muito mais limpo e fácil de ser analisado. O Indicador "HLC_bar_MT5 Wyckoff" permite: # Alterar a largura da barra; # Deixar a barra da mesma cor; # E destacar a barra que abriu e fechou no mesmo preço. As c
Key level analysis : The indicator tracks the nearest annual high and low to the current price over a chosen number of years. Proximity alerts : It triggers an alert when the price reaches a specified number of pips from the nearest high or low. Customizable notification intervals : You can set how often alerts repeat, for example, every 30 minutes. Historical perspective : Enables long-term tracking of market levels and effective planning of trading strategies. Multi-currency support : This ind
Cycles Forecast
Pooriya Alirezaee
This indicator is based on a mathematical formula and an ANN combined, designed to make a model(using previous prices) of the most recent market condition (any chart*) in order to use the model as a forecasting tool. *This indicator can operate on any chart/timeframe, but it's suggested you use multiple timeframes for each trade because this method relies solely on the time factor, you can not use this indicator to predict price volatility, but if it's fit correctly it will show you when the nex
Point Black
Ignacio Agustin Mene Franco
Black Card Pack indicator 5/1 point black It has the strategy of professional bollingers where each arrow gives you a different entry signal. It is used to operate in m1 and in d1 It is used for scalping and intraday, modified for forex markets ! suitable for all pairs modified for synthetic index markets suitable for all pairs! Ideal for volatility and jumps!
Hello There, Today I want to show you my new researchable fore BUY SELL indicator, it work all asset, and also work Derive Volatility asset! it work all time frame, but i recommend start 5 minute to H1 when you receive a signal just take trade and stay wait for your take profit asset All Major Pair And minor IT WORK ALSO XAUUSD Fantastic results,  for more info,,, message us thank you   
Trend Master Chart MT5
Frederic Jacques Collomb
Trend Master Chart é o indicador de tendência que você precisa. Ele se sobrepõe ao gráfico e usa codificação de cores para definir diferentes tendências/movimentos do mercado. Ele usa um algoritmo que combina duas médias móveis e osciladores diferentes. Os períodos desses três elementos são modificáveis. Funciona em qualquer período de tempo e em qualquer par. Num relance você será capaz de identificar uma tendência ascendente ou descendente e os diferentes pontos de entrada nesta tendência. Po
True Day
Aurthur Musendame
5 (1)
True Days is a tool designed specifically for the trader who wants to catch intraday volatility in price charts.  True day makes it easier for the trader to avoid trading in the dead zone - a period in time where markets are considered dead or non volatile. The trader can concentrate on finding opportunities only during periods of profound market movements. By default the indicator gives you a true day starting at 02:00 to 19:00 hours GMT+2. You can adjust according to your Time Zone. By deafult
FREE
Os compradores deste produto também adquirem
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.88 (16)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
TPSproTREND PrO MT5
Roman Podpora
4.71 (17)
TPSpro TREND PRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  ИНСТРУКЦИЯ RUS         INSTRUCTIONS  ENG       R ecommended to use with an indicator   -
TPSpro RFI Levels MT5
Roman Podpora
4.53 (19)
INSTRUÇÕES         Russo   -        ENG       R   ecomendado para uso com um indicador       -       TPSpro   TREND PRO -   Versão MT4         Um elemento-chave na negociação são as zonas ou níveis a partir dos quais as decisões de comprar ou vender um instrumento de negociação são tomadas. Apesar das tentativas dos principais participantes de esconder sua presença no mercado, eles inevitavelmente deixam rastros. Nossa tarefa era aprender como identificar esses rastros e interpretá-los corretame
This indicator is based on the mathematics of the great trader W.D. Ganna. With its help, you can easily find strong levels by analyzing swings to find the optimal entry point. The indicator works on all instruments and all timeframes. The indicator is fully manual and has control buttons. All you need to do is press the NEW button, a segment will appear, which you can place on any movement, swing or even 1 candle that you want to analyze. By placing the segment, press the OK button. A grid (th
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
This indicator identifies and displays zones, as it were areas of strength, where the price will unfold. The indicator can work on any chart, any instrument, at any timeframe. The indicator has two modes. The indicator is equipped with a control panel with buttons for convenience and split into two modes. Manual mode: To work with manual mode, you need to press the NEW button, a segment will appear. This segment is stretched over the movement and the LVL button is pressed. The level is displayed
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
Quantum TrendPulse
Bogdan Ion Puscasu
5 (13)
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
MetaForecast M5
Vahidreza Heidar Gholami
5 (3)
MetaForecast prevê e visualiza o futuro de qualquer mercado com base nas harmonias nos dados de preços. Embora o mercado nem sempre seja previsível, se houver um padrão nos preços, o MetaForecast pode prever o futuro com a maior precisão possível. Em comparação com outros produtos similares, o MetaForecast pode gerar resultados mais precisos ao analisar as tendências do mercado. Parâmetros de entrada Past size (Tamanho do passado) Especifica o número de barras que o MetaForecast usa para criar
RelicusRoad Pro MT5
Relicus LLC
4.78 (18)
Agora US $ 147 (aumentando para US $ 499 após algumas atualizações) - Contas ilimitadas (PCs ou Macs) Manual do usuário do RelicusRoad + vídeos de treinamento + acesso ao grupo de discórdia privado + status VIP UMA NOVA FORMA DE OLHAR PARA O MERCADO O RelicusRoad é o indicador de negociação mais poderoso do mundo para forex, futuros, criptomoedas, ações e índices, oferecendo aos traders todas as informações e ferramentas necessárias para se manterem rentáveis. Fornecemos análises técnicas e
Timeframes Trend Scanner is a trend analyzer or trend screener indicator that helps you know the trend in all timeframes of symbol you're watching. This indicator provides clear & detailed analysis results on a beautiful dashboard, let you able to use this result right away without need to do any additional analysis. Please note that this indicator doesn't work with Strategy Tester. Sorry for that! How it works Step 1: Calculate values of 23 selected & trusted technical indicators (Oscillator &
EXCLUSIVE! JUST  10 COPIES  AVAILABLE!   BONUS AUX VIP Club 2024 : Include EA CAP, CEP, LDH, PSC307 & AO4C to enhance the performance of this tool to its maximum potential  Click Here to Download Files   ( for users only ) FREE Trading Education Available Daily via Zoom --- For More Info or Instant Message Click link ---  https://t.me/abcdwave Transform your trading with the "Five Magic Bullets" Indicator, tailored for traders who embrace the power of Elliott Wave Chaos Theory.
PZ Swing Trading MT5
PZ TRADING SLU
5 (5)
Swing Trading é o primeiro indicador projetado para detectar oscilações na direção da tendência e possíveis oscilações de reversão. Ele usa a abordagem de negociação de linha de base, amplamente descrita na literatura de negociação. O indicador estuda vários vetores de preço e tempo para rastrear a direção da tendência agregada e detecta situações nas quais o mercado está sobrevendido ou sobrecomprado em excesso e pronto para corrigir. [ Guia de instalação | Guia de atualização | Solução de prob
CBT Quantum Maverick Sistema de Negociação de Opções Binárias de Alta Eficiência O CBT Quantum Maverick é um sistema de opções binárias de alto desempenho, projetado para traders que buscam precisão, simplicidade e um enfoque disciplinado. Não exige personalização: o sistema está otimizado para resultados eficazes desde o início. Basta seguir os sinais, que podem ser dominados com um pouco de prática. Principais características: Precisão nos sinais: Sinais baseados na próxima vela, utilizando
Royal Scalping Indicator M5
Vahidreza Heidar Gholami
5 (6)
Royal Scalping Indicator is an advanced price adaptive indicator designed to generate high-quality trading signals. Built-in multi-timeframe and multi-currency capabilities make it even more powerful to have configurations based on different symbols and timeframes. This indicator is perfect for scalp trades as well as swing trades. Royal Scalping is not just an indicator, but a trading strategy itself. Features Price Adaptive Trend Detector Algorithm Multi-Timeframe and Multi-Currency Trend Low
CONTACT US  after purchase to get the Indicator Manual. Try Now—Limited 50% Discount for First 10 Buyers! Download the  Metatrader 4 Version Read the product description carefully before purchasing the product.  Due to regulatory restrictions, our service is unavailable in certain countries such as India, Pakistan, and Bangladesh. William Delbert Gann (W.D. Gann) was an exceptional market analyst, whose trading technique was based on a complex blend of mathematics, geometry, astrology, and anc
Introduction to Fractal Pattern Scanner Fractal Indicator refers to the technical indicator that makes use of the fractal geometry found in the financial market. Fractal Pattern Scanner is the advanced Fractal Indicator that brings the latest trading technology after the extensive research and development work in the fractal geometry in the financial market. The most important feature in Fractal Pattern Scanner is the ability to measure the turning point probability as well as the trend probabil
Hello I Want to introduce The Forex Buy Sell Arrow Premium MT5 i recently release this premium indicator! its 1000% Non Repaint Indicator, It Work Perfectly Well,, i tested it day by day, Just mind blowing Result,  Including Powerful trend Algorithm! How It Work? well, it work market trend formula, when trend Bullish Or when trend Bearish,  Recommend Timeframe M30, H1 it work all timeframe, and all currency pair, 100% non repaint, How to take signal From Forex Buy Sell Arrow Premium Ind
Royal Wave Pro M5
Vahidreza Heidar Gholami
3.5 (4)
Royal Wave is a Trend-Power oscillator which has been programmed to locate and signal low-risk entry and exit zones. Its core algorithm statistically analyzes the market and generates trading signals for overbought, oversold and low volatile areas. By using a well-designed alerting system, this indicator makes it easier to make proper decisions regarding where to enter and where to exit trades. Features Trend-Power Algorithm Low risk Entry Zones and Exit Zones Predictions for Overbought and Over
Trend Forecaster
Alexey Minkov
5 (6)
!SPECIAL SALE!  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, althoug
Golden Spikes Detector
Batsirayi L Marango
3.25 (4)
Golden Spikes Detector Este indicador é baseado em uma estratégia avançada principalmente para picos de negociação nos índices Boom e Crash. Algoritmos complexos foram implementados para detectar apenas entradas de alta probabilidade. Ele alerta sobre possíveis entradas de compra e venda. Para negociar picos na corretora Deriv ou Binária, receba apenas os alertas Buy Boom e Sell Cash. Ele foi otimizado para ser carregado em um período de 5 minutos, embora a análise de vários períodos de tempo se
Quantum Trend Sniper
Bogdan Ion Puscasu
4.73 (51)
Apresentando       Quantum Trend Sniper Indicator   , o inovador Indicador MQL5 que está transformando a maneira como você identifica e negocia as reversões de tendência! Desenvolvido por uma equipe de traders experientes com experiência comercial de mais de 13 anos,       Indicador de Atirador de Tendência Quântica       foi projetado para impulsionar sua jornada de negociação a novos patamares com sua forma inovadora de identificar reversões de tendência com precisão extremamente alta. ***Com
Volume by Price MT5
Brian Collard
3.25 (4)
Volume Profile, Footprint and Market Profile TPO (Time Price Opportunity). Volume and TPO histogram bar and line charts. Volume Footprint charts. TPO letter and block marker collapsed and split structure charts. Static, dynamic and flexible range segmentation and compositing methods with relative and absolute visualizations. Session hours filtering and segment concatenation with Market Watch and custom user specifications. Graphical layering, positioning and styling options to suit the user's a
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
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals strictly at the close of a candle! TPA shows entries and re-entries, every time the bulls are definitely stronger than the bears and vice versa. Not to confuse with red/green candles. The shift of power gets confirmed at the earliest stage and is ONE exit strategy of several. There are available now two free parts of the TPA User Guide for our customers. The first "The Basics"
FxaccurateLS
Shiv Raj Kumawat
WHY IS OUR FXACCCURATE LS MT5 THE PROFITABLE ? PROTECT YOUR CAPITAL WITH RISK MANAGEMENT Gives entry, stop and target levels from time to time. It finds Trading opportunities by analyzing what the price is doing during established trends. POWERFUL INDICATOR FOR A RELIABLE STRATEGIES We have made these indicators with a lot of years of hard work. It is made at a very advanced level. Established trends provide dozens of trading opportunities, but most trend indicators completely ignore them! The
AT Forex Indicator MT5
Marzena Maria Szmit
5 (5)
The AT Forex Indicator MT5 is a sophisticated trading tool designed to provide traders with a comprehensive analysis of multiple currency pairs. This powerful indicator simplifies the complex nature of the forex market, making it accessible for both novice and experienced traders. AT Forex Indicator uses advanced algorithms to detect trends, patterns and is an essential tool for traders aiming to enhance their forex trading performance. With its robust features, ease of use, and reliable signal
Was: $249  Now: $149   Market Profile defines a number of day types that can help the trader to determine market behaviour. A key feature is the Value Area, representing the range of price action where 70% of trading took place. Understanding the Value Area can give traders valuable insight into market direction and establish the higher odds trade. It is an excellent addition to any system you may be using. Inspired by Jim Dalton’s book “Mind Over Markets”, this indicator is designed to suit the
Este é sem dúvida o indicador de reconhecimento automático de formação de preço harmônico mais completo que você pode encontrar para a MetaTrader Platform. Ele detecta 19 padrões diferentes, leva as projeções de Fibonacci tão a sério quanto você, exibe a Zona de Reversão Potencial (PRZ) e encontra níveis adequados de stop loss e take-profit. [ Guia de instalação | Guia de atualização | Solução de problemas | FAQ | Todos os produtos ] Detecta 19 formações harmônicas de preços diferentes Traça
Elliott Wave Trend was designed for the scientific wave counting. This tool focuses to get rid of the vagueness of the classic Elliott Wave Counting using the guideline from the template and pattern approach. In doing so, firstly Elliott Wave Trend offers the template for your wave counting. Secondly, it offers Wave Structural Score to assist to identify accurate wave formation. It offers both impulse wave Structural Score and corrective wave Structure Score. Structural Score is the rating to sh
Filtro:
Sem comentários
Responder ao comentário