AROS Adaptive Robust OneSided Smoother

AROS (Adaptive Robust One-Sided Smoother)

is a non-repainting trend indicator designed for live trading.
It plots a smooth adaptive trend line directly in the main chart window, helping traders:

  • identify the current market trend,

  • reduce noise and false signals during sideways markets,

  • adapt automatically to changing volatility conditions.

Unlike classic moving averages, AROS:

  • reacts faster during strong trends,

  • becomes more stable during choppy or ranging markets,

  • never uses future data (fully causal).

How to read the trend line on the chart

The Trend line represents the estimated underlying market direction:

  • Price above the trend line
    → bullish bias, trend-following long setups are favored.

  • Price below the trend line
    → bearish bias, trend-following short setups are favored.

Because the smoothing is adaptive:

  • during strong directional moves the line follows price more closely,

  • during ranging or noisy periods the line becomes smoother and more stable.

Trend line color indicates market regime:

  • Red = Trend regime (trend-following conditions)

  • Blue = Range regime (choppy/ranging conditions; be cautious with trend signals)


Simple trading ideas (examples)

Trend-following

  • Trade in the direction of the trend line.

  • Use pullbacks toward the trend line as potential entry areas.

  • Avoid counter-trend trades when the market is clearly trending.

Range / mean-reversion

  • When the market is ranging, price often oscillates around the trend line.

  • In such conditions, deviations from the trend line tend to revert back.

(Advanced users can automate these ideas using the provided buffers — see Section 2.)

Fast/Slow AROS crossover idea

Apply AROS twice with different responsiveness (smaller vs larger windows). Crosses between the two AROS trend lines can be used similarly to fast/slow moving-average cross signals.

Example configuration is at chapter 2.9 below. 


Simple explanation of the algorithm (non-technical)

AROS works in three main steps:

  1. Noise measurement
    The indicator estimates current market noise using a robust volatility measure (MAD), which is less sensitive to spikes and news.

  2. Trend strength estimation
    It measures how strongly price moves in one direction (slope).

  3. Adaptive smoothing
    If trend strength is high compared to noise → the trend reacts faster.
    If noise dominates → the trend is smoothed more strongly.

This adaptive behavior happens automatically on every bar.

Input parameters

=== Lookback windows ===

VolatilityMADWindow
Lookback window (in bars) used to estimate market noise with a robust MAD volatility.
Higher values → more stable trend, slower reaction.
Lower values → more reactive trend, more sensitive to noise.

SlopeWindow
Lookback window (in bars) used to estimate trend strength (slope).
Higher values → smoother, slower trend detection.
Lower values → faster reaction to short-term moves.

=== Smoothing factors ===

AlphaMin
Minimum smoothing factor.
Defines how slow and smooth the trend can become in noisy or ranging markets.

AlphaMax
Maximum smoothing factor.
Defines how fast the trend can react during strong directional movement.

AlphaEMAFactor
EMA factor used to smooth the adaptive smoothing parameter itself.
Higher values → faster changes in trend responsiveness.
Lower values → smoother, more stable trend behavior.

SNRScale
Scaling constant controlling how quickly the indicator switches between slow and fast smoothing based on trend strength.

=== Regime thresholds ===

Used for evaluate market regime flags (Trend/Range) saved into RegimeBuffer used in EA integration.

TrendRegimeOnSNR
Threshold to enter Trend regime.
Higher values → fewer but stronger trend signals.

TrendRegimeOffSNR
Threshold to exit Trend regime and return to Range regime.
Creates hysteresis to avoid frequent regime switching.


2. Advanced / Quant section – Algorithm & EA integration

2.1 Conceptual model

Price is modeled as:

Price = Trend + Noise

The goal of AROS is to estimate the Trend component in real time, without repainting, while also providing information about Noise and Market Regime.

2.2 Robust volatility estimation

Price returns are computed as:

ΔPrice = Price(t) − Price(t−1)

Volatility is estimated using MAD (Median Absolute Deviation):

Volatility = 1.4826 × median( |ΔPrice − median(ΔPrice)| )

This approach is robust against spikes and outliers and is controlled by VolatilityMADWindow parameter.

The computed robust volatility estimate is exposed as VolatilityBuffer (price units).

