UTBot Alerts

5
UT Bot Alerts — ATR Trailing Stop System

Faithful MQL5 & MQL4 conversion of the legendary "UT Bot Alerts" indicator by QuantNomad from TradingView.

Originally developed by Yo_adriiiiaan with the core idea by HPotter, and refined into Pine Script v4 with alerts by QuantNomad (Vadim Cissa) — one of the most followed quant developers on TradingView with over 100K followers. The original script has accumulated 1.1 million+ views and 35,500+ favorites on TradingView, making it one of the most popular open-source trading indicators ever published.

This conversion replicates the original algorithm with 100% logical fidelity: same 4-branch recursive trailing stop, same crossover detection, same signal generation. Non-repainting on closed bars.

What is UT Bot Alerts?

UT Bot Alerts is a trend-following signal system built on a single, elegant concept: an adaptive trailing stop that uses the Average True Range (ATR) to dynamically adjust its distance from price.

When price is trending up, the trailing stop ratchets upward and never moves down — protecting gains. When price is trending down, the stop ratchets downward and never moves up. When price crosses the trailing stop, the system flips direction and generates a Buy or Sell signal.

The result is a clean, responsive indicator that:

  • Identifies trend direction with a color-coded trailing stop line
  • Generates precise entry signals at trend reversals
  • Adapts automatically to market volatility via ATR
  • Works on any instrument (Forex, Crypto, Stocks, Commodities, Indices)
  • Works on any timeframe (M1 to Monthly)

Think of it as a smarter, ATR-adaptive version of a Supertrend indicator that uses closing price instead of the midpoint (High+Low)/2.

How the Algorithm Works

The indicator calculates three things on every bar: (1) an adaptive trailing stop, (2) the current trend state, and (3) buy/sell crossover signals.

Step 1 — ATR and Loss Distance

The Average True Range (ATR) is calculated using Wilder's smoothing method (RMA) over the configured period. The trailing stop distance is defined as:

nLoss = Key Value × ATR

A higher Key Value places the stop farther from price (fewer signals, less noise). A lower Key Value places it closer (more signals, faster reaction).

Step 2 — The 4-Branch Recursive Trailing Stop

This is the core of the algorithm. On every bar, the trailing stop is updated using four mutually exclusive conditions:

Branch 1 — Uptrend Continuation: If the current price AND the previous price are both above the previous trailing stop, the stop can only move upward. It is set to the maximum of the previous stop and (current price - nLoss). This "ratchet" mechanism locks in gains as price rises.

Branch 2 — Downtrend Continuation: If the current price AND the previous price are both below the previous trailing stop, the stop can only move downward. It is set to the minimum of the previous stop and (current price + nLoss). The stop follows price down, tightening on rallies.

Branch 3 — Bullish Reversal: If the current price crosses above the previous trailing stop (but the previous price was below), the stop resets to (current price - nLoss), initiating a new upward trailing sequence.

Branch 4 — Bearish Reversal: If the current price crosses below the previous trailing stop (but the previous price was above), the stop resets to (current price + nLoss), initiating a new downward trailing sequence.

Step 3 — Signal Detection

Buy and Sell signals are generated using crossover detection between the source price and the trailing stop:

  • Buy Signal = Price crosses above the trailing stop (price was below on the previous bar, now it is above)
  • Sell Signal = Price crosses below the trailing stop (price was above on the previous bar, now it is below)

Signals fire exactly once per crossover event. They do not repaint on closed/confirmed bars.

Step 4 — Visualization

The indicator displays:

  • Trailing Stop Line — Color-coded by trend direction: green during uptrend (long), red during downtrend (short), blue during neutral/undefined state
  • Buy Arrows — Green upward arrows below the signal bar
  • Sell Arrows — Red downward arrows above the signal bar
  • Bar Coloring (MQL5 only) — Candles are colored green when price is above the trailing stop and red when below
  • Position State Buffer — Available for EA access via iCustom (value: +1 for long, -1 for short, 0 for neutral)

Input Parameters

UT Bot Core

Parameter Type Default Description
Key Value double 1.0 ATR Multiplier / Sensitivity. Controls the distance of the trailing stop from price. Higher values = wider stop, fewer signals, better noise filtering. Lower values = tighter stop, more signals, faster reaction. Original HPotter defaults were 3.5; QuantNomad changed to 1.0.
ATR Period int 10 Period for the Average True Range calculation using Wilder's smoothing (RMA). Higher values produce a smoother, slower-reacting ATR. Original HPotter default was 5; QuantNomad changed to 10.
Use Heikin Ashi Candles as Source bool false When enabled, the indicator uses Heikin Ashi closing prices instead of regular closing prices as the source for all calculations. Heikin Ashi smooths price action and can reduce false signals in choppy markets, at the cost of slightly delayed entries.

Visuals

Parameter Type Default Description
Show Trailing Stop Line bool true Toggle the visibility of the ATR trailing stop line on the chart. The line changes color based on the current trend state (green/red/blue).
Show Buy/Sell Arrows bool true Toggle the visibility of buy and sell signal arrows on the chart.
Color Price Bars bool true (MQL5 only) When enabled, candles are colored green when price is above the trailing stop and red when below. Not available in MQL4 due to platform limitations.
Arrow Distance from Bar int 10 Distance in points between the signal arrow and the bar's high/low. Increase this value if arrows overlap with candles on your chart.

Alerts

Parameter Type Default Description
Popup Alert bool true Show a popup alert dialog when a buy or sell signal is generated.
Sound Alert bool true Play a sound when a signal is generated (alert.wav for buy, alert2.wav for sell).
Push Notification bool false Send a push notification to your mobile device. Requires MetaTrader mobile app configured in Tools → Options → Notifications.
Email Notification bool false Send an email notification. Requires SMTP email configured in Tools → Options → Email.

Recommended Settings by Market

These are community-tested parameter guidelines. Always backtest on your specific instrument and timeframe before trading live.

