Composite MA

Composite MA Indicator - Comprehensive Guide

Description:
The Composite MA indicator is a sophisticated multi-timeframe trend analysis tool that calculates the average value of multiple moving averages across a user-defined period range. It provides comprehensive market trend visualization through both a color-coded composite moving average line on the chart and an Excel-style panel displaying trend direction across 21 different timeframes. The indicator uses canvas technology for smooth GUI rendering and offers real-time multi-timeframe trend analysis.

Usefulness:
This indicator is exceptionally valuable for traders seeking comprehensive market context across multiple timeframes. It helps identify trend direction, strength, and consistency across various trading horizons from minutes to monthly charts. The composite approach smooths out noise from individual MAs, providing more reliable trend signals. The visual panel allows quick assessment of market sentiment alignment, enabling better entry/exit timing and confirmation of trend reversals.

Logical Concept:
The core logic involves calculating multiple moving averages (from PeriodFrom to PeriodTo) and computing their average value to create a composite MA. This composite line changes color based on trend direction (blue for uptrend, red for downtrend). For multi-timeframe analysis, the indicator calculates separate composite MAs for each enabled timeframe and compares current vs previous values to determine trend direction. The unique arrow system shows both composite MA direction and price position relative to the composite MA.

Trend Detection Methodology:

  • Single Timeframe Trend: Compare current composite MA value with previous value. Rising values indicate uptrend (blue), falling values indicate downtrend (red)

  • Multi-Timeframe Alignment: Analyze trend consistency across timeframes. Strong trends show uniform direction across multiple timeframes

  • Trend Strength Assessment: Count how many timeframes align in direction. More aligned timeframes indicate stronger trend momentum

  • Reversal Detection: Watch for changes in arrow colors and directions across multiple timeframes simultaneously

Using the Indicator for Trend and Index Movements:

  1. Primary Trend Identification: Use the main chart composite MA line for current timeframe trend direction

  2. Multi-Timeframe Confirmation: Check the panel for alignment - optimal entries occur when multiple timeframes show same direction

  3. Trend Strength Measurement: Count "Up" or "Down" statuses across timeframes - more consistent signals indicate stronger trends

  4. Divergence Detection: Look for disagreement between timeframes (e.g., H1 up but M15 down) suggesting potential reversals

  5. Support/Resistance Levels: Use composite MA values from higher timeframes as dynamic support/resistance

  6. ▲ and ▼ arrows indicate position of index price related to Composite MA price for corresponding timeframe

Basic MQL5 EA Integration Code:

//+------------------------------------------------------------------+
//|                      Composite MA EA Sample                      |
//+------------------------------------------------------------------+
#property copyright "2025"
#property version   "1.00"
#property description "EA using Composite MA Indicator"

//--- Input parameters
input group "=== Composite MA Settings ==="
input int                 MA_PeriodFrom = 1;           // MA Starting Period
input int                 MA_PeriodTo = 100;           // MA Ending Period  
input int                 MA_Shift = 0;                // MA Shift
input ENUM_MA_METHOD      MA_Method = MODE_SMA;        // MA Method
input ENUM_APPLIED_PRICE  MA_Price = PRICE_CLOSE;      // MA Applied Price
input ENUM_TIMEFRAMES     MA_Timeframe = PERIOD_CURRENT; // MA Timeframe

input group "=== Trading Settings ==="
input double              LotSize = 0.1;               // Lot Size
input int                 MagicNumber = 12345;         // Magic Number
input int                 Slippage = 3;                // Slippage

//--- Global variables
int composite_ma_handle;  // Handle for the Composite MA indicator

//+------------------------------------------------------------------+
//| Expert initialization function                                   |
//+------------------------------------------------------------------+
int OnInit()
{
   //--- Create Composite MA indicator handle
   composite_ma_handle = iCustom(_Symbol, _Period, "Composite MA.ex5", 
                                 true,      // Trendline_ON
                                 MA_PeriodFrom,
                                 MA_PeriodTo,
                                 MA_Shift,
                                 MA_Method,
                                 MA_Price,
                                 MA_Timeframe,
                                 200,       // DisplayBars
                                 false,     // Panel_ON - turn off panel in EA
                                 false, false, false, false, false, false, false, false, false, false, // All M timeframe panels off
                                 false, false, false, false, false, false, false, false, // All H timeframe panels off  
                                 false, false, false, // D1, W1, MN1 panels off
                                 clrDodgerBlue, clrRed, clrGray, clrBrown // Colors
                                );
   
   if(composite_ma_handle == INVALID_HANDLE)
   {
      Print("Error creating Composite MA indicator handle: ", GetLastError());
      return INIT_FAILED;
   }
   
   Print("Composite MA indicator loaded successfully");
   return INIT_SUCCEEDED;
}