2.3 Trend strength estimation

Trend strength is approximated by the average absolute price change:

Slope = (1 / K) × Σ |Price(t) − Price(t−k)| , k = 1..K

where K = SlopeWindow parameter.

The computed slope proxy is exposed as SlopeBuffer.

2.4 Adaptive smoothing parameter (Alpha)

A signal-to-noise ratio is computed:

SNR = Slope / Volatility

The adaptive smoothing factor is then mapped into the interval:

Alpha = AlphaMin + (AlphaMax − AlphaMin) × (SNR / (SNR + SNRScale))

To avoid instability, Alpha is further smoothed using an EMA:

AlphaSmooth = AlphaEMAFactor × Alpha + (1 − AlphaEMAFactor) × AlphaSmooth(previous)

AlphaMin, AlphaMax, SNRScale, AlphaEMAFactor are input parameters.

The computed signal-to-noise ratio is exposed as SNRBuffer.

2.5 Trend update equation

The final trend is updated recursively:

Trend(t) = AlphaSmooth × Price(t) + (1 − AlphaSmooth) × Trend(t−1)

This formulation is:

  • fully causal,

  • O(1) per bar,

  • non-repainting.

2.6 Noise buffer (EA integration)

The Noise buffer contains the normalized residual:

Noise = (Price − Trend) / Volatility

(as described in sections 2.2 and 2.5)

It represents short-term deviation from the trend and is useful for:

  • mean-reversion strategies,

  • overbought / oversold detection,

  • channel construction.

2.7 Trend / Range regime flag

Using the same SNR measure:

If SNRTrendRegimeOnSNRTrend regime (1)

If SNRTrendRegimeOffSNRRange regime (0)

Elsekeep previous regime

This hysteresis-based regime detection prevents frequent switching and provides a clean state signal for Expert Advisors.

TrendRegimeOnSNR, TrendRegimeOffSNR are input parameters.

2.8 Buffers available for EA integration

The indicator provides the following buffers:

  • 0 - TrendBuffer
    Smoothed adaptive trend value (as described in section 2.5).Visible in main chart window as trend line.

  • 1 - RegimeBuffer
    Market regime flag: 1 = Trend , 0 = Range (section 2.7). Visible in main chart window as color classification of the trend line.

  • 2 - NoiseBuffer
    Normalized residual (Price − Trend) / Volatility (view section 2.6).

  • 3 - AlphaSmoothBuffer (internal calculation buffer)
    Smoothed adaptive alpha state used in the trend recursion (section 2.4/2.5).

  • 4 - SlopeBuffer (EA/diagnostics)
    Signed slope proxy of local trend strength (section 2.3), in price units per bar.

  • 5 - VolatilityBuffer (EA/diagnostics)
    Robust MAD volatility estimate (section 2.2), in price units.

  • 6 - SNRBuffer (EA/diagnostics)
    Signal-to-noise ratio used for regime and alpha decisions (section 2.4/2.7), dimensionless.

These buffers allow direct and efficient use in Expert Advisors via iCustom.

2.9 Recommended Setups

FX (EURUSD, GBPUSD, USDJPY)

Recommended timeframes: M5 – H1

VolatilityMADWindow = 20, SlopeWindow = 10, AlphaMin = 0.02, AlphaMax = 0.35, AlphaEMAFactor = 0.30, SNRScale = 1.0, TrendRegimeOnSNR = 1.5, TrendRegimeOffSNR = 1.0

Crypto (BTCUSD, ETHUSD)

Recommended timeframes: M1 – M15

VolatilityMADWindow = 30, SlopeWindow = 12, AlphaMin = 0.03, AlphaMax = 0.45, AlphaEMAFactor = 0.25, SNRScale = 1.2, TrendRegimeOnSNR = 1.8, TrendRegimeOffSNR = 1.2


Fast/Slow AROS crossover idea

Fast AROS (more reactive)

  • smaller VolatilityMADWindow

  • smaller SlopeWindow

  • higher AlphaMax

  • slightly higher AlphaEMAFactor (so alpha adapts faster)

Example:

VolatilityMADWindow = 15, SlopeWindow = 7, AlphaMin = 0.03, AlphaMax = 0.50, AlphaEMAFactor = 0.40, SNRScale = 1.0