Forex

  • Stable pairs (EURUSD, USDJPY, USDCHF): Key Value 1.0–1.5, ATR Period 10–14
  • Moderate pairs (AUDUSD, USDCAD, EURJPY): Key Value 1.5–2.0, ATR Period 10–14
  • Volatile pairs (GBPJPY, GBPNZD): Key Value 2.0–3.0, ATR Period 10–14

Crypto

  • BTC, ETH: Key Value 2.0–3.5, ATR Period 10–14
  • Altcoins: Key Value 3.0–5.0, ATR Period 10–20

Commodities

  • Gold (XAUUSD): Key Value 2.5–3.5, ATR Period 10–14
  • Oil (USOIL): Key Value 2.0–3.0, ATR Period 10–14

Indices

  • NASDAQ, S&P 500: Key Value 3.0–4.0, ATR Period 10–14
  • DAX, FTSE: Key Value 2.5–3.5, ATR Period 10–14

Timeframe Guidelines

  • Scalping (M1–M5): Lower Key Value (0.5–1.0) for faster reaction. More signals, more noise.
  • Intraday (M15–H1): Key Value 1.0–2.0. Good balance between signal frequency and reliability.
  • Swing (H4–D1): Key Value 2.0–3.5. Fewer but higher-quality signals.
  • Position (W1–MN): Key Value 3.0–5.0. Long-term trend following.

How to Trade with UT Bot Alerts

Basic Strategy

The simplest approach:

  • Buy when a green Buy arrow appears (price crosses above the trailing stop)
  • Sell/Close when a red Sell arrow appears (price crosses below the trailing stop)
  • Use the trailing stop line itself as a dynamic stop-loss level

With Trend Filter (Recommended)

Add a 200-period EMA as a trend filter to significantly reduce false signals:

  • Only take Buy signals when price is above the 200 EMA (bullish macro trend)
  • Only take Sell signals when price is below the 200 EMA (bearish macro trend)

With Additional Confirmation

Combine UT Bot with other indicators for higher-probability setups:

  • RSI: Only take Buy signals when RSI is below 70 (not overbought), Sell signals when RSI is above 30 (not oversold)
  • VWAP: Use VWAP as an institutional bias filter — Buy above VWAP, Sell below VWAP
  • Volume: Require above-average volume on signal bars for confirmation
  • Support/Resistance: Only take signals near key S/R levels for better risk/reward

Risk Management

  • Use the trailing stop line as your initial stop-loss
  • The distance between entry price and the trailing stop line = your risk per trade
  • Size your position accordingly (e.g., risk 1–2% of account per trade)
  • Consider using the trailing stop as a dynamic exit: close when the bar color changes from green to red (or vice versa)

Using with Expert Advisors (EAs)

The indicator exposes its data through buffers accessible via iCustom() . Here is the buffer mapping for both platforms:

MQL5 Buffer Index Map

Buffer Content Values
0 ATR Trailing Stop value Price level
1 Trail line color index 0=Green, 1=Red, 2=Blue
2 Buy signal Price level or EMPTY_VALUE
3 Sell signal Price level or EMPTY_VALUE
4–7 Bar coloring OHLC Price levels
8 Bar color index 0=Green, 1=Red, 2=None
9 Position state +1 (long), -1 (short), 0 (neutral)

MQL5 Example:

int ut_handle = iCustom(_Symbol, PERIOD_CURRENT, "UTBotAlerts", 1.0, 10, false);

double buy_signal[];
double sell_signal[];
CopyBuffer(ut_handle, 2, 1, 1, buy_signal);  // Buy buffer, bar 1
CopyBuffer(ut_handle, 3, 1, 1, sell_signal);  // Sell buffer, bar 1

if(buy_signal[0] != EMPTY_VALUE)
{
   // Buy signal on last closed bar
}
if(sell_signal[0] != EMPTY_VALUE)
{
   // Sell signal on last closed bar
}

MQL4 Buffer Index Map

Buffer Content Values
0 Trail line (green/long segments) Price level or EMPTY_VALUE
1 Trail line (red/short segments) Price level or EMPTY_VALUE
2 Trail line (blue/neutral segments) Price level or EMPTY_VALUE
3 Buy signal Price level or EMPTY_VALUE
4 Sell signal Price level or EMPTY_VALUE
5 Full trail stop value (continuous) Price level
6 Position state +1 (long), -1 (short), 0 (neutral)
7 Source price used Close or HA Close

MQL4 Example:

double buy = iCustom(_Symbol, 0, "UTBotAlerts", 1.0, 10, false, 3, 1); // Buffer 3, bar 1 double sell = iCustom(_Symbol, 0, "UTBotAlerts", 1.0, 10, false, 4, 1); // Buffer 4, bar 1 if(buy != EMPTY_VALUE) { // Buy signal on last closed bar } if(sell != EMPTY_VALUE) { // Sell signal on last closed bar }

Installation

MQL5 (MetaTrader 5)

  1. Copy UTBotAlerts.mq5 to your MQL5/Indicators/ folder
  2. Open MetaEditor (F4 from MetaTrader) and compile the file (F7)
  3. In MetaTrader, open the Navigator panel (Ctrl+N)
  4. Drag "UTBotAlerts" from Indicators onto your chart
  5. Configure the input parameters and click OK

MQL4 (MetaTrader 4)

  1. Copy UTBotAlerts.mq4 to your MQL4/Indicators/ folder
  2. Open MetaEditor (F4 from MetaTrader) and compile the file (F7)
  3. In MetaTrader, open the Navigator panel (Ctrl+N)
  4. Drag "UTBotAlerts" from Custom Indicators onto your chart
  5. Configure the input parameters and click OK

Platform Differences (MQL5 vs MQL4)