//+------------------------------------------------------------------+
//| Expert tick function                                             |
//+------------------------------------------------------------------+
void OnTick()
{
   //--- Check if we have enough bars
   if(Bars(_Symbol, _Period) < 100) return;
   
   //--- Get Composite MA values
   double ma_current = GetCompositeMAValue(0);   // Current bar
   double ma_previous = GetCompositeMAValue(1);  // Previous bar
   
   if(ma_current == 0 || ma_previous == 0) return;
   
   //--- Get current price
   double current_price = SymbolInfoDouble(_Symbol, SYMBOL_ASK);
   
   //--- Trading logic
   bool buy_signal = ma_current > ma_previous && current_price > ma_current;
   bool sell_signal = ma_current < ma_previous && current_price < ma_current;
   
   //--- Check for existing positions
   bool has_buy = PositionExists(POSITION_TYPE_BUY);
   bool has_sell = PositionExists(POSITION_TYPE_SELL);
   
   //--- Execute trading signals
   if(buy_signal && !has_buy)
   {
      if(has_sell) ClosePosition(POSITION_TYPE_SELL);
      OpenPosition(POSITION_TYPE_BUY);
   }
   else if(sell_signal && !has_sell)
   {
      if(has_buy) ClosePosition(POSITION_TYPE_BUY);
      OpenPosition(POSITION_TYPE_SELL);
   }
}

//+------------------------------------------------------------------+
//| Get Composite MA value from indicator buffer                    |
//+------------------------------------------------------------------+
double GetCompositeMAValue(int shift)
{
   double ma_value[1];
   ArraySetAsSeries(ma_value, true);
   
   if(CopyBuffer(composite_ma_handle, 0, shift, 1, ma_value) < 1)
   {
      Print("Error copying Composite MA buffer: ", GetLastError());
      return 0;
   }
   
   return ma_value[0];
}

//+------------------------------------------------------------------+
//| Check if position exists                                        |
//+------------------------------------------------------------------+
bool PositionExists(ENUM_POSITION_TYPE type)
{
   for(int i = 0; i < PositionsTotal(); i++)
   {
      if(PositionGetSymbol(i) == _Symbol && PositionGetInteger(POSITION_MAGIC) == MagicNumber)
      {
         if(PositionGetInteger(POSITION_TYPE) == type)
            return true;
      }
   }
   return false;
}

//+------------------------------------------------------------------+
//| Open position                                                   |
//+------------------------------------------------------------------+
void OpenPosition(ENUM_POSITION_TYPE type)
{
   MqlTradeRequest request = {0};
   MqlTradeResult result = {0};
   
   request.action = TRADE_ACTION_DEAL;
   request.symbol = _Symbol;
   request.volume = LotSize;
   request.magic = MagicNumber;
   request.slippage = Slippage;
   
   if(type == POSITION_TYPE_BUY)
   {
      request.type = ORDER_TYPE_BUY;
      request.price = SymbolInfoDouble(_Symbol, SYMBOL_ASK);
   }
   else
   {
      request.type = ORDER_TYPE_SELL;
      request.price = SymbolInfoDouble(_Symbol, SYMBOL_BID);
   }
   
   if(!OrderSend(request, result))
   {
      Print("Error opening position: ", GetLastError());
   }
}

//+------------------------------------------------------------------+
//| Close position                                                  |
//+------------------------------------------------------------------+
void ClosePosition(ENUM_POSITION_TYPE type)
{
   for(int i = 0; i < PositionsTotal(); i++)
   {
      if(PositionGetSymbol(i) == _Symbol && PositionGetInteger(POSITION_MAGIC) == MagicNumber)
      {
         if(PositionGetInteger(POSITION_TYPE) == type)
         {
            MqlTradeRequest request = {0};
            MqlTradeResult result = {0};
            
            request.action = TRADE_ACTION_DEAL;
            request.symbol = _Symbol;
            request.volume = PositionGetDouble(POSITION_VOLUME);
            request.magic = MagicNumber;
            
            if(type == POSITION_TYPE_BUY)
            {
               request.type = ORDER_TYPE_SELL;
               request.price = SymbolInfoDouble(_Symbol, SYMBOL_BID);
            }
            else
            {
               request.type = ORDER_TYPE_BUY;
               request.price = SymbolInfoDouble(_Symbol, SYMBOL_ASK);
            }
            
            if(!OrderSend(request, result))
            {
               Print("Error closing position: ", GetLastError());
            }
            break;
         }
      }
   }
}

