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.

---




Produits recommandés
RBreaker
Zhong Long Wu
RBreaker Gold Indicators est une stratégie de trading intraday à court terme pour les contrats à terme sur l'or, qui combine deux approches : le suivi de tendance et le retournement intraday. Elle permet non seulement de capturer les profits dans les marchés en tendance, mais aussi de prendre des bénéfices en temps opportun lors des retournements de marché et d'ouvrir une position en sens inverse. Cette stratégie a été classée pendant 15 années consécutives parmi les dix stratégies de trading l
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.
FiveStarFX Gold Reversal Edge Professional automated trading solution designed for structured execution and controlled risk management in the Gold market. Built for traders who value discipline, precision, and consistency. Key Features Fully automated trading One trade at a time (controlled exposure) Fixed Stop Loss and Take Profit Smart Break-Even protection Profit lock with buffer Step-based trailing management Spread protection system Works on any broker Trade Management The E
FREE
Supply and Demand DE inspired EA Professional Supply & Demand Zone Trading System with Multi-Timeframe Confirmation Overview This advanced Expert Advisor automatically identifies and trades high-probability Supply and Demand zones using institutional trading principles. The EA combines classical supply/demand zone detection with modern confirmation filters including Break of Structure (BoS), Fair Value Gaps (FVG), and higher timeframe validation. 5m chart Setfile link: https://drive.google.com/
FREE
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
Overview This Dashboard provides comprehensive market analysis across 9 timeframes (D1 to M1) for ICT-based trading strategies. It identifies Order Blocks, Fair Value Gaps, candlestick patterns, breakouts, trend direction, RSI levels, and volume conditions simultaneously - solving the problem of monitoring multiple timeframes and setups manually. Key Features • Complete 9-timeframe analysis (D1, H4, H1, M30, M15, M5, M1) in one compact dashboard • Precision Order Block detection with rejection
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.
Indicateur Balance of Power (BOP) avec support multi-timeframe, signaux visuels personnalisables et système d'alertes configurable. Les services de programmation freelance, les mises à jour et autres produits TrueTL sont disponibles sur mon profil MQL5 . Les retours et avis sont très appréciés ! Qu'est-ce que le BOP ? Balance of Power (BOP) est un oscillateur qui mesure la force des acheteurs par rapport aux vendeurs en comparant la variation du prix à la plage de la bougie. L'indicateur est
FREE
L'indicateur SMC Venom Model BPR est un outil professionnel pour les traders travaillant dans le concept Smart Money (SMC). Il identifie automatiquement deux modèles clés sur le graphique des prix: FVG   (Fair Value Gap) est une combinaison de trois bougies, dans laquelle il y a un écart entre la première et la troisième bougie. Forme une zone entre les niveaux où il n'y a pas de support de volume, ce qui conduit souvent à une correction des prix. BPR   (Balanced Price Range) est une combinaiso
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
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)
Signal de trading en temps réel Surveillance publique en temps réel de l’activité de trading : https://www.mql5.com/fr/signals/2353471 Informations officielles Profil du vendeur Canal officiel Manuel utilisateur Instructions de configuration et d’utilisation : Ouvrir le manuel utilisateur Cet Expert Advisor repose sur une stratégie de trading définie par des règles. La stratégie vise à identifier des conditions de marché spécifiques plutôt qu’à maintenir une exposition constante. Le s
Long&Short Cointegration Analyzer An advanced tool for traders looking to profit from cointegration. Analyzes any asset pair for Long&Short strategies. What does the Long&Short Cointegration Analyzer do? Identifies cointegrated pairs that revert to the mean, ideal for profitable trades. Provides a detailed panel with statistical data for confident decisions. Works with any currency pair, on any timeframe. Find buying and selling opportunities based on cointegration. Minimize risks with a relia
Your Trend Friend
Luigi Nunes Labigalini
5 (1)
The trend is your friend! Look at the color of the indicator and trade on that direction. It does not  repaint. After each candle is closed, that's the color of the trend. You can focus on shorter faster trends or major trends, just test what's most suitable for the symbol and timeframe you trade. Simply change the "Length" parameter and the indicator will automatically adapt. You can also change the color, thickness and style of the lines. Download and give it a try! There are big movements w
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
ROMAN5 Time Breakout Indicator automatically draws the boxes for daily support and resistance breakouts. It helps the user identifying whether to buy or sell. It comes with an alert that will sound whenever a new signal appears. It also features an email facility. Your email address and SMTP Server settings should be specified in the settings window of the "Mailbox" tab in your MetaTrader 5. Blue arrow up = Buy. Red arrow down = Sell. You can use one of my Trailing Stop products that automatical
FREE
Quantum Levels PRO — Anticipez les mouvements du prix avant qu'ils ne se produisent Indicateur de Niveaux de Prix Sans Repeinture pour MT5 | Version 3.10 Le problème avec 90 % des indicateurs : ils vous montrent ce qui s'est déjà produit . Moyennes mobiles, RSI, MACD — ils analysent les données passées et réagissent après que le mouvement est terminé. Quand ils signalent, le meilleur point d'entrée est déjà passé. Quantum Levels PRO est différent. Il calcule des objectifs de prix exacts — des ni
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.
L'une des séquences de numéros s'appelle « Séquence des incendies de forêt ». Il a été reconnu comme l'une des plus belles nouvelles séquences. Sa principale caractéristique est que cette séquence évite les tendances linéaires, même les plus courtes. C'est cette propriété qui a constitué la base de cet indicateur. Lors de l'analyse d'une série chronologique financière, cet indicateur essaie de rejeter toutes les options de tendance possibles. Et seulement s'il échoue, il reconnaît alors la prés
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
ProbabilityAdvancedIndicator   est un outil avancé d'analyse de probabilité de tendance, conçu pour le scalping et le day trading. Il combine plusieurs indicateurs techniques et une analyse multi-timeframe pour générer des signaux visuels clairs de probabilité d'achat/vente. ProbabilityAdvancedIndicator   est un outil complet pour les traders qui recherchent : Une prise de décision basée sur les probabilités Une analyse technique consolidée Une flexibilité pour différents styles de trading Une i
Les acheteurs de ce produit ont également acheté
Divergence Bomber
Ihor Otkydach
4.9 (86)
Chaque acheteur de cet indicateur reçoit également gratuitement : L’outil exclusif « Bomber Utility », qui accompagne automatiquement chaque opération de trading, fixe les niveaux de Stop Loss et de Take Profit, et clôture les positions selon les règles de la stratégie Des fichiers de configuration (set files) pour adapter l’indicateur à différents actifs Des set files pour configurer le Bomber Utility selon différents modes : « Risque Minimum », « Risque Équilibré » et « Stratégie d’Attente » U
Azimuth Pro
Ottaviano De Cicco
5 (6)
Azimuth Pro V2: Synthetic Fractal Structure and Confirmed Entries for MT5 Overview Azimuth Pro is a multi-level swing structure indicator by Merkava Labs . Four nested swing layers, swing-anchored VWAP, ABC pattern detection, three-timeframe structural filtering, and closed-bar confirmed entries — one chart, one workflow from micro-swings to macro-cycles. This is not a blind signal product. It is a structure-first workflow for traders who care about location, context, and timing. V2 Launch Offe
Quantum TrendPulse
Bogdan Ion Puscasu
5 (23)
Présentation de   Quantum TrendPulse   , l'outil de trading ultime qui combine la puissance de   SuperTrend   ,   RSI   et   Stochastic   dans un seul indicateur complet pour maximiser votre potentiel de trading. Conçu pour les traders qui recherchent précision et efficacité, cet indicateur vous aide à identifier les tendances du marché, les changements de dynamique et les points d'entrée et de sortie optimaux en toute confiance. Caractéristiques principales : Intégration SuperTrend :   suivez f
OmniSync Projection
Antonio-alin Teculescu
5 (1)
Chronos Fractal Engine is an innovative price projection indicator for MetaTrader 5, designed to transform your technical analysis by intelligently identifying and projecting historical price patterns. Built upon an advanced correlation algorithm and the fractal principles of the market, this powerful tool visualizes potential future price movements, giving you a unique edge in your trading decisions. What is Chronos Fractal Engine? At its core, the Chronos Fractal Engine employs a sophisticat
Présentation       Quantum Breakout PRO   , l'indicateur révolutionnaire MQL5 qui transforme la façon dont vous négociez les zones d'évasion ! Développé par une équipe de traders expérimentés avec une expérience commerciale de plus de 13 ans,       Évasion quantique PRO       est conçu pour propulser votre parcours commercial vers de nouveaux sommets grâce à sa stratégie de zone de discussion innovante et dynamique. Quantum Breakout Indicator vous donnera des flèches de signalisation sur les z
Grabber System MT5
Ihor Otkydach
4.83 (23)
Je vous présente un excellent indicateur technique : Grabber, qui fonctionne comme une stratégie de trading "tout-en-un", prête à l'emploi. En un seul code sont intégrés des outils puissants d'analyse technique du marché, des signaux de trading (flèches), des fonctions d'alerte et des notifications push. Chaque acheteur de cet indicateur reçoit également gratuitement : L'utilitaire Grabber : pour la gestion automatique des ordres ouverts Un guide vidéo étape par étape : pour apprendre à installe
CGE Trading Suite
Carl Gustav Johan Ekstrom
5 (2)
Institutional-Grade Analytics for MT5 C GE Trading Suite delivers the analytical edge typically reserved for professional trading desks. The platform integrates a full suite of analytical tools into one seamless workflow: dynamic grid mapping, liquidity behavior analysis, ECM, trend lines, MIDAS, trade cycles, and directional channel projections. Together, these provide a unified view of market structure and momentum. Directional clarity is further enhanced by the capital flow index, which meas
Btmm state engine pro
Garry James Goodchild
5 (4)
BTMM State Engine Pro is a MetaTrader 5 indicator for traders who use the Beat The Market Maker approach: Asian session context, kill zone timing, level progression, peak formation detection, and a multi-pair scanner from a single chart. It combines cycle state logic with a built-in scanner dashboard so you do not need the same tool on many charts at once. What it does Draws the Asian session range; session times can follow broker server offset or be set in inputs. Tracks level progression (L
Berma Bands
Muhammad Elbermawi
5 (8)
L'indicateur Berma Bands (BB) est un outil précieux pour les traders qui cherchent à identifier et à capitaliser sur les tendances du marché. En analysant la relation entre le prix et les BB, les traders peuvent déterminer si un marché est dans une phase de tendance ou de range. Visitez le [ Berma Home Blog ] pour en savoir plus. Les bandes de Berma sont composées de trois lignes distinctes : la bande de Berma supérieure, la bande de Berma moyenne et la bande de Berma inférieure. Ces lignes sont
Bill Williams Advanced
Siarhei Vashchylka
5 (11)
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
ARICoins
Temirlan Kdyrkhan
ARICoin 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 Cust
SignalTech MT5 is a trading system for EURUSD, USDCHF, USDJPY, AUDUSD, NZDUSD, EURJPY, AUDJPY, NZDJPY, CADJPY H2 and H3 Timeframe.  It can generate signals with Buy/Sell Arrows and Pop-Up/Sound Alerts. Each signal has clear Entry and Stop Loss levels, which should be automatically flagged on the chart, as well as potential Targets 1, 2, and 3. The Entry and TP levels are fixed after the trade is taken. The exit level is dynamic. If there are signs of a potential short-term trend reversal, the
La Master Edition est un outil d'analyse de qualité professionnelle conçu pour visualiser la structure du marché à travers le prisme du volume et du flux monétaire. Contrairement aux indicateurs de volume standard, cet outil affiche un Profil de Volume Quotidien directement sur votre graphique, vous permettant de voir exactement où la découverte des prix a eu lieu et où est positionné "l'argent intelligent". Cette Master Edition est conçue pour la clarté et la rapidité, dotée d'un système unique
RelicusRoad Pro : Système d'Exploitation Quantitatif du Marché 70% DE RÉDUCTION ACCÈS À VIE (DURÉE LIMITÉE) - REJOIGNEZ 2 000+ TRADERS Pourquoi la plupart des traders échouent-ils même avec des indicateurs "parfaits" ? Parce qu'ils tradent des concepts isolés dans le vide. Un signal sans contexte est un pari. Pour gagner, il faut de la CONFLUENCE . RelicusRoad Pro est un Écosystème Quantitatif complet . Il cartographie la "Fair Value Road", distinguant le bruit des cassures structurelles. Arrête
Tout d'abord, il convient de souligner que cet outil de trading est un indicateur non repeint, non redessiné et non retardé, ce qui le rend idéal pour le trading professionnel. Cours en ligne, manuel utilisateur et démonstration. L'indicateur Smart Price Action Concepts est un outil très puissant à la fois pour les nouveaux et les traders expérimentés. Il regroupe plus de 20 indicateurs utiles en un seul, combinant des idées de trading avancées telles que l'analyse du trader Inner Circle et le
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
L'indicateur « Dynamic Scalper System MT5 » est conçu pour la méthode de scalping, permettant de trader au sein des vagues de tendance. Testé sur les principales paires de devises et l'or, il est compatible avec d'autres instruments de trading. Fournit des signaux pour l'ouverture de positions à court terme le long de la tendance, avec un support supplémentaire pour les fluctuations de prix. Principe de l'indicateur : De grandes flèches déterminent la direction de la tendance. Un algorithme de
RFI levels PRO MT5
Roman Podpora
3.67 (3)
L'indicateur montre avec précision les points de retournement et les zones de retour des prix où le       Acteurs majeurs   . Vous repérez les nouvelles tendances et prenez des décisions avec une précision maximale, en gardant le contrôle de chaque transaction. VERSION MT4     -    Révèle son potentiel maximal lorsqu'il est combiné à l'indicateur   TREND LINES PRO Ce que l'indicateur montre : Structures et niveaux d'inversion avec activation au début d'une nouvelle tendance. Affichage des nivea
AriX
Temirlan Kdyrkhan
1 (4)
AriX Indicator for MT5 A powerful trend-following and signal-evaluation tool AriX is a custom MT5 indicator that combines Moving Averages and ATR-based risk/reward logic to generate clear buy/sell signals. It visualizes dynamic SL/TP levels, evaluates past trade outcomes, and displays win/loss statistics in a clean on-chart panel. Key features include: Buy/Sell signals based on MA crossovers ATR-based SL/TP1/TP2/TP3 levels with visual lines and labels Signal outcome tracking with real-time stat
Meravith MT5
Ivan Stefanov
5 (1)
Outil des market makers. Meravith va : Analyser toutes les unités de temps et afficher la tendance actuellement en vigueur. Mettre en évidence les zones de liquidité (équilibre des volumes) où le volume haussier et baissier est égal. Afficher tous les niveaux de liquidité provenant de différentes unités de temps directement sur votre graphique. Générer et présenter une analyse de marché sous forme de texte pour votre référence. Calculer les objectifs, les niveaux de support et les points de stop
Ziva LSE System
Hassan Abdullah Hassan Al Balushi
ZIVA LSE System A Professional Liquidity & Structure Execution Framework Executive Overview ZIVA LSE System is a professionally engineered analytical framework designed to interpret market behavior through structural logic and liquidity dynamics. It is not positioned as a conventional indicator. Rather, it functions as a structured execution environment that organizes price action into a clear, disciplined decision-making model. The system is built to deliver consistency, clarity, and controlle
Omniview ICT Dashboard
Kayode Michael Oyetunde
Maîtrisez le Flux Institutionnel. Maîtrisez le Marché. Trouver une configuration « A+ » nécessite trois éléments : le Biais (Bias), la Liquidité et le Déplacement (Displacement). La plupart des traders éprouvent des difficultés car ils se perdent dans le bruit des unités de temps inférieures ou se font piéger par de faux mouvements. L'OmniView ICT Dashboard est votre lentille institutionnelle. Il scanne l'ensemble de votre Observation du Marché (Market Watch) pour mettre en évidence les zones où
ZIVA Signal Intelligence
Hassan Abdullah Hassan Al Balushi
ZIVA Signal Intelligence An Adaptive, Modular Market Intelligence System ZIVA Signal Intelligence is not positioned as a conventional trading indicator. It is a fully integrated, proprietary market intelligence system engineered to deliver structured, high-precision interpretation of price behavior within a controlled analytical environment. Developed through an independent architectural approach, ZIVA does not rely on, derive from, or replicate existing indicators. It represents a standalone
PZ Swing Trading MT5
PZ TRADING SLU
5 (5)
Protect against whipsaws: revolutionize your swing trading approach Swing Trading is the first indicator designed to detect swings in the direction of the trend and possible reversal swings. It uses the baseline swing trading approach, widely described in trading literature. The indicator studies several price and time vectors to track the aggregate trend direction and detects situations in which the market is oversold or overbought and ready to correct. [ Installation Guide | Update Guide | Tro
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
La meilleure solution pour tout commerçant débutant ou expert ! Cet indicateur est un outil de trading unique, de haute qualité et abordable car nous avons intégré un certain nombre de fonctionnalités propriétaires et une nouvelle formule. Avec cette mise à jour, vous pourrez afficher des zones à double horaire. Vous pourrez non seulement afficher un TF plus élevé, mais afficher les deux, le graphique TF, PLUS le TF supérieur : AFFICHAGE DES ZONES NICHÉES. Tous les traders Supply Demand vont ado
Le niveau Premium est un indicateur unique avec une précision de plus de 80 % des prédictions correctes ! Cet indicateur a été testé par les meilleurs Trading Specialists depuis plus de deux mois ! L'indicateur de l'auteur que vous ne trouverez nulle part ailleurs ! À partir des captures d'écran, vous pouvez constater par vous-même la précision de cet outil ! 1 est idéal pour le trading d'options binaires avec un délai d'expiration de 1 bougie. 2 fonctionne sur toutes les paires de devises
Volatility Trend System - est un système commercial qui fournit des signaux pour les entrées. Le système de volatilité donne des signaux linéaires et ponctuels dans le sens de la tendance, ainsi que des signaux pour en sortir, sans redessin ni délai. L'indicateur de tendance surveille la direction de la tendance à moyen terme, montre la direction et son changement. L'indicateur de signal est basé sur les changements de volatilité et montre les entrées sur le marché. L'indicateur est équipé de p
Trend Forecaster
Alexey Minkov
5 (7)
12% OFF EASTER 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, alt
Weltrade Spike Sentinel
Batsirayi L Marango
5 (1)
Introducing Indicator for PainX and GainX Indices Traders on Weltrade Get ready to experience the power of trading with our indicator, specifically designed for Weltrade   broker's PainX and GainX Indices.  Advanced Strategies for Unbeatable Insights Our indicator employs sophisticated strategies to analyze market trends, pinpointing optimal entry and exit points.  Optimized for Maximum Performance To ensure optimal results, our indicator is carefully calibrated for 5-minute timeframe charts on
Top indicator for MT5   providing accurate signals to enter a trade without repainting! It can be applied to any financial assets:   forex, cryptocurrencies, metals, stocks, indices .  Watch  the video  (6:22) with an example of processing only one signal that paid off the indicator! MT4 version is here It will provide pretty accurate trading signals and tell you when it's best to open a trade and close it. Most traders improve their trading results during the first trading week with the help of
Plus de l'auteur
# 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
# Expert Advisor de Suivi de Tendance Wilders Optimisé avec Ajustement Automatique et Contrôle VIX ## Aperçu L'Expert Advisor de Suivi de Tendance Wilders Optimisé avec Ajustement Automatique et Contrôle VIX est un système de trading avancé pour MetaTrader 5 qui implémente une stratégie sophistiquée de suivi de tendance basée sur les concepts de Welles Wilder, enrichie par des techniques modernes de gestion des risques. Cet EA combine plusieurs fonctionnalités innovantes pour s'adapter aux co
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
Filtrer:
Aucun avis
Répondre à l'avis