Feature MQL5 MQL4
Trailing stop line Single color-changing line (DRAW_COLOR_LINE) Three overlapping colored lines (green/red/blue)
Bar coloring Supported (DRAW_COLOR_CANDLES) Not available (platform limitation)
ATR calculation Handle-based (iATR with CopyBuffer) Direct value return (iATR per bar)
Input groups Supported (organized sections) Not available (flat list with separators)
Algorithm & signals Identical Identical
Alerts Identical Identical

Both versions produce the same signals on the same data. Any visual differences are purely cosmetic due to platform rendering.

Comparison with TradingView Original

This conversion achieves 95%+ signal match with the TradingView original when tested on the same instrument and timeframe with the same broker data. The remaining ~5% difference is attributed to:

  • Data feed differences: Even the same broker may deliver slightly different OHLC values on TradingView vs MetaTrader due to aggregation methods and timestamp handling
  • ATR initialization: The first few bars may differ slightly due to how each platform seeds the initial RMA/Wilder's smoothing calculation
  • Floating point precision: Minor rounding differences between Pine Script and MQL runtime environments

These differences are negligible and do not affect the overall trading behavior of the indicator.

Comparison with Supertrend

UT Bot Alerts is functionally similar to the Supertrend indicator, but with key differences:

Aspect UT Bot Alerts Supertrend
Source price Close (or HA Close) Midpoint (High+Low)/2
Band calculation Price ± ATR×Multiplier Midpoint ± ATR×Multiplier
Trend detection 4-branch recursive logic 2-branch flip logic
Signal type Crossover-based arrows Line flip / color change
Sensitivity Generally more responsive Generally smoother

UT Bot's use of Close price makes it more responsive to actual price action, while Supertrend's use of the midpoint provides slightly more stability. Choose based on your trading style and the specific market conditions.

Credits & Original Source

  • Original concept: HPotter (TradingView)
  • Initial development: Yo_adriiiiaan (TradingView) — UT Bot
  • Pine Script v4 with Alerts: QuantNomad / Vadim Cissa (TradingView) — UT Bot Alerts
  • Strategy version: QuantNomad — UT Bot Strategy
  • MQL5/MQL4 conversion: Exobeacon — exobeacon.com

The original Pine Script is open-source and published under TradingView's House Rules. This MQL conversion is an independent reimplementation of the publicly documented algorithm.

Changelog

v1.20

  • Fixed trail line color alignment — color change now coincides exactly with signal arrows
  • Fixed visibility toggles — disabling trail line or bar coloring no longer affects signal arrows
  • Separated core algorithm into internal arrays independent of display buffers

v1.10

  • Fixed buffer mapping issue when toggling visual elements off

v1.00

  • Initial release
  • Full algorithm conversion from Pine Script v4
  • Color-coded trailing stop line
  • Buy/Sell signal arrows with configurable offset
  • Bar coloring (MQL5)
  • Heikin Ashi source option
  • Configurable alerts (Popup, Sound, Push, Email)
  • Position state buffer for EA integration

Avis 2
Vikas Dash
40
Vikas Dash 2026.03.04 04:00 
 

Hi, I have been using this indicator and it works very well. If you could develop an EA based on this indicator so that it can automatically execute trades with an ATR-based trailing stop, it would be extremely helpful. I would be happy to give this indicator a 5-star rating. ⭐