//+------------------------------------------------------------------+
//| Expert deinitialization function                                |
//+------------------------------------------------------------------+
void OnDeinit(const int reason)
{
   if(composite_ma_handle != INVALID_HANDLE)
   {
      IndicatorRelease(composite_ma_handle);
      Print("Composite MA indicator handle released");
   }
}
//+------------------------------------------------------------------+

Important Notes for EA Developers:

  1. Only visible timeframes have valid data - check the input parameters to see which timeframes are enabled

  2. Status values interpretation:

    • 1.0  = Up trend

    • -1.0  = Down trend

    • 0.0  = Flat

    • -2.0  = Not available/not calculated

  3. Price buffers contain the actual composite MA value for that specific timeframe

  4. The indicator only calculates for the last  DisplayBars  bars, so copying historical data beyond that range may return zeros.

Key Buffer Mapping for EA Developers:

  • Buffer 0: CompositeMABuffer - Main composite MA values

  • Buffer 1: ColorBuffer - Color index (0=Blue/Up, 1=Red/Down)

  • Buffers 2-22: Timeframe status buffers (M1 to MN1) - Values: 1=Up, -1=Down, 0=Flat, -2=N/A

  • Buffers 23-43: Timeframe price buffers - Composite MA values for each timeframe

This indicator provides robust multi-timeframe trend analysis that EA developers can leverage for sophisticated trading decision systems.