Slow AROS (more stable)

  • larger VolatilityMADWindow

  • larger SlopeWindow

  • lower AlphaMax

  • slightly lower AlphaEMAFactor

Example:

VolatilityMADWindow = 35, SlopeWindow = 15, AlphaMin = 0.015, AlphaMax = 0.25, AlphaEMAFactor = 0.25, SNRScale = 1.0

Signal definition (simple)

  • Bullish cross: TrendFast crosses above TrendSlow

  • Bearish cross: TrendFast crosses below TrendSlow

This behaves very similarly to fast/slow MA crosses, but with adaptive responsiveness.


Final notes

  • The indicator is fully non-repainting and suitable for live trading.

  • Designed for manual trading and EA integration.

  • Uses robust statistics to handle real market conditions.


Prodotti consigliati
1. Overview The Scalping PullBack Signal indicator is a powerful technical analysis tool designed to help traders identify scalping opportunities based on potential pullback and reversal signals. This tool is particularly useful on lower timeframes (below 15 minutes) but can also be applied on higher timeframes for longer-term trades. This indicator integrates several key analytical components, providing a comprehensive view of trends and potential entry/exit points, helping you make quick and e
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
High Low Open Close
Alexandre Borela
4.98 (43)
Se ti piace questo progetto, lascia una recensione a 5 stelle. Questo indicatore disegna i prezzi aperti, alti, bassi e di chiusura per i specificati periodo e può essere regolato per un determinato fuso orario. Questi sono livelli importanti guardati da molti istituzionali e professionali commercianti e può essere utile per voi per conoscere i luoghi dove potrebbero essere più attivo. I periodi disponibili sono: Giorno precedente. Settimana precedente. Mese precedente. Precedente trimestre. A
FREE
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
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.
The new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
The Goat Scalper
Giordan Cogotti
The Goat Scalper EA — Smart, Fast, and Built for Real Market Performance Overview The Goat Scalper EA is a next-generation trading system built to capture decisive market moves with surgical precision. Unlike typical scalpers that rely on risky methods such as martingale, grid, hedging, or arbitrage, The Goat uses a pure breakout logic based on advanced supply and demand zone detection, ensuring stable and transparent results in any condition. Core Strengths Smart Risk Management Stop Loss on
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
Supply and Demand MTFs
Mohammed Zakana Al Mallouk
Overview Supply & Demand (MTF) v1.00 is a MetaTrader 5 indicator that automatically identifies and draws key supply and demand zones from up to three timeframes on your current chart. Supply zones mark areas where selling pressure was strong; demand zones mark areas where buying pressure was strong. Features Multi-timeframe detection Scan the current chart plus two higher timeframes for zones. Candle-strength filter Require a configurable number of strong candles to confirm each zone. Adjust
FREE
Una delle sequenze numeriche è chiamata "Sequenza di incendi boschivi". È stata riconosciuta come una delle nuove sequenze più belle. La sua caratteristica principale è che questa sequenza evita andamenti lineari, anche quelli più brevi. È questa proprietà che ha costituito la base di questo indicatore. Quando si analizza una serie temporale finanziaria, questo indicatore cerca di rifiutare tutte le possibili opzioni di tendenza. E solo se fallisce, riconosce la presenza di una tendenza e dà il
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.
Follow The Line MT5
Oliver Gideon Amofa Appiah
4.6 (35)
This indicator obeys the popular maxim that: "THE TREND IS YOUR FRIEND" It paints a GREEN line for BUY and also paints a RED line for SELL. (you can change the colors). It gives alarms and alerts of all kinds. IT DOES NOT REPAINT and can be used for all currency pairs and timeframes. Yes, as easy and simple as that. Even a newbie can use it to make great and reliable trades. NB: For best results, get my other premium indicators for more powerful and reliable signals. Get them here: https://www.m
FREE
XCalper HiLo Activator
Aecio de Feo Flora Neto
HiLo Activator v1.02 by xCalper The HiLo Activator is similar to moving average of previous highs and lows. It is a trend-following indicator used to display market’s direction of movement. The indicator is responsible for entry signals and also helps determine stop-loss levels. The HiLo Activator was first introduced by Robert Krausz in the Feb. 1998 issue of Stocks & Commodities Magazine.
Professional TMA Version 1.0 - Advanced Technical Analysis OVERVIEW The Professional TMA Centered is an advanced technical indicator based on the Triangular Moving Average (TMA) that provides multidimensional market analysis through accurate signals, dynamic bands, and automatic reversal point detection. What is a TMA (Triangular Moving Average)? The TMA is a doubly smoothed moving average that significantly reduces market noise while remaining sensitive to trend changes. Unlike traditiona
PZ Mean Reversion MT5
PZ TRADING SLU
3 (2)
Indicatore unico che implementa un approccio professionale e quantitativo al trading di reversione. Sfrutta il fatto che il prezzo devia e ritorna alla media in modo prevedibile e misurabile, il che consente regole di entrata e uscita chiare che superano di gran lunga le strategie di trading non quantitative. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Segnali di trading chiari Incredibilmente facile da scambiare Colori e dimensioni personalizzabili Implementa l
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
This indicator has been developed to identify and display these trends quickly and easily, allowing you to see instantly, those currency pairs which are trending, and those which are not – and in all timeframes, with just one click. The 28 currency pairs are displayed as a fan as they sweep from strong to weak and back again, and this is why we call it the ‘currency array’. All 28 pairs are arrayed before you, giving an instant visual description of those pairs that are trending strongly, those
Little Swinger    (Best choice for passive income lovers) Developed by RobotechTrading   key features: Financial Freedom Back testing results will match with real live trading results Proper TP and SL Controlled Risk Highly Optimized settings Running on our Real Live Accounts Little Risk, Little Drawdown, Little Stress, Little BUT stable income, just set and forget. Strategy: Not Indicator based No Martingale  No Grid  No Repaint strategy Safe and Secure calculation of Live data and than take
Donchian Breakout And Rsi
Mattia Impicciatore
5 (1)
Descrizione generale Questo indicatore è una versione avanzata del classico Donchian Channel , arricchita con funzioni operative per il trading reale. Oltre alle tre linee tipiche (massimo, minimo e linea centrale), il sistema rileva i breakout e li segnala graficamente con frecce sul grafico, mostrando solo la linea opposta alla direzione del trend per semplificare la lettura. L’indicatore include: Segnali visivi : frecce colorate al breakout Notifiche automatiche : popup, push e email Filtro R
FREE
HiLo Activator Plus
Rodrigo Galeote
5 (1)
HiLo Activator is one of the most used indicators to determine trend. Find it here with the ability to customize period and colors. This indicator also plots up and down arrows when there is a change on the trend, indicating very strong entry and exit points. HiLo fits well to different types of periods for day trading. You can easily understand when it is time to buy or sell. It works pretty good also for other periods like daily and monthly signalizing long-term trends. The use of the indicato
True Day
Aurthur Musendame
5 (1)
True Days is a tool designed specifically for the trader who wants to catch intraday volatility in price charts.  True day makes it easier for the trader to avoid trading in the dead zone - a period in time where markets are considered dead or non volatile. The trader can concentrate on finding opportunities only during periods of profound market movements. By default the indicator gives you a true day starting at 02:00 to 19:00 hours GMT+2. You can adjust according to your Time Zone. By deafult
FREE
TrendDetect
Pavel Gotkevitch
The Trend Detect indicator combines the features of both trend indicators and oscillators. This indicator is a convenient tool for detecting short-term market cycles and identifying overbought and oversold levels. A long position can be opened when the indicator starts leaving the oversold area and breaks the zero level from below. A short position can be opened when the indicator starts leaving the overbought area and breaks the zero level from above. An opposite signal of the indicator can b
Correlation Matrix Pro - Scanner Multi-Valuta per Copertura Comprendi le relazioni tra le coppie di valute in tempo reale! Un potente strumento di analisi che ti aiuta a visualizzare le relazioni statistiche tra fino a 6 coppie di valute contemporaneamente. Perfetto per la gestione del portafoglio, la diversificazione del rischio e le strategie di copertura. CARATTERISTICHE PRINCIPALI - Correlazione di Pearson in tempo reale con rendimenti logaritmici - Monitoraggio di fino a 6 coppie di valute
FREE
Deep Analyst
Yvan Musatov
Description Deep Analyst is an automated trading algorithm designed for the MetaTrader 5 platform. The Expert Advisor analyzes price fluctuations and evaluates volatility parameters based on historical market data of the selected instrument. The algorithm applies a mathematical price processing model including deviation calculations, data smoothing, and market noise filtering. Trading signals are generated strictly according to user-defined parameters. Entry conditions are determined by compari
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
Was: $249  Now: $99   Market Profile defines a number of day types that can help the trader to determine market behaviour. A key feature is the Value Area, representing the range of price action where 70% of trading took place. Understanding the Value Area can give traders valuable insight into market direction and establish the higher odds trade. It is an excellent addition to any system you may be using. Inspired by Jim Dalton’s book “Mind Over Markets”, this indicator is designed to suit the
VFI Quantum
Nikita Berdnikov
5 (1)
Introducing VFI (Volume Flow Indicator) – a trading indicator that analyzes the relationship between volume and price movement to identify key trading opportunities. The indicator displays the strength and direction of volume flow, providing clear signals about potential entry and exit points. Signals are formed based on zero line crossovers, crossovers between the VFI line and its exponential moving average (EMA), and when the indicator exits overbought and oversold zones. Attention! This stra
FREE
Sonic R Pro Enhanced EA - Versione 2025 249$ Solo per i primi 5 acquirenti! Segnale Live Verifica la performance live di Sonic R Pro Enhanced: Strategia di Trading Sonic R Pro Enhanced è una versione avanzata della strategia Sonic R, che automatizza le operazioni basate su Dragon Band (EMA 34 e EMA 89) e utilizza algoritmi avanzati per massimizzare le prestazioni. Timeframe: M15, M30 Coppie supportate: XAUUSD, BTCUSD, AUDJPY, USDJPY Stile di trading: Swing Trading - Pullback & Controten
Auto Optimized RSI   è un indicatore a freccia intelligente e facile da usare, progettato per fornire segnali di acquisto e vendita precisi. Utilizza simulazioni di trading su dati storici per individuare automaticamente i livelli RSI più efficaci per ogni strumento e timeframe. Questo indicatore può essere utilizzato come sistema di trading autonomo o integrato nella tua strategia esistente, ed è particolarmente utile per i trader a breve termine. A differenza dei livelli fissi tradizionali del
AOT Ultra Neural: Because "Hope" Isn't a Trading Strategy. Still waiting for a lagging RSI to tell you what happened ten minutes ago? Cute. While you were busy drawing trendlines with a ruler, the AOT Ultra Neural was already calculating the market's pulse and identifying institutional liquidity gaps. This isn't just an indicator; it’s a high-velocity alpha engine engineered to dominate everything from the extreme volatility of XAUUSD and BTCUSD to the precision required for NASDAQ and major for
FREE
Gli utenti di questo prodotto hanno anche acquistato
Divergence Bomber
Ihor Otkydach
4.89 (83)
Ogni acquirente dell’indicatore riceverà inoltre gratuitamente: L’utilità esclusiva “Bomber Utility”, che gestisce automaticamente ogni operazione, imposta i livelli di Stop Loss e Take Profit e chiude le posizioni secondo le regole della strategia I file di configurazione (set file) per adattare l’indicatore a diversi asset I set file per configurare il Bomber Utility in tre modalità: “Rischio Minimo”, “Rischio Bilanciato” e “Strategia di Attesa” Una guida video passo-passo per installare, conf
Azimuth Pro
Ottaviano De Cicco
5 (4)
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
RFI levels PRO MT5
Roman Podpora
3.67 (3)
L'indicatore mostra accuratamente i punti di inversione e le zone di ritorno dei prezzi in cui il       Principali attori   . Vedi dove si formano le nuove tendenze e prendi decisioni con la massima precisione, mantenendo il controllo su ogni operazione. VERSION MT4     -    Rivela il suo massimo potenziale se combinato con l'indicatore   TREND LINES PRO Cosa mostra l'indicatore: Strutture di inversione e livelli di inversione con attivazione all'inizio di un nuovo trend. Visualizzazione dei li
ARIPoint
Temirlan Kdyrkhan
ARIPoint is a powerful trading companion designed to generate high-probability entry signals with dynamic TP/SL/DP levels based on volatility. Built-in performance tracking shows win/loss stats, PP1/PP2 hits, and success rates all updated live. Key Features: Buy/Sell signals with adaptive volatility bands Real-time TP/SL/DP levels based on ATR Built-in MA Filter with optional ATR/StdDev volatility Performance stats panel (Success, Profit/Loss, PP1/PP2) Alerts via popup, sound, push, or email Cu
Grabber System MT5
Ihor Otkydach
4.82 (22)
Ti presento un eccellente indicatore tecnico: Grabber, che funziona come una strategia di trading "tutto incluso", pronta all’uso. In un solo codice sono integrati strumenti potenti per l’analisi tecnica del mercato, segnali di trading (frecce), funzioni di allerta e notifiche push. Ogni acquirente di questo indicatore riceve anche gratuitamente: L’utility Grabber: per la gestione automatica degli ordini aperti Video tutorial passo dopo passo: per imparare a installare, configurare e utilizzare
Quantum TrendPulse
Bogdan Ion Puscasu
5 (20)
Ecco   Quantum TrendPulse   , lo strumento di trading definitivo che combina la potenza di   SuperTrend   ,   RSI   e   Stocastico   in un unico indicatore completo per massimizzare il tuo potenziale di trading. Progettato per i trader che cercano precisione ed efficienza, questo indicatore ti aiuta a identificare con sicurezza le tendenze di mercato, i cambiamenti di momentum e i punti di entrata e uscita ottimali. Caratteristiche principali: Integrazione SuperTrend:   segui facilmente l'andame
LINEE DI TENDENZA PRO  Aiuta a capire dove il mercato sta realmente cambiando direzione. L'indicatore mostra reali inversioni di tendenza e punti in cui i principali operatori rientrano. Vedi   Linee BOS   Cambiamenti di tendenza e livelli chiave su timeframe più ampi, senza impostazioni complesse o rumore inutile. I segnali non vengono ridisegnati e rimangono sul grafico dopo la chiusura della barra. VERSIONE MT4   -   Svela il suo massimo potenziale se abbinato all'indicatore   RFI LEVELS PRO
Innanzitutto, vale la pena sottolineare che questo Strumento di Trading è un Indicatore Non-Ridipingente, Non-Ridisegnante e Non-Laggante, il che lo rende ideale per il trading professionale. Corso online, manuale utente e demo. L'Indicatore Smart Price Action Concepts è uno strumento molto potente sia per i nuovi che per i trader esperti. Racchiude più di 20 utili indicatori in uno solo, combinando idee di trading avanzate come l'Analisi del Trader del Circolo Interno e le Strategie di Tradin
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
Berma Bands
Muhammad Elbermawi
5 (8)
L'indicatore Berma Bands (BBs) è uno strumento prezioso per i trader che cercano di identificare e capitalizzare i trend di mercato. Analizzando la relazione tra il prezzo e le BBs, i trader possono discernere se un mercato è in una fase di trend o di range. Visita il [ Berma Home Blog ] per saperne di più. Le Berma Bands sono composte da tre linee distinte: la Upper Berma Band, la Middle Berma Band e la Lower Berma Band. Queste linee sono tracciate attorno al prezzo, creando una rappresentazion
Ogni giorno, molti trader affrontano una sfida comune: il prezzo sembra rompere un livello chiave, entrano in un'operazione, e poi il mercato si inverte, attivando il loro stop loss. Questo è noto come falsa rottura (false breakout) — un movimento di prezzo che supera brevemente un livello di supporto o resistenza prima di invertire la direzione. Questi movimenti possono causare l'attivazione degli stop loss prima che la direzione effettiva del prezzo diventi chiara. Nell'analisi tecnica, questo
L’indicatore evidenzia le zone in cui viene dichiarato interesse sul mercato , per poi mostrare la zona di accumulo degli ordini . Funziona come un book degli ordini su larga scala . Questo è l’indicatore per i grandi capitali . Le sue prestazioni sono eccezionali. Qualsiasi interesse ci sia nel mercato, lo vedrai chiaramente . (Questa è una versione completamente riscritta e automatizzata – non è più necessaria un’analisi manuale.) La velocità di transazione è un indicatore concettualmente nuo
Advanced Supply Demand MT5
Bernhard Schweigert
4.5 (14)
La migliore soluzione per qualsiasi principiante o trader esperto! Questo indicatore è uno strumento di trading unico, di alta qualità e conveniente perché abbiamo incorporato una serie di funzionalità proprietarie e una nuova formula. Con questo aggiornamento, sarai in grado di mostrare fusi orari doppi. Non solo potrai mostrare una TF più alta, ma anche entrambe, la TF del grafico, PIÙ la TF più alta: SHOWING NESTED ZONES. Tutti i trader di domanda di offerta lo adoreranno. :) Informazioni imp
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
TrendMaestro5
Stefano Frisetti
Attenzione alle truffe, questo indicatore e' distribuito esclusivamente su MQL5.com nota: questo indicatore e' per METATRADER5, se vuoi la versione per  METATRADER4 questo e' il link:   https://www.mql5.com/it/market/product/108106 TRENDMAESTRO ver 2.5 TRENDMAESTRO   riconosce un nuovo TREND sul nascere, non sbaglia mai. La sicurezza di identificare un nuovo TREND non ha prezzo. DESCRIZIONE TRENDMAESTRO identifica un nuovo TREND sul nascere, questo indicatore prende in esame la volatilita' i
PZ Divergence Trading MT5
PZ TRADING SLU
3.71 (7)
Unlock hidden profits: accurate divergence trading for all markets Tricky to find and scarce in frequency, divergences are one of the most reliable trading scenarios. This indicator finds and scans for regular and hidden divergences automatically using your favourite oscillator. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Easy to trade Finds regular and hidden divergences Supports many well known oscillators Implements trading signals based on breakouts Displays
Scalping Lines System MT5 - è un sistema di trading scalping specificamente progettato per il trading dell'oro, l'asset XAUUSD, su timeframe M1-H1. Combina indicatori per l'analisi di trend, volatilità e ipercomprato/ipervenduto, riuniti in un unico oscillatore per l'identificazione di segnali a breve termine. I principali parametri interni per le linee di segnale sono preconfigurati. Alcuni parametri possono essere modificati manualmente: "Durata dell'onda di tendenza", che regola la durata di
Trend Forecaster
Alexey Minkov
5 (7)
The Trend Forecaster indicator utilizes a unique proprietary algorithm to determine entry points for a breakout trading strategy. The indicator identifies price clusters, analyzes price movement near levels, and provides a signal when the price breaks through a level. The Trend Forecaster indicator is suitable for all financial assets, including currencies (Forex), metals, stocks, indices, and cryptocurrencies. You can also adjust the indicator to work on any time frames, although it is recommen
L'indicatore " Dynamic Scalper System MT5 " è progettato per il metodo di scalping, ovvero per il trading all'interno di onde di trend. Testato sulle principali coppie di valute e sull'oro, è compatibile con altri strumenti di trading. Fornisce segnali per l'apertura di posizioni a breve termine lungo il trend, con ulteriore supporto al movimento dei prezzi. Il principio dell'indicatore. Le frecce grandi determinano la direzione del trend. Un algoritmo per generare segnali per lo scalping sott
Matreshka
Dimitr Trifonov
5 (2)
Matreshka self-testing and self-optimizing indicator: 1. Is an interpretation of the Elliott Wave Analysis Theory. 2. Based on the principle of the indicator type ZigZag, and the waves are based on the principle of interpretation of the theory of DeMark. 3. Filters waves in length and height. 4. Draws up to six levels of ZigZag at the same time, tracking waves of different orders. 5. Marks Pulsed and Recoil Waves. 6. Draws arrows to open positions 7. Draws three channels. 8. Notes support and re
Gartley Hunter Multi
Siarhei Vashchylka
5 (11)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. All fou
RelicusRoad Pro: Sistema Operativo Quantitativo di Mercato 70% DI SCONTO ACCESSO A VITA (TEMPO LIMITATO) - UNISCITI A 2.000+ TRADER Perché la maggior parte dei trader fallisce anche con indicatori "perfetti"? Perché operano su Singoli Concetti isolati. Un segnale senza contesto è una scommessa. Per vincere serve CONFLUENZA . RelicusRoad Pro non è un semplice indicatore. È un Ecosistema Quantitativo completo . Mappa la "Fair Value Road", distinguendo tra rumore e rotture strutturali. Smetti di in
Allows multiple indicators to be combined into a single indicator, both visually and in terms of an alert. Indicators can include standard indicators, e.g. RSI, CCI, etc., and also Custom Indicators, even those purchased through Market, or where just have the ex4 file. An early alert is provided, say when 4 out 5 indicators have lined up, and a confirmed alert when all are in agreement. A‌lso features a statistics panel reporting the success of the combined indicator by examining the current cha
Btmm state engine pro
Garry James Goodchild
BTMM State Engine Pro — the   all-in-one Banks   & Institutions Market Maker indicator for Meta Trader 5. Built for   BTMM traders who follow the Asian   session breakout methodology with Kill Zone timing , level stacking, peak formation detection , and multi-pair scanning — all   from a single chart. Combines   a full BTMM State Engine   with a built-in multi-pair Scanner dashboard, eliminating the need to flip between charts or run multiple indicators. WHAT IT DOES Automatically detec
UZFX {SSS} Scalping Smart Signals MT5 è un indicatore di trading ad alte prestazioni non ridipinto progettato per scalper, day trader e swing trader che richiedono segnali accurati e in tempo reale in mercati in rapida evoluzione. Sviluppato da (UZFX-LABS), questo indicatore combina l'analisi dell'andamento dei prezzi, la conferma del trend e il filtraggio intelligente per generare segnali di acquisto e vendita ad alta probabilità su tutte le coppie di valute e tutti i timeframe. Caratteristich
Perfect Entry Indicator MT5
CARLOS ALBERTO VALLOGGIA
DETECT THE TREND AND THE BEST PRICE TO ENTER A TRADE Trend Detection for perfect entry - Distinguish the direction of thetrend and its strength, showing a line of different colors depending on whether the trend is strong bullish, weak bullish, strong bearish or weak bearish.- Best Entry point for perfect entry - Shows an area with the best entry in favor of trend. Never trade against the trend again. Entry signals and alerts - When the price is in a valid zone, it sends pop up alerts, telephon
Bill Williams Advanced
Siarhei Vashchylka
5 (10)
Bill Williams Advanced is designed for automatic chart analysis using Bill Williams' "Profitunity" system. The indicator analyzes four timeframes at once. Manual (Be sure to read before purchasing) Advantages 1. Analyzes the chart using Bill Williams' "Profitunity" system. Signals are displayed in a table in the corner of the screen and on the price chart. 2. Finds all known AO and AC signals, as well as zone signals. Equipped with a trend filter based on the Alligator. 3. Finds "Divergence Bar
Ultimate SMC Indicator
Hicham Mahmoud Almoustafa
ULTIMATE SMC INDICATOR — PRO EDITION     Trade Like Institutional Traders Are you tired of losing trades because you don't  know WHERE the big money is positioned? The Ultimate SMC Indicator reveals the hidden  footprints of banks and institutions directly on  your chart — giving you the edge that professional  traders use every day. WHAT IS SMC
Introduction to X3 Chart Pattern Scanner X3 Cherart Pattern Scanner is the non-repainting and non-lagging indicator detecting X3 chart patterns including Harmonic pattern, Elliott Wave pattern, X3 patterns, and Japanese Candlestick patterns. Historical patterns match with signal patterns. Hence, you can readily develop the solid trading strategy in your chart. More importantly, this superb pattern scanner can detect the optimal pattern of its kind. In addition, you can switch on and off individu
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
Altri dall’autore
Volatility Regime ZScore Indicator Volatility Regime ZScore is a professional volatility–regime indicator designed to  classify the market into volatility regimes : low risk (calm market), normal conditions, high risk (unstable / news / breakout environments). This indicator answers a very specific question: “Is the market currently calm, normal, or unusually risky?” It does NOT predict price direction, trends, or entry points by itself. Instead, it acts as a risk and regime filter , not signa
Filtro:
Nessuna recensione
Rispondi alla recensione