Produits recommandés
Value Chart Candlesticks
Flavio Javier Jarabeck
4.69 (13)
The idea of a Value Chart indicator was presented in the very good book I read back in 2020 , " Dynamic Trading Indicators: Winning with Value Charts and Price Action Profile ", from the authors Mark Helweg and David Stendahl. The idea is simple and the result is pure genius: Present candlestick Price analysis in a detrended way! HOW TO READ THIS INDICATOR Look for Overbought and Oversold levels. Of course, you will need to test the settings a lot to find the "correct" one for your approach. It
FREE
White Weis Volume Ticks
Ricardo Almeida Branco
5 (4)
White Weis Volume This indicator shows the sum of the volume in each wave, bulish or bearish, as idealized by David Weis , but it brings an important addition , which is the marking of the bar with the highest volume of the wave (White Bar)! In coding the indicator, it was sought to optimize the code to require minimal processing during use and not to overload mt5. The indicator can be used for pre-trading analysis and study, where the trader analyzes possible points of support and resistance
Spike Catch Pro
Amani Fungo
4.14 (7)
Spike Catch Pro 22:03 release updates Advanced engine for searching trade entries in all Boom and Crash pairs (300,500 and 1000) Programmed strategies improvements Mx_Spikes (to combine Mxd,Mxc and Mxe), Tx_Spikes,   RegularSpikes,   Litho_System,   Dx_System,   Md_System,   MaCross,   Omx_Entry(OP),  Atx1_Spikes(OP),   Oxc_Retracement (AT),M_PullBack(AT) we have added an arrow on strategy identification, this will help also in the visual manual backtesting of the included strategies and see ho
FREE
SMC Liquidity
Alex Amuyunzu Raymond
SMC LIQUIDITY Advanced Institutional-Grade Smart Money and Liquidity Analysis Suite for MT5 SMC LIQUIDITY is a comprehensive institutional toolkit engineered for traders who require precise liquidity mapping, market structure intelligence, smart money concepts, and order flow awareness in a single integrated interface. It is designed for professional workflow, multi-timeframe clarity, and seamless execution in fast-moving conditions. This indicator combines several institutional methodologies in
FREE
Weis Waves
Flavio Javier Jarabeck
2.83 (18)
The original author is David Weis, an expert in the Wyckoff Method. The Weis Wave is a modern adaptation of the 1930's Wyckoff Method, another expert in Tape Reading techniques and Chart Analysis. Weis Waves takes market volume and stacks it into waves according to price conditions giving the trader valuable insights about the market conditions. If you want to learn more about this subject you can find tons of videos in YouTube. Just look for "The Wickoff Method", "Weis Wave" and "Volume Spread
FREE
Free automatic Fibonacci is an indicator that automatically plots a Fibonacci retracement based on the number of bars you select on the BarsToScan setting in the indicator. The Fibonacci is automatically updated in real time as new highest and lowest values appears amongst the selected bars. You can select which level values to be displayed in the indicator settings. You can also select the color of the levels thus enabling the trader to be able to attach the indicator several times with differe
FREE
Raymond Cloudy Day Indicator for MT5 – Pivot-Based Reversal and Trend Levels Raymond Cloudy Day Indicator is a pivot-based level indicator for MetaTrader 5 (MT5). It was developed by Ngo The Hung based on Raymond’s original idea and is designed to give a structured view of potential reversal zones, trend extensions and support/resistance levels directly on the chart. The default settings are optimised for XAUUSD on the H1 timeframe, but the indicator can be tested and adjusted for other symbols
FREE
Macro-R Pro Signal — Advanced Trading Signal Indicator Macro-R Pro Signal is a professional trading indicator designed to deliver high-quality BUY and SELL signals with enhanced precision and reduced market noise. By combining Bollinger Bands, RSI, and adaptive volatility filtering , this indicator helps traders identify high-probability reversal points while avoiding unfavorable market conditions. How the Strategy Works This indicator is built on a mean reversion + momentum confirmation concep
FREE
Wave Box Market Frenquency
Jean Jacques Huve Ribeiro
4.75 (4)
Totally linked to the result of a movement and the duration he had. Its height records how many ticks the asset walked during a given movement, its width shows us the duration that movement had. Its configuration must be in line with the Weis Wave Indicator configuration to observe the movement force and can indicate a possible accumulation or distribution of the movement;
FREE
AliPivot Points is a Meta Trader 5 Indicator that draws you the latest pivot points. You can choose from timeframes ranging from 1 Minute to 1 Month. Calculation methods for pivot points includes: Classic Pivot Points Camarilla Pivot Points Fibonacci Pivot Points Woodie Pivot Points You can personalize the line colors, style, and width to suit your preference. The indicator displays values on the right side of the chart. AliPivot Points values can also be utilized by developers for creating Expe
FREE
The indicator highlights the points that a professional trader sees in ordinary indicators. VisualVol visually displays different volatility indicators on a single scale and a common align. Highlights the excess of volume indicators in color. At the same time, Tick and Real Volume, Actual range, ATR, candle size and return (open-close difference) can be displayed. Thanks to VisualVol, you will see the market periods and the right time for different trading operations. This version is intended f
FREE
PZ Penta O MT5
PZ TRADING SLU
3.5 (4)
The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
FREE
Caicai L&S Yield Histogram Important Notice: This indicator is an integral tool of the automated EA Caicai Long and Short Pair Trading . This indicator visually displays the percentage deviation (Yield %) of a pair's current spread relative to its own historical mean. It is an excellent tool for quickly visualizing the gross financial potential of a market distortion in Long & Short operations. Main Features: Percentage Visualization: Understand the size of the distortion in palpable percentage
Midas VWAP
Paulo Henrique Faquineli Garcia
4 (2)
Volume Weighted Average Price (VWAP) is a trading benchmark commonly used by Big Players that gives the average price a Symbol has traded throughout the day. It is based on both Volume and price. This indicator contains Daily VWAP and MIDAS' VWAP, which means you are able to anchor the beggining of MIDAS' calculations and, therefore you will be able to use this methodology to study price versus volume moves after anchor point. You will be able to anchor up to 3 HIGH MIDAS VWAP's and 3 LOW. Wish
FREE
QuantumAlert Stoch Navigator is a free indicator available for MT4/MT5 platforms, its work is to provide "alerts" when the market is inside "overbought and oversold" regions in the form of "buy or sell" signals. This indicator comes with many customization options mentioned in the parameter section below, user can customise these parameters as needful. Join our   MQL5 group , where we share important news and updates. You are also welcome to join our private channel as well, contact me for the p
FREE
Amiguinhos Bar Counter
Eduardo Correia Da Silva
3.67 (3)
Amiguinho's Bar Counter is a price action indicator to display the bar count (candles) with some interesting options. About the "Period of analysis" parameter: if the current timeframe is in minutes, then the analysis period will be considered in days; if the current timeframe is in days, then the analysis period will be considered in months; or  if the period of analysis will be considered in years.
FREE
Advanced Gold Scalping Signal Indicator XAU M1 Trend Pro is a precision-built trend and signal indicator designed specifically for XAUUSD (Gold) on the M1 timeframe . It combines multi-layer filtering, volatility analysis, and smart scoring logic to deliver high-quality BUY and SELL signals while avoiding market noise. Built for traders who demand accuracy, speed, and consistency in fast-moving gold markets. Key Features Smart Buy & Sell Signals Generates real-time alerts when high-probabili
FREE
Are you tired of drawing trendlines every time you're analyzing charts? Or perhaps you would like more consistency in your technical analysis. Then this is for you. This indicator will draw trend lines automatically when dropped on a chart. How it works Works similar to standard deviation channel found on mt4 and mt5. It has 2 parameters: 1. Starting Bar 2. Number of bars for calculation The   starting bar   is the bar which drawing of the trend lines will begin, while the   number of bars for c
FREE
NOTE: Turn Pattern Scan ON This indicator identifies Swing Points, Break of Structure (BoS), Change of Character (CHoCH), Contraction and Expansion patterns which are plotted on the charts It also comes with Alerts & Mobile notifications so that you do not miss any trades. It can be used on all trading instruments and on all timeframes. The non-repaint feature makes it particularly useful in backtesting and developing profitable trading models. The depth can be adjusted to filter swing points.
FREE
MIDAS Super VWAP
Flavio Javier Jarabeck
4.27 (11)
Imagine VWAP, MVWAP and MIDAS in one place... Well, you found it! Now you can track the movement of Big Players in various ways, as they in general pursue the benchmarks related to this measuring, gauging if they had good execution or poor execution on their orders. Traders and analysts use the VWAP to eliminate the noise that occurs throughout the day, so they can measure what prices buyers and sellers are really trading. VWAP gives traders insight into how a stock trades for that day and deter
FREE
Reversal Oscillator — Advanced Momentum Shift Detector Reversal Oscillator is a free indicator designed to highlight price zones that are statistically outside their normal movement patterns, helping traders anticipate potential turning points before they occur. Unlike traditional oscillators that react mainly to overbought/oversold conditions, this indicator applies third derivative analysis (the "acceleration of the acceleration" of price) calculated using two independent methods within a n
FREE
Nameless Stochastic
Flavio Javier Jarabeck
5 (2)
It is the very same classic Stochastic indicator, but with a little twist: NO NAME and data is shown in the sub window. It could be stupid, BUT, if you are running out of space in Micro windows like Mini Charts, where the indicator's name is totally useless, you came to the right place. And that's it! I know it seems stupid but I needed the classical version of Stochastic indicator without that annoying name on my Mini Chart, so I did it that way... The original formula is right from Metaquote's
FREE
Friend of the Trend: Your Trend Tracker Master the market with Friend of the Trend , the indicator that simplifies trend analysis and helps you identify the best moments to buy, sell, or wait. With an intuitive and visually striking design, Friend of the Trend analyzes price movements and delivers signals through a colorful histogram: Green Bars : Signal an uptrend, indicating buying opportunities. Red Bars : Alert to a downtrend, suggesting potential selling points. Orange Bars : Represent cons
FREE
VWAP WAVE [Riz] - MT5 Indicator               Advanced VWAP Divergence Detection System VWAP Wave is a professional-grade Volume Weighted Average Price indicator with built-in divergence detection system. It identifies high-probability reversal and continuation signals by analyzing price-VWAP relationships across multiple timeframes.
FREE
ATR Plus
Ivan Pochta
5 (1)
ATR Plus is an enhanced version of the classic ATR that shows not just volatility itself, but the directional energy of the market . The indicator converts ATR into a normalized oscillator (0–100), allowing you to clearly see: who dominates the market — buyers or sellers when a trend begins when a trend loses strength when the market shifts into a range where volatility reaches exhaustion zones ATR Plus is perfect for momentum, trend-following, breakout and volatility-based systems. How ATR Plus
FREE
FX Clock
Abderrahmane Benali
FXClock – Professional Clock Indicator for Traders Please leave a 5 star rating if you like this free tool! Thank you so much :) The FXClock indicator is a practical and simple tool that displays time directly on your trading platform, allowing you to track multiple key pieces of information at the same time. It is specially designed to help traders synchronize their trading with market hours and global sessions. Key Features: Displays the broker server time with precision. Displays your local c
FREE
B2U Market State System Part of the B2U Market State System A professional indicator suite designed to analyze market structure, trend state, and momentum. B2U Market State System 의 구성 요소입니다. 시장 구조, 추세 상태, 모멘텀을 입체적으로 분석하기 위한 전문 인디케이터 시스템입니다. Highlights structurally validated reaction zones after FVG inversion. The New Generation of Inversion Fair Value Gaps B2U IFVG BOX & Zone visually analyzes market reaction zones formed after Fair Value Gap (FVG) inversion. 차세대 Inversion Fair Value Gaps FVG 반
FREE
Cybertrade Keltner Channels
Emanuel Andriato
4.67 (6)
Cybertrade Keltner Channels - MT5 Created by Chester Keltner, this is a volatility indicator used by technical analysis. It is possible to follow the trend of financial asset prices and generate support and resistance patterns. In addition, envelopes are a way of tracking volatility in order to identify opportunities to buy and sell these assets. It works on periods longer than the period visible on the chart. All values ​​are available in the form of buffers to simplify possible automations.
FREE
PROMETHEUS TECHNICAN VERSION Free | By THE SONS A gift from The Sons — no strings, no trial, no expiry. Every trader deserves access to professional-grade market intelligence. That belief is why Prometheus Technical Version exists, and why it costs nothing. Consider it our handshake to the trading community. What You're Getting This is not a simplified tool dressed up as a gift. Prometheus Technican Version is a fully built, institutional-quality technical analysis indicator running a dual-model
FREE
Bneu GLA Indicator
Marvinson Salavia Caballero
``` Bneu GLA Trend Indicator — Grover Llorens Activator This indicator for MetaTrader 5 displays a dynamic trend activation line based on the Grover Llorens Activator method. The line changes color based on price position relative to the activation level, with signal arrows appearing on trend changes. What It Does Plots a dynamic activation line on your chart: - Green line when price is above (bullish condition) - Red line when price is below (bearish condition) - Arrows appear on trend cha
FREE
Les acheteurs de ce produit ont également acheté
SuperScalp Pro
Van Minh Nguyen
4.72 (18)
SuperScalp Pro – Système d’indicateur de scalping avancé multi-filtres SuperScalp Pro est un système d’indicateur de scalping avancé qui combine le Supertrend classique avec plusieurs filtres de confirmation intelligents. L’indicateur fonctionne efficacement sur toutes les unités de temps de M1 à H4 et est particulièrement adapté à XAUUSD, BTCUSD et aux principales paires Forex. Il peut être utilisé comme système autonome ou intégré de manière flexible dans des stratégies de trading existantes.
Azimuth Pro
Ottaviano De Cicco
5 (6)
LAUNCH PROMO Azimuth Pro price is initially set at 299$ for the first 100 buyers. Final price will be 499$ . THE DIFFERENCE BETWEEN RETAIL AND INSTITUTIONAL ENTRIES ISN'T THE INDICATOR — IT'S THE LOCATION. Most traders enter at arbitrary price levels, chasing momentum or reacting to lagging signals. Institutions wait for price to reach structured levels where supply and demand actually shift. Azimuth Pro maps these levels automatically: swing-anchored VWAP, multi-timeframe structure lines, an
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
Power Candles MT5
Daniel Stein
5 (7)
Power Candles – Signaux d’entrée basés sur la force pour tous les marchés Power Candles intègre l’analyse de force éprouvée de Stein Investments directement dans le graphique des prix. Au lieu de réagir uniquement au prix, chaque bougie est colorée en fonction de la force réelle du marché, ce qui permet d’identifier instantanément les phases de momentum, l’accélération de la force et les transitions de tendance propres. Une logique unique pour tous les marchés Power Candles fonctionne automatiqu
Entry In The Zone and SMC Multi Timeframe is a real-time 2-in-1 market analysis tool that combines market structure analysis and a No Repaint BUY / SELL signal system into a single indicator, built on Smart Money Concepts (SMC) — a widely adopted framework used by professional traders to understand market structure. This indicator helps you see the market more clearly, make decisions based on structure rather than guesswork, and focus on high-probability zones where price is more likely to react
Si vous achetez cet indicateur, vous recevrez mon Gestionnaire de Trading Professionnel + EA  GRATUITEMENT. Tout d'abord, il convient de souligner que ce système de trading est un indicateur non repeint, non redessiné et non retardé, ce qui le rend idéal pour le trading manuel et automatisé. Cours en ligne, manuel et téléchargement de préréglages. Le "Système de Trading Smart Trend MT5" est une solution de trading complète conçue pour les traders débutants et expérimentés. Il combine plus de 10
Gold Entry Sniper
Tahir Mehmood
5 (8)
Gold Entry Sniper – Tableau de Bord ATR Multi-Unités de Temps pour Scalping et Swing Trading sur l'Or Gold Entry Sniper est un indicateur avancé pour MetaTrader 5 qui fournit des signaux d'achat/vente précis sur XAUUSD et autres actifs, basé sur la logique de Trailing Stop ATR et l' analyse multi-unités de temps . Caractéristiques et Avantages Clés Analyse Multi-Unités de Temps – Affiche les tendances en M1, M5, M15 sur un seul tableau. Trailing Stop Basé sur l'ATR – Ajuste automatiquement selon
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
Meridian Pro
Ottaviano De Cicco
5 (1)
Meridian Pro: Professional Multi-Timeframe Trend Matrix for MT5 Overview Meridian Pro is a multi-timeframe trend matrix by Merkava Labs that compresses directional state, strength, momentum condition and matrix agreement into one compact panel. One adaptive engine, applied consistently from M1 to W1. No per-symbol tuning. No indicator stacking. One structured readout across every asset and every timeframe. Launch Offer — Get Meridian Pro for USD 99 (introductory). Regular price: USD 149. 1. Why
Voyez quelle strategie fonctionne reellement sur votre symbole - avant de risquer de l'argent reel. Power Bar detecte les barres de prix extremes sur n'importe quel symbole et n'importe quel timeframe, puis backteste instantanement 3 strategies de trading differentes pour que vous puissiez comparer les taux de reussite, les facteurs de profit et les P&L cote a cote. Le tout dans un seul panneau interactif. Pas de suppositions. Pas de suroptimisation. Juste des donnees. Qu'est-ce qui rend Power
Trend Screener Pro MT5
STE S.S.COMPANY
4.85 (104)
Indicateur de tendance, solution unique révolutionnaire pour le trading et le filtrage des tendances avec toutes les fonctionnalités de tendance importantes intégrées dans un seul outil ! Il s'agit d'un indicateur multi-période et multi-devises 100 % non repeint qui peut être utilisé sur tous les symboles/instruments : forex, matières premières, crypto-monnaies, indices et actions. Trend Screener est un indicateur de suivi de tendance efficace qui fournit des signaux de tendance fléchés avec des
FX Trend MT5 NG
Daniel Stein
5 (4)
FX Trend NG : La Nouvelle Génération d’Intelligence de Tendance Multi-Marchés Vue d’ensemble FX Trend NG est un outil professionnel d’analyse de tendance multi-timeframe et de surveillance des marchés. Il vous permet de comprendre la structure complète du marché en quelques secondes. Au lieu de naviguer entre de nombreux graphiques, vous identifiez immédiatement quels instruments sont en tendance, où le momentum s’affaiblit et où plusieurs unités de temps sont alignées. Offre de Lancement – Ob
Atomic Analyst MT5
Issam Kassas
3.94 (31)
Tout d'abord, il convient de souligner que cet indicateur de trading n'est ni repainting, ni redrawing et ne présente aucun délai, ce qui le rend idéal à la fois pour le trading manuel et automatisé. Manuel de l'utilisateur : réglages, entrées et stratégie. L'Analyste Atomique est un indicateur d'action sur les prix PA qui utilise la force et le momentum du prix pour trouver un meilleur avantage sur le marché. Équipé de filtres avancés qui aident à éliminer les bruits et les faux signaux, et à
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
Trend indicator AI mt5
Ramil Minniakhmetov
5 (16)
L'indicateur Trend Ai est un excellent outil qui améliorera l'analyse du marché d'un trader en combinant l'identification des tendances avec des points d'entrée exploitables et des alertes d'inversion. Cet indicateur permet aux utilisateurs de naviguer dans les complexités du marché forex avec confiance et précision Au-delà des signaux primaires, l'indicateur Trend Ai identifie les points d'entrée secondaires qui surviennent lors des retraits ou des retracements, permettant aux traders de capit
Crystal Heikin Ashi Signals
Muhammad Jawad Shabir
5 (2)
Crystal Heikin Ashi Signals - Professional Trend & Signal Detection Indicator Advanced Heikin Ashi Visualization with Intelligent Signal System for Manual & Automated Trading Final Price: $149 ---------> Price goes up $10 after every 10 sales . Limited slots available — act fast . Overview Crystal Heikin Ashi Signals is a professional-grade MetaTrader 5 indicator that combines pure Heikin Ashi candle visualization with an advanced momentum-shift detection system. Designed for both manual traders
Btmm state engine pro
Garry James Goodchild
5 (3)
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
Gann Made Easy   est un système de trading Forex professionnel et facile à utiliser qui est basé sur les meilleurs principes de trading en utilisant la théorie de mr. WD Gann. L'indicateur fournit des signaux d'ACHAT et de VENTE précis, y compris les niveaux Stop Loss et Take Profit. Vous pouvez échanger même en déplacement en utilisant les notifications PUSH. VEUILLEZ ME CONTACTER APRÈS L'ACHAT POUR RECEVOIR GRATUITEMENT DES INSTRUCTIONS DE TRADING ET D'EXCELLENTS INDICATEURS SUPPLÉMENTAIRES! V
Currency Strength Dashboard Pro Tableau de bord professionnel d’ analyse de la force des devises en temps réel pour MetaTrader 5 . L’indicateur calcule et affiche la force de 8 devises majeures (EUR, USD, GBP, JPY, CHF, AUD, CAD, NZD) en utilisant 28 paires de devises simultanément sur plusieurs unités de temps. Le tableau de bord offre au trader une vision complète du marché en un seul coup d’œil — sans calculs supplémentaires ni changement entre plusieurs graphiques. Méthode de calcul L’indica
FX Power MT5 NG
Daniel Stein
5 (31)
FX Power : Analysez la force des devises pour des décisions de trading plus intelligentes Aperçu FX Power est l'outil essentiel pour comprendre la force réelle des principales devises et de l'or, quelles que soient les conditions du marché. En identifiant les devises fortes à acheter et les faibles à vendre, FX Power simplifie vos décisions de trading et révèle des opportunités à forte probabilité. Que vous suiviez les tendances ou anticipiez les retournements à l'aide de valeurs extrêmes de D
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
[ My Products ] , [ My Channel ]   ,  [ LIVE SIGNAL ] HFT Spike Detector HFT Spike Detector est un outil professionnel de surveillance des ticks conçu pour analyser et mesurer en temps réel les mouvements de prix à haute fréquence (pics soudains causés par le HFT). Son objectif est de vous permettre de détecter les glissements anormaux, les lacunes de liquidité et les pics de prix au niveau milliseconde causés par le broker, à l'aide de données numériques. Comme il analyse le flux de ticks e
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
Market Structure Order Block Dashboard MT5 est un indicateur MT5 axé sur la structure de marché et les concepts ICT / Smart Money : HH/HL/LH/LL , BOS , ChoCH , ainsi que Order Blocks , Fair Value Gaps (FVG) , Liquidité (EQH/EQL, sweeps), Sessions / Kill Zones et un Volume Profile intégré, avec un dashboard compact de confluence. Important : c’est un outil d’analyse . Il ne passe aucun ordre (ce n’est pas un EA). Bonus acheteurs Après achat, vous pouvez recevoir 2 indicateurs bonus (au choix) pa
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
CGE Trading Suite
Carl Gustav Johan Ekstrom
5 (1)
CGE 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 measures currency basket strength to identif
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
Gold Sniper Scalper Pro
Ich Khiem Nguyen
3.78 (9)
Gold Sniper Scalper Pro est un indicateur pour MetaTrader 5 conçu spécifiquement pour détecter les figures de fausse cassure (false breakout) sur XAUUSD. Il identifie la structure piège à 4 barres où le prix franchit la limite d'un range, attire les traders de cassure, puis inverse — confirmant que le mouvement était une fausse cassure. L'indicateur évalue chaque configuration selon 17 facteurs de qualité, la traite à travers un pipeline de confluence à 4 couches, la vérifie contre un moteur de
TREND LINES PRO   Cet indicateur permet de comprendre les véritables changements de direction du marché. Il révèle les renversements de tendance et les points de retour des principaux acteurs. Tu vois   Lignes BOS   Détection des changements de tendance et des niveaux clés sur des unités de temps supérieures, sans paramètres complexes ni interférences inutiles. Les signaux restent affichés sur le graphique même après la fermeture de la bougie. Version MT4   -   Révèle son potentiel maximal lorsq
PZ Trend Trading MT5
PZ TRADING SLU
3.8 (5)
Capture every opportunity: your go-to indicator for profitable trend trading Trend Trading is an indicator designed to profit as much as possible from trends taking place in the market, by timing pullbacks and breakouts. It finds trading opportunities by analyzing what the price is doing during established trends. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Trade financial markets with confidence and efficiency Profit from established trends without getting whip
Plus de l'auteur
SuperTrend for MT5
Ulises Calderon Bautista
4.83 (6)
L'indicateur populaire "SuperTrend" est un outil d'analyse technique qui aide à identifier la direction d'une tendance et les points d'entrée ou de sortie potentiels sur les marchés financiers. L'indicateur est basé sur la Moyenne de la Vraie Portée (ATR), qui mesure la volatilité du marché en fonction des gammes de prix. Il est gratuit sur d'autres plateformes et il n'y a aucune raison pour qu'il ne le soit pas ici aussi ! Il est couramment utilisé de trois manières : Pour identifier la tendanc
FREE
BollingerRSI Strategy
Ulises Calderon Bautista
5 (1)
### Bollinger + RSI, Double Strategy v1.1 Faithful MQL4/MQL5 port of ChartArt's popular TradingView strategy (41,800+ users, 990+ favorites). Generates buy and sell signals only when **both indicators confirm simultaneously** — RSI momentum shift + Bollinger Band breakout on the same candle. **How it works** The strategy uses an unconventional configuration: a fast RSI(6) with its crossover level set at 50 (acting as a momentum direction filter, not an overbought/oversold detector), combined
FREE
UT Bot Alerts for MT4
Ulises Calderon Bautista
UT Bot Alerts — ATR Trailing Stop System Faithful MQL5 & MQL4 conversion of the legendary "UT Bot Alerts" indicator by QuantNomad from TradingView. Originally developed by Yo_adriiiiaan with the core idea by HPotter, and refined into Pine Script v4 with alerts by QuantNomad (Vadim Cissa) — one of the most followed quant developers on TradingView with over 100K followers. The original script has accumulated 1.1 million+ views and 35,500+ favorites on TradingView, making it one of the most popular
FREE
Impulse MACD mt5
Ulises Calderon Bautista
### Impulse MACD [ LazyBear ] v1.0 Port of LazyBear's open-source TradingView indicator, which has accumulated over 8,700 favorites since its publication in 2015. It filters out false MACD signals by measuring momentum only when price breaks outside a smoothed moving average channel. #### How it works The indicator builds a channel using two Smoothed Moving Averages (SMMA) applied to the High and Low. A Zero-Lag EMA (mathematically equivalent to DEMA) is computed on the typical price (HLC3).
FREE
BollingerRSI Strategy MT4
Ulises Calderon Bautista
### Bollinger + RSI, Double Strategy v1.1 Faithful MQL4/MQL5 port of ChartArt's popular TradingView strategy (41,800+ users, 990+ favorites). Generates buy and sell signals only when **both indicators confirm simultaneously** — RSI momentum shift + Bollinger Band breakout on the same candle. **How it works** The strategy uses an unconventional configuration: a fast RSI(6) with its crossover level set at 50 (acting as a momentum direction filter, not an overbought/oversold detector), combined
FREE
Heikin Ashi Trend mt5
Ulises Calderon Bautista
Heikin Ashi Trend Indicator v2.1 MQL5/MQL4 port of the Heikin Ashi Trend Indicator originally published on TradingView by dman103 (2,300+ likes, 80,000+ views). It combines Heikin Ashi candle smoothing with the Tilson T3 moving average to produce clean, noise-reduced trend signals directly on the price chart. #### How it works The indicator processes price data in two stages. First, it computes Heikin Ashi OHLC values from the regular candlestick data. Then, it applies the Tilson T3 moving a
FREE
ADX and DI mt5
Ulises Calderon Bautista
### ADX and DI v1.00 Faithful MQL4/MQL5 port of BeikabuOyaji's "ADX and DI" indicator from TradingView, one of the most widely used ADX implementations on the platform with over 43,000 users. It displays +DI, −DI, and ADX in a single subwindow, using a hybrid smoothing approach — Wilder's method for the Directional Indexes and a simple moving average for the ADX line. #### How it works The indicator implements Welles Wilder's Directional Movement System with one notable variation in the fina
FREE
SuperTrend for MT4
Ulises Calderon Bautista
The popular "SuperTrend" indicator is a technical analysis tool designed to help identify trend direction and potential entry or exit points in financial markets. This indicator is built upon the Average True Range (ATR) , which gauges market volatility based on price ranges. It is available for free on other platforms, and this should be no exception! Common Use Cases The SuperTrend is typically utilized in three primary ways: Trend Identification: When the price is trading above the indicator
FREE
ADX and DI mt4
Ulises Calderon Bautista
### ADX and DI v1.00 Faithful MQL4/MQL5 port of BeikabuOyaji's "ADX and DI" indicator from TradingView, one of the most widely used ADX implementations on the platform with over 43,000 users. It displays +DI, −DI, and ADX in a single subwindow, using a hybrid smoothing approach — Wilder's method for the Directional Indexes and a simple moving average for the ADX line. #### How it works The indicator implements Welles Wilder's Directional Movement System with one notable variation in the fina
FREE
Impulse MACD mt4
Ulises Calderon Bautista
### Impulse MACD [ LazyBear ] v1.0 Port of LazyBear's open-source TradingView indicator, which has accumulated over 8,700 favorites since its publication in 2015. It filters out false MACD signals by measuring momentum only when price breaks outside a smoothed moving average channel. #### How it works The indicator builds a channel using two Smoothed Moving Averages (SMMA) applied to the High and Low. A Zero-Lag EMA (mathematically equivalent to DEMA) is computed on the typical price (HLC3).
FREE
Double or Triple EMA Envelope
Ulises Calderon Bautista
5 (1)
L'indicateur des enveloppes des moyennes mobiles exponentielles (double ou triple) est un outil d'analyse technique conçu pour vous aider à identifier les tendances et les points potentiels de retournement sur les marchés financiers. Cet indicateur offre aux traders la flexibilité de choisir entre deux types de moyennes mobiles exponentielles : la moyenne mobile exponentielle double (DEMA) ou la moyenne mobile exponentielle triple (TEMA). Principales caractéristiques : - Double ou triple expon
FREE
Heikin Ashi Trend mt4
Ulises Calderon Bautista
### Heikin Ashi Trend Indicator v2.1 MQL5/MQL4 port of the Heikin Ashi Trend Indicator originally published on TradingView by dman103 (2,300+ likes, 80,000+ views). It combines Heikin Ashi candle smoothing with the Tilson T3 moving average to produce clean, noise-reduced trend signals directly on the price chart. #### How it works The indicator processes price data in two stages. First, it computes Heikin Ashi OHLC values from the regular candlestick data. Then, it applies the Tilson T3
FREE
L'indicateur "Envelope of Adaptive Moving Average" est un outil conçu pour vous aider à prendre des décisions éclairées sur le marché financier. Il a été développé pour vous offrir une vue claire de la direction de la tendance et des points d'entrée et de sortie potentiels dans vos transactions. Cet indicateur repose sur une moyenne mobile adaptative, ce qui signifie qu'il s'ajuste automatiquement aux variations de la volatilité du marché. Cela le rend particulièrement utile sur des marchés à l
FREE
Filtrer:
1193442978
124
1193442978 2026.03.20 16:03 
 

L'utilisateur n'a laissé aucun commentaire sur la note

Vikas Dash
40
Vikas Dash 2026.03.04 04:00 
 

Hi, I have been using this indicator and it works very well. If you could develop an EA based on this indicator so that it can automatically execute trades with an ATR-based trailing stop, it would be extremely helpful. I would be happy to give this indicator a 5-star rating. ⭐

Répondre à l'avis