Prodotti consigliati
RBreaker
Zhong Long Wu
RBreaker Gold Indicators is a short-term intraday trading strategy for gold futures that combines trend following and intraday reversal approaches. It not only captures profits during trending markets but also enables timely profit-taking and counter-trend trading during market reversals. This strategy has been ranked among the top ten most profitable trading strategies by the American magazine   Futures Truth   for 15 consecutive years. It boasts a long lifecycle and remains widely used and st
Owl Smart Levels MT5
Sergey Ermolov
4.03 (32)
Versione MT4  |  FAQ L' indicatore Owl Smart Levels è un sistema di trading completo all'interno dell'unico indicatore che include strumenti di analisi di mercato popolari come i frattali avanzati di Bill Williams , Valable ZigZag che costruisce la corretta struttura a onde del mercato, e i livelli di Fibonacci che segnano i livelli esatti di entrata nel mercato e luoghi per prendere profitti. Descrizione dettagliata della strategia Istruzioni per lavorare con l'indicatore Consulente-assistente
Price Magnet — Price Density and Attraction Levels Indicator Price Magnet is a professional analytical tool designed to identify key support and resistance levels based on statistical Price Density. The indicator analyzes a specified historical period and detects price levels where the market spent the most time. These zones act as “magnets,” attracting price action or forming a structural base for potential reversals. Unlike traditional Volume Profile tools, Price Magnet focuses on price-time d
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
Donchian Channel DC is the indicator of Donchian Channels, that plots maximum and minimum values of a specific period, besides mean value line. It´s possible to configure simple period for analysis and the indicator will plot all three values. You can trade with this indicator as trend or reversal, according to each strategy. Do not let to test others indicators as soon as others expert advisors.
Statistical Arbitrage Spread Generator for Cointegration [MT5] What is Pair Trading? Pair trading is a market-neutral strategy that looks to exploit the relative price movement between two correlated assets — instead of betting on the direction of the market. The idea? When two assets that usually move together diverge beyond a statistically significant threshold, one is likely mispriced. You sell the expensive one, buy the cheap one , and profit when they converge again. It’s a statistica
FREE
STRICTLY FOR BOOM INDEX ONLY!!!!! Here I bring the Maximum Trend Arrows OT1.0 MT5 indicator. This indicator is made up of a combination of different trend indicators for entries and exits, for entries an orange arrow will paint on the chart below the current market and a red flag for closing of trades and it produces buy arrows only. When the orange arrow appears, it will appear along with it's sound to notify you. The 1H timeframe is recommended, don't use it anywhere else than on the 1H timefr
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
Renko System
Marco Montemari
This indicator can be considered as a trading system. It offers a different view to see the currency pair: full timeless indicator, can be used for manual trading or for automatized trading with some expert advisor. When the price reaches a threshold a new block is created according to the set mode. The indicator beside the Renko bars, shows also 3 moving averages. Features renko mode median renko custom median renko 3 moving averages wicks datetime indicator for each block custom notification
Indicatore Crypto_Forex "Hammer and Shooting Star Pattern" per MT5, senza ridisegnazione, senza ritardo. - L'indicatore "Hammer and Shooting Star Pattern" è un indicatore molto potente per il trading basato sulla Price Action. - L'indicatore rileva pattern Hammer rialzisti e Shooting Star ribassisti sul grafico: - Bullish Hammer - Segnale freccia blu sul grafico (vedi immagini). - Bearish Shooting Star - Segnale freccia rossa sul grafico (vedi immagini). - Con avvisi su PC, dispositivi mobili
CosmiCLab SMC FIBO CosmiCLab SMC FIBO is a professional trading indicator designed for traders who use Smart Money Concepts (SMC), market structure analysis and Fibonacci retracement levels. The indicator automatically detects market swings and builds Fibonacci levels based on the latest impulse movement. It also identifies market structure changes such as BOS (Break of Structure) and CHOCH (Change of Character), helping traders understand the current market direction. CosmiCLab SMC FIBO also pr
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
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
This indicator is a zero-lag indicator and displays  strength of trend change . True Trend  Oscillator Pro works best in combination with True Trend Moving Average Pro that displays exact trend as is. Oscillator value is exact price change in given direction of the trend. True Trend Moving Average Pro: https://www.mql5.com/en/market/product/103586 If you set PERIOD input parameter to 1 this indicator becomes a sharpshooter for binary options. Developers can use True Trend Oscillator in Exper
FREE
# DRAWDOWN INDICATOR V4.0 - The Essential Tool to Master Your Trading ## Transform Your Trading with a Complete Real-Time Performance Overview In the demanding world of Forex and CFD trading, **knowing your real-time performance** isn't a luxury—it's an **absolute necessity**. The **Drawdown Indicator V4.0** is much more than a simple indicator: it's your **professional dashboard** that gives you a clear, precise, and instant view of your trading account status. --- ## Why This Indicator
Gioteen Volatility Index (GVI) - your ultimate solution to overcoming market unpredictability and maximizing trading opportunities. This revolutionary indicator helps you in lowering your losing trades due to choppy market movements. The GVI is designed to measure market volatility, providing you with valuable insights to identify the most favorable trading prospects. Its intuitive interface consists of a dynamic red line representing the volatility index, accompanied by blue line that indicate
MercariaPattern1-2-3 відстежує рух ціни, знаходить трьоххвильові структури 1-2-3 та підсвічує момент, коли сценарій підтверджується пробоєм ключового рівня. MercariaPattern1-2-3 tracks price movement, detects three-leg 1-2-3 structures and highlights the moment when the scenario is confirmed by a key level breakout. Індикатор збирає локальні свінги в компактну фігуру 0–1–2–3 , чекає підтвердженого пробою та будує стрілку входу з готовими рівнями SL/TP. The indicator combines local swings into a
BlueBoat – Prime Cycle is a technical indicator for MetaTrader 5 that visualizes market cycles based on the Fimathe cycle model (Marcelo Ferreira) . It identifies and displays historic and live cycle structures such as CA, C1, C2, C3, etc., helping traders understand the rhythm and timing of price movement across multiple sessions. This tool is ideal for manual analysis or as a supporting signal in discretionary strategies. Key Features Historical Cycle Analysis – Backtest and visualize as many
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker, but in real time only, without access to its history. The indicator OrderBook Cumulative Indicator accumulates market book data online and visualizes them on the chart. In addition, the indicator can show the market
Half ma
Artem Svistunov
The Half ma arrow indicator for the MetaTrader 5 trading terminal is a simple but effective tool that gives a signal about a change in the current trend. The Half ma indicator looks like a solid dynamic line that changes color at the points where the trend changes. At these points, the indicator draws arrows of the corresponding color and direction.The Half ma arrow indicator for the MT5 terminal is not an independent source of input signals. It will be most effective to use it as a trend filte
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
Weis Wave Scouter
Jean Carlos Martins Roso
Scopri la potenza dell'analisi avanzata del volume con Weis Wave Scouter, un indicatore rivoluzionario per MetaTrader 5 che combina i principi comprovati del metodo Wyckoff e dell'analisi VSA (Volume Spread Analysis). Progettato per trader che cercano precisione e profondità nelle loro operazioni, questo indicatore offre una lettura tattica del mercato attraverso l'analisi delle onde di volume cumulativo, aiutando a individuare punti chiave di inversione e continuazione di tendenza. Weis Wave Sc
Trade smarter, not harder: Empower your trading with Harmonacci Patterns This is arguably the most complete harmonic price formation auto-recognition indicator you can find for the MetaTrader Platform. It detects 19 different patterns, takes fibonacci projections as seriously as you do, displays the Potential Reversal Zone (PRZ) and finds suitable stop-loss and take-profit levels. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] It detects 19 different harmonic pri
Il livello Premium è un indicatore unico con una precisione superiore all'80% delle previsioni corrette! Questo indicatore è stato testato dai migliori Specialisti di Trading per più di due mesi! L'indicatore dell'autore che non troverai da nessun'altra parte! Dagli screenshot puoi vedere di persona la precisione di questo strumento! 1 è ottimo per il trading di opzioni binarie con un tempo di scadenza di 1 candela. 2 funziona su tutte le coppie di valute, azioni, materie prime, criptovalu
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
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
FlatBreakout MT5
Aleksei Vorontsov
FlatBreakout MT5 (Free Version) Flat Range Detector and Breakout Panel for MT5 — GBPUSD Only FlatBreakout MT5   is the free version of the professional FlatBreakoutPro MT5 indicator, specially designed for flat (range) detection and breakout signals on the   GBPUSD   pair only. Perfect for traders who want to experience the unique fractal logic of FlatBreakout MT5 and test breakout signals on a live market without limitations. Who Is This Product For? For traders who prefer to trade breakout of
FREE
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
Divergent Stochastic Filter II Catch Reversals Early, Filter Noise, Trade with Confidence The Edge: Why This Stochastic is Different  Every trader knows the Stochastic oscillator. But knowing when to trust its signals, that's the real challenge. The Divergent Stochastic Filter II transforms this classic indicator into a precision reversal detection system by adding critical elements: divergence intelligence, signal filtering and exhaustion detection.  While standard Stochastic oscillators fire s
MACD Enhanced
Nikita Berdnikov
5 (3)
Introducing the MACD  Enhanced – an advanced MACD (Moving Average Convergence Divergence) indicator that provides traders with extended capabilities for trend and momentum analysis in financial markets. The indicator uses the difference between the fast and slow exponential moving averages to determine momentum, direction, and strength of the trend, creating clear visual signals for potential entry and exit points. Attention! To achieve the best results, it is recommended to adapt the indicator
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
Trend Screener Pro MT5
STE S.S.COMPANY
4.84 (101)
Indicatore di tendenza, soluzione unica rivoluzionaria per il trading di tendenze e il filtraggio con tutte le importanti funzionalità di tendenza integrate in un unico strumento! È un indicatore multi-timeframe e multi-valuta al 100% non ridipingibile che può essere utilizzato su tutti i simboli/strumenti: forex, materie prime, criptovalute, indici e azioni. Trend Screener è un indicatore di tendenza che segue un indicatore efficiente che fornisce segnali di tendenza a freccia con punti nel gra
Grabber System MT5
Ihor Otkydach
4.83 (23)
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
AriX
Temirlan Kdyrkhan
1 (4)
AriX Indicator for MT5 A powerful trend-following and signal-evaluation tool AriX is a custom MT5 indicator that combines Moving Averages and ATR-based risk/reward logic to generate clear buy/sell signals. It visualizes dynamic SL/TP levels, evaluates past trade outcomes, and displays win/loss statistics in a clean on-chart panel. Key features include: Buy/Sell signals based on MA crossovers ATR-based SL/TP1/TP2/TP3 levels with visual lines and labels Signal outcome tracking with real-time stat
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
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
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
Presentazione       Quantum Breakout PRO   , l'innovativo indicatore MQL5 che sta trasformando il modo in cui scambi le zone di breakout! Sviluppato da un team di trader esperti con un'esperienza di trading di oltre 13 anni,       Quantum Breakout PRO       è progettato per spingere il tuo viaggio di trading a nuovi livelli con la sua strategia innovativa e dinamica della zona di breakout. Quantum Breakout Indicator ti fornirà frecce di segnalazione sulle zone di breakout con 5 zone target di
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
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
Quantum TrendPulse
Bogdan Ion Puscasu
5 (22)
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
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
Btmm state engine pro
Garry James Goodchild
5 (2)
Get the user guide here  https://g-labs.software/guides/BTMM_State_Engine_Welcome_Pack.html 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
Easy SMC Trading
Israr Hussain Shah
4 (1)
Structure Trend con Auto RR e Scanner BOS Versione: 1.0 Panoramica Structure Trend con Auto RR è un sistema di trading completo progettato per i trader che si affidano all'azione del prezzo e alla struttura del mercato. Combina un filtro di tendenza levigato con il rilevamento dei punti swing e i segnali di rottura della struttura (BOS) per generare configurazioni di trading ad alta probabilità. La caratteristica distintiva di questo strumento è la gestione automatica del rischio. Al rilevame
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
Meta Cipher B
SILICON HALLWAY PTY LTD
Meta Cipher B: la suite di oscillatori tutto-in-uno per MT5 Meta Cipher B porta il popolare concetto di Market Cipher B su MetaTrader 5, ottimizzato per velocità e precisione. Progettato da zero per offrire prestazioni elevate, fornisce segnali di livello professionale senza ritardi o rallentamenti. Sebbene sia potente anche da solo, Meta Cipher B è stato creato per combinarsi naturalmente con Meta Cipher A , offrendo una visione completa del mercato e una conferma più profonda delle analisi. C
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
TPSpro RFI Levels MT5
Roman Podpora
4.53 (19)
ISTRUZIONI RUS  /  ISTRUZIONI   ENG  /  Versione MT4 Funzioni principali: Visualizza le zone attive di venditori e acquirenti! L'indicatore mostra tutti i livelli/zone di primo impulso corretti per acquisti e vendite. Quando questi livelli/zone vengono attivati, ovvero dove inizia la ricerca dei punti di ingresso, i livelli cambiano colore e vengono riempiti con colori specifici. Vengono visualizzate anche delle frecce per una percezione più intuitiva della situazione. LOGIC AI - Visualizzazion
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals strictly at the close of a candle! TPA shows entries and re-entries, every time the bulls are definitely stronger than the bears and vice versa. Not to confuse with red/green candles. The shift of power gets confirmed at the earliest stage and is ONE exit strategy of several. There are available now two free parts of the TPA User Guide for our customers. The first "The Basics"
Gem SIGNAL
Shengzu Zhong
GEM Signal Pro - Indicatore di Trading Professionale Ingressi di precisione. Zero repaint. Una decisione alla volta. GEM Signal Pro è un indicatore professionale trend-following sviluppato per MetaTrader 4 e MetaTrader 5. È progettato per i trader che richiedono segnali puliti e realmente utilizzabili, senza il rumore, il ritardo o le false promesse che affliggono la maggior parte degli indicatori retail. Ogni segnale viene valutato attraverso un motore proprietario di conferma multilivello. Cos
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
Order Block Pro MT5
N'da Lemissa Kouame
Order Block Pro (MQL5) – Versione 1.0 Autore: KOUAME N'DA LEMISSA Piattaforma: MetaTrader 5 Descrizione: Order Block Pro è un indicatore avanzato progettato per rilevare automaticamente Order Block rialzisti e ribassisti sul tuo grafico. Analizzando candele di consolidamento seguite da candele impulsive forti, l’indicatore evidenzia le aree chiave dove il prezzo è destinato a muoversi rapidamente. Ideale per trader che vogliono: Identificare punti di ingresso e uscita precisi. Rilevare zone din
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
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
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
Ultimate SMC Indicator
Hicham Mahmoud Almoustafa
1 (1)
Ultimate SMC PRO – Smart Money Concepts Indicator (Order Blocks, FVG, Liquidity, BOS) for MetaTrader 5   After purchasing the product, you will receive an additional copy for free. Just contact me after your purchase. Ultimate SMC PRO is a professional trading indicator designed to visualize Smart Money Concepts directly on the chart. The indicator combines several institutional trading tools in one system to help traders identify potential high-probability trading zones. ULTIMATE SMC INDICATO
FootprintOrderflow
Jingfeng Luo
5 (3)
FOOTPRINTORDERFLOW: The Authoritative Guide ( This indicator is also compatible with economic providers that do not offer DOM data and BID/ASK data, It also supports various foreign exchange transactions, DEMO version,modleling must choose " Every tick based on real ticks"  ) Important notice: Before placing an order, please contact me first, and I will provide you with professional answers and services 1. Overview FOOTPRINTORDERFLOW  is an advanced Order Flow analysis tool designed for MetaTra
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
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
Pointer Trend Switch — precision trend reversal indicator Pointer Trend Switch is a high-precision arrow indicator designed to detect key moments of trend reversal based on asymmetric price behavior within a selected range of bars. It identifies localized price impulses by analyzing how far price deviates from the opening level, helping traders find accurate entry points before a trend visibly shifts. This indicator is ideal for scalping, intraday strategies, and swing trading, and performs equa
Altri dall’autore
Trend Signals Pro
Pavel Golovko
4.75 (12)
Simplify your trading experience with Trend Signals Professional indicator. Easy trend recognition. Precise market enter and exit signals. Bollinger Bands trend confirmation support. ATR-based trend confirmation support. (By default this option is OFF to keep interface clean. You can turn it ON in indicator settings.) Easy to spot flat market conditions with  ATR-based trend confirmation  lines. Highly customizable settings. Fast and responsive. Note: Do not confuse ATR-based trend confirmation
FREE
Harmonica Basic
Pavel Golovko
4.67 (3)
Harmonica Basic is a free expert advisor that opens a mesh of positions. It does not close any positions, and its up to you to manually close profitable positions at your desire. There are no options to configure. Distance between positions is automatically set based on market conditions. The higher the timeframe - the wider the distance between positions.
FREE
This indicator is a zero-lag indicator and displays  strength of trend change . True Trend  Oscillator Pro works best in combination with True Trend Moving Average Pro that displays exact trend as is. Oscillator value is exact price change in given direction of the trend. True Trend Moving Average Pro: https://www.mql5.com/en/market/product/103586 If you set PERIOD input parameter to 1 this indicator becomes a sharpshooter for binary options. Developers can use True Trend Oscillator in Exper
FREE
A professional fully customizable pull back strategy expert advisor with optional Martingale features. Opens and closes orders above and below moving average based on your settings. Successfully tested on all major Forex pairs, Commodities, Volatility Indexes, Synthetic Indexes. This Expert Advisor can work with pretty much any index available on MT5 platform. Works good on any time frame, but I'd suggest to run it on H1. I've tried to keep Expert Advisor settings as simple as possible to mini
FREE
One of the best trend indicators available to the public. Trend is your friend. Works on any pair, index, commodities, and cryptocurrency Correct trend lines Multiple confirmation lines Bollinger Bands trend confirmation Trend reversal prediction Trailing stop loss lines Scalping mini trends Signals Alerts and Notifications Highly flexible Easy settings Let me know in the reviews section what you think about it and if there are any features missing. Tips: Your confirmation line will predict tre
FREE
This indicator is a zero-lag indicator and displays exact trend as is. True Trend Moving Average Pro works best in combination with  True Trend Oscillator Pro that displays strength of trend change. True Trend Oscillator Pro: https://www.mql5.com/en/market/product/103589 If you set PERIOD input parameter to 1 this indicator becomes a sharpshooter for binary options. Default input parameters: TT_Period = 10; TT_Meth = MODE_SMA; TT_Price = PRICE_MEDIAN; Before you buy this product, please do t
FREE
During volatile market conditions brokers tend to increase spread. int OnCalculate ( const int rates_total,                  const int prev_calculated,                  const datetime &time[],                  const double &open[],                  const double &high[],                  const double &low[],                  const double &close[],                  const long &tick_volume[],                  const long &volume[],                  const int &spread[])   {    int spread_array[];   
FREE
CCI swing scalper
Pavel Golovko
5 (1)
Check out the new pull back strategy Expert Advisor that I'm working on right now. Get it while it's still free! https://www.mql5.com/en/market/product/97610 Before you buy this expert adviser I strongly recommend to download FREE DEMO and test it in your Strategy tester few times. When you are satisfied with the results, you can come back to this page to buy full version for your real account. This expert adviser was designed specifically for Volatility 75 index ( VIX75 ), also shows outst
Filtro:
Nessuna recensione
Rispondi alla recensione