RC Soldiers and Crows MT5

5

This indicator accurately identifies and informs market reversals and continuation patterns by analyzing and signaling the Three White Soldiers / Three Black Crows pattern. It also offers a "real-time backtesting" panel in the indicator itself in a way that every change made on the indicator parameters will immediately show the user how many signals are occurred, how many take profits and stop losses were hit and, by having these informations, the Win Rate and the Profit Factor of the setup based on the parameters defined by the user.

  • User-friendly interface and multi-asset compatibility
  • Fully customizable parameters and colors
  • Clean panel with real-time backtesting and statistics informations
  • Offers many different traditional indicators to filter the signals (Moving Average, Bollinger Bands, Parabolic Sars, ADX and RSI), allowing them to be used together within the indicator itself to optimize the best signals suitable for the user's strategy and knowledge
  • Time hours filter, so that the user can backtest and have signals only within the time range compatible to his trading routine
  • Displays Take Profit and Stop Loss levels defined by the user based on: a) Fixed points, b) Pivot levels or c) x candles before the signal
  • Switch on/off Alerts and App Notifications when new signals occur
  • Does not repaint
  • Can be easily convert its signals into an Expert Advisor. Full support granted.

FOR MT4 VERSION: CLICK HERE 

//+-------------------------------------------------------------------------+
//|                                  	     RC_Soldiers_Crows_EA_Sample.mq5|
//|                                          Copyright 2024, Francisco Rayol|
//|                                                https://www.rayolcode.com|
//+-------------------------------------------------------------------------+
#property description "RC_Soldiers_Crows_EA_Sample"
#property version   "1.00"
#property strict
#property script_show_inputs

#include <Trade\Trade.mqh>
#include <Trade\PositionInfo.mqh>

CTrade         Ctrade;
CPositionInfo  Cposition;

enum en_options
  {
   Yes = 0,             // Yes
   No = 1,              // No
  };

enum tp_type
  {
   Fixed_tp = 0,        // Fixed Take Profit
   Indicator_tp = 1,    // Take Profit from indicator
  };

enum sl_type
  {
   Fixed_sl = 0,        // Fixed Stop Loss
   Indicator_sl = 1,    // Stop Loss from indicator
  };

//--- input parameters
input int              inMagic_Number = 18272;          // Magic number
//----
input double           inLot_Size = 0.01;               // Initial lot size
//----
input tp_type          inTP_Type = 0;                   // Choose Take Profit method
input double           inTake_Profit = 150.0;           // Fixed Take Profit (in points)
input sl_type          inSL_Type = 0;                   // Choose Stop Loss method
input double           inStop_Loss = 100.0;             // Fixed Stop Loss (in points)
//----
//+------------------------------------------------------------------+
//|                                                                  |
//+------------------------------------------------------------------+
//--- signal handles
int   handle_rc_soldiers_crows;
//--- signal arrays
double RC_Buy_Signal[], RC_Sell_Signal[], RC_Take_Profit[], RC_Stop_Loss[];
//--- global variables
int   initial_bar;

//+------------------------------------------------------------------+
//| Expert initialization function                                   |
//+------------------------------------------------------------------+
int OnInit()
  {
//---
   initial_bar = iBars(_Symbol,_Period);
//---
//--- RC Soldiers and Crows indicator handle
   handle_rc_soldiers_crows = iCustom(_Symbol, PERIOD_CURRENT, "\\Indicators\\Market\\RC_Soldiers_Crows.ex5");
   if(handle_rc_soldiers_crows == INVALID_HANDLE)
     {
      Print("Error getting information from \"RC_Soldiers_Crows\" indicator, check input parameters and try again");
      Alert("Error getting information from \"RC_Soldiers_Crows\" indicator, check input parameters and try again");
      return(INIT_FAILED);
     }
//---
   ArraySetAsSeries(RC_Buy_Signal, true);
   ArraySetAsSeries(RC_Sell_Signal, true);
   ArraySetAsSeries(RC_Take_Profit, true);
   ArraySetAsSeries(RC_Stop_Loss, true);
//---
   Ctrade.SetExpertMagicNumber(inMagic_Number);
//---
   return(INIT_SUCCEEDED);
  }
//+------------------------------------------------------------------+
//| Expert deinitialization function                                 |
//+------------------------------------------------------------------+
void OnDeinit(const int reason)
  {
//---
   Comment("");
  }
//+------------------------------------------------------------------+
//| Expert tick function                                             |
//+------------------------------------------------------------------+
void OnTick()
  {

//--- Ask and Bid prices
   double Ask = SymbolInfoDouble(_Symbol,SYMBOL_ASK);
   double Bid = SymbolInfoDouble(_Symbol,SYMBOL_BID);
//+------------------------------------------------------------------+
//--- Indicator Signals
//--- RC_Soldiers_Crows signal: buy
   if(CopyBuffer(handle_rc_soldiers_crows,0,0,2,RC_Buy_Signal)<=0) // Buy signal
     {
      Print("Getting RC_Soldiers_Crows data is failed! Error ",GetLastError());
      return;
     }
//--- RC_Soldiers_Crows signal: sell
   if(CopyBuffer(handle_rc_soldiers_crows,1,0,2,RC_Sell_Signal)<=0) // Sell signal
     {
      Print("Getting RC_Soldiers_Crows data is failed! Error ",GetLastError());
      return;
     }
//--- RC_Soldiers_Crows signal: take profit
   if(CopyBuffer(handle_rc_soldiers_crows,10,0,2,RC_Take_Profit)<=0) // Take Profit price
     {
      Print("Getting RC_Soldiers_Crows data is failed! Error ",GetLastError());
      return;
     }
//--- RC_Soldiers_Crows signal: stop loss
   if(CopyBuffer(handle_rc_soldiers_crows,11,0,2,RC_Stop_Loss)<=0) // Stop Loss price
     {
      Print("Getting RC_Soldiers_Crows data is failed! Error ",GetLastError());
      return;
     }
//+------------------------------------------------------------------+
//---
   if(!F_CheckOpenOrders() && initial_bar!=iBars(_Symbol,_Period))
     {
      if(RC_Buy_Signal[1] != 0.0 && RC_Buy_Signal[1] != EMPTY_VALUE)
        {
         if(Ctrade.Buy(inLot_Size, _Symbol, Ask, inSL_Type == 0 ? Bid - inStop_Loss*_Point : RC_Stop_Loss[1],
                       inTP_Type == 0 ? Ask + inTake_Profit*_Point : RC_Take_Profit[1],"Buy open"))
           {
            initial_bar = iBars(_Symbol,_Period);
           }
         else
            Print("Error on opening buy position :"+IntegerToString(GetLastError()));
        }
      else
         if(RC_Sell_Signal[1] != 0.0 && RC_Sell_Signal[1] != EMPTY_VALUE)
           {
            if(Ctrade.Sell(inLot_Size, _Symbol, Bid, inSL_Type == 0 ? Ask + inStop_Loss*_Point : RC_Stop_Loss[1],
                           inTP_Type == 0 ? Bid - inTake_Profit*_Point : RC_Take_Profit[1],"Sell open"))
              {
               initial_bar = iBars(_Symbol,_Period);
              }
            else
               Print("Error on opening sell position :"+IntegerToString(GetLastError()));
           }
     }
//---
  }
//---
//+------------------------------------------------------------------+
//+------------------------------------------------------------------+
bool F_CheckOpenOrders()
  {
   for(int i = 0; i<PositionsTotal(); i++)
     {
      Cposition.SelectByIndex(i);
        {
         long ord_magic = PositionGetInteger(POSITION_MAGIC);
         string ord_symbol = PositionGetString(POSITION_SYMBOL);
         ENUM_POSITION_TYPE type = Cposition.PositionType();
         if(ord_magic==inMagic_Number && ord_symbol==_Symbol)
            return(true);
        }
     }
   return(false);
  }
//+------------------------------------------------------------------+

(For a more detailed and complete code of the Expert Advisor above. Link here)


How to trade using this indicator

Although the indicator can be used as a trading system in itself, as it offers information about the Win Rate and Profit Factor, it can also be used in conjunction with some trading systems shown below:


#1 As a confirmation trend in a Moving Average crossing setup

Setup: One fast exponential moving average with 50 periods, one slow exponential moving average with 200 periods, timeframe M5, any volatile asset like XAUUSD for example.

Wait for a crossover between the two averages above. After that, open a position only when the indicator gives a signal after this crossover and in the direction of the trend signaled by the crossing of the faster average in relation to the slower one. Set stop loss at Pivot points for a higher hit rate. (click here for more details)


#2 As a confirmation signal on a Breakout system

Setup: Find the current main trend, draw a consolidation channel and look for breakouts in the direction of it. When the indicator gives a signal outside the channel confirming the breakout open a correspondent position. (click here for more details)


#3 Swing trading on higher timeframes using the inner Moving Average filter

Setup: Add the indicator on a high timeframe like H4 or higher. Use the Moving Average filter, present in the indicator itself. After that, also activate the "One signal direction at a time" option.

Open a buy position when the indicator signals it and close it only when a new sell signal appears or vice versa.

//----

Best results are obtained if you use this setup in the direction of the larger trend and open orders only in its direction, especially in assets that have a clearly defined fundamental bias such as the SP500, Nasdaq index or even Gold.  (click here for more details)

I also strongly recommend reading the article "Trading with a Bias vs. Trading without a Bias: A Deep Dive on How to Boost your Performance in Automatic Trading" for a better understanding on how to achieve better results with algo trading. (click here)

Input parameters

  • Setup defintion: Set the sequence of candles to get the pattern verified; Set how many candles in the past to analyze; Choose which signals to be shown; Only when reversal signal is detected before the pattern; One signal at a time; Reverse the signal; Show statistic panel
  • Visual aspects: Up arrow color; Down arrow color; Take profit line color; Stop loss line color; Color for active current signal; Color for past signals
  • Trade regions definition: Show regions of stop loss; Set the stop loss model (1 - on pivot levels, 2 - fixed points, 3 - candle of sequence); Show regions of take profit, Set the take profit model (1 - fixed points, 2 - x times multiplied by the stop loss)
  • Maximum values definition: Set a maximum value for stop loss in points (true or false); Maximum stop loss points; Set a maximum value for take profit in points (true or false); Maximum take profit points
  • Indicator filter: Choose which indicator to use as a filter (1 - No indicator filter, 2 - Moving average filter, 3 - Bollinger bands filter, 4 - ADX filter, 5 - RSI filter)
  • Hour filter: Use hour filter (true or false); Show hour filter lines (true or false); Time to start hour filter (Format HH:MM); Time to finish hour filter (Format HH:MM)
  • Alert definition: Sound alert every new signal (true or false); Alert pop-up every new signal (true or false); Send notification every new signal (true or false)

Disclaimer

By purchasing and using this indicator, users agree to indemnify and hold harmless its author from any and all claims, damages, losses, or liabilities arising from the use of the indicator. Trading and investing carry inherent risks, and users should carefully consider their financial situation and risk tolerance before using this indicator.





































Recensioni 1
William J Pabon Caraballo
357
William J Pabon Caraballo 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Prodotti consigliati
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
Overview Harmonic Patterns MT5 is a technical analysis indicator designed for the MetaTrader 5 platform. It identifies and displays harmonic price patterns, such as Butterfly, Cypher, Crab, Bat, Shark, and Gartley, in both bullish and bearish directions. The indicator calculates key price levels, including entry, stop loss, and three take-profit levels, to assist traders in analyzing market movements. Visual elements and customizable alerts enhance usability on the chart. Features Detects six ha
Harmonic Pattern Structure Harmonic Pattern Structure is a professional MetaTrader 5 indicator that automatically detects classic harmonic patterns using strict Fibonacci ratio validation and XABCD price structure. Designed for traders who value precision, clean visuals, and structured analysis, the indicator highlights potential reversal zones based on price geometry, supporting consistent and objective decision-making. SUPPORTED HARMONIC PATTERNS Gartley (222) Butterfly Bat Crab Shark Cy
Monster Harmonics Indicator is a harmonic pattern indicator. It recognizes Gartley, Bat, Crab, Butterfly, Cypher, White Swan, Black Swan, Shark and AB=CD patterns. Projected patterns that are not yet completed are recognized, too. Monster even shows the PRZ (Potential Reversal Zone). Users can add their own user defined patterns to Monster. Besides the current pattern, Monster also shows all patterns in the symbols history. Monster will provide alerts for developing patterns. Introduced by H.M.
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
Overview The Market Perspective Structure Indicator is a comprehensive MetaTrader indicator designed to provide traders with a detailed analysis of market structure across multiple timeframes. It identifies and visualizes key price action elements, including swing highs and lows, Break of Structure (BOS), Change of Character (CHOCH), internal structures, equal highs/lows, premium/discount levels, previous levels from higher timeframes, and trading session zones. With extensive customization opt
Description of the Harmonic Patterns + Fib Indicator The Harmonic Patterns + Fib indicator is a technical analysis tool designed for MetaTrader 5 (MT5). It automatically detects and visualizes harmonic price patterns on financial charts, leveraging Fibonacci ratios to identify potential reversal points in markets such as forex, stocks, cryptocurrencies, and commodities. The indicator scans for classic harmonic formations like Butterfly, Bat, Crab, Shark, Gartley, and ABCD, drawing them with lin
FREE
PREngulfing
Slobodan Manovski
PR EA - Engulfing Pattern Trading System Automated Engulfing Pattern Detection with MA Confirmation The PR EA is a Meta Trader 5 expert advisor that identifies and trades bullish/bearish engulfing candlestick patterns when confirmed by a moving average filter. Designed for swing trading on 30-minute charts with compatibility for M15 and H1 time frames. Key Features: Pattern Recognition - Detects valid bullish/bearish engulfing candle formations Trend Confirmation - 238-period SMA filter
The   Fibonacci Confluence Toolkit   is a technical analysis tool designed to help traders identify potential price reversal zones by combining key market signals and patterns. It highlights areas of interest where significant price action or reactions are anticipated, automatically applies Fibonacci retracement levels to outline potential pullback zones, and detects engulfing candle patterns. Its unique strength lies in its reliance solely on price patterns, eliminating the need for user-define
Fibaction
Abdelkhalek Orabi
Indicator Name: Fibaction – price action candle Detector Description: Fibo Signal Boxes is a powerful Smart Money Concept (SMC)-inspired indicator that auto-detects price action candles. bullish hammers and shooting stars, then draws precise Fibonacci entry zones and multiple take-profit levels directly on the chart. as for the SL personally i use 40 pips rules  Key Features: Detects bullish hammer and shooting star reversal candles. Automatically draws Fibonacci entry and TP boxes. as
L'indicatore mostra modelli armonici sul grafico   senza ridipingere   con il minimo ritardo possibile. La ricerca dei massimi degli indicatori si basa sul principio dell'onda dell'analisi dei prezzi. Le impostazioni avanzate ti consentono di scegliere i parametri per il tuo stile di trading. All'apertura di una candela (bar), quando si forma un nuovo pattern, viene fissata una freccia della probabile direzione del movimento del prezzo, che rimane invariata. L'indicatore riconosce i seguenti mod
This indicator is, without a doubt, the best variation of the Gann Angles among others. It allows traders using Gann methods to automatically calculate the Gann angles for the traded instrument. The scale is automatically calculated when the indicator is attached to the chart. When switching timeframes, the indicator recalculates the scale for the current timeframe. Additionally, you can enter your own scales for the Gann angles. You can enter your own scales either for both vectors or for each
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.
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
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
AutoTrend Pro
Aram Hussein Mohammed
TL Method — Automatic Trendline Detection & Strength Indicator Tired of drawing trendlines manually? TL Method does it for you — automatically detecting, drawing, and scoring trendlines in real time. What it does: Scans up to 1000 bars to find valid support and resistance trendlines Scores each trendline by counting confirmed anchor touches Generates buy/sell signal arrows when price approaches strong trendlines Alerts you via popup, push notification, or sound — with smart cooldown to avoid spa
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
KT Renko Patterns MT5
KEENBASE SOFTWARE SOLUTIONS
KT Renko Patterns analizza il grafico Renko mattone per mattone per individuare i pattern grafici più famosi, frequentemente utilizzati dai trader nei vari mercati finanziari. Rispetto ai grafici basati sul tempo, i grafici Renko rendono il trading basato sui pattern più semplice e visivamente chiaro grazie alla loro struttura pulita. KT Renko Patterns include diversi pattern Renko, molti dei quali sono ampiamente spiegati nel libro “Profitable Trading with Renko Charts” di Prashant Shah. Un E
Indicatore Balance of Power (BOP) con supporto multi-timeframe, segnali visivi personalizzabili e sistema di avvisi configurabile. I servizi di programmazione freelance, gli aggiornamenti e altri prodotti TrueTL sono disponibili nel mio profilo MQL5 . Feedback e recensioni sono molto apprezzati! Cos'è il BOP? Balance of Power (BOP) è un oscillatore che misura la forza degli acquirenti rispetto ai venditori confrontando la variazione del prezzo con il range della candela. L'indicatore viene ca
FREE
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
Multi-Mode Gann Angles Indicator (MT5) L’indicatore Multi-Mode Gann Angles disegna un ventaglio di linee di tendenza dopo il clic su una candela selezionata nel grafico. La struttura visiva è simile agli angoli di Gann classici ed è destinata all’analisi manuale della struttura di mercato. La scala degli angoli può essere determinata in diversi modi. L’utente può scegliere un valore fisso oppure utilizzare un valore calcolato in base al movimento medio del prezzo su un numero definito di barre s
Awesome Oscillator by Bill Williams with the ability to fine-tune and replace the averaging algorithms of the indicator, which significantly expands the possibilities of using this oscillator in algorithmic trading and brings it closer in its properties to such an indicator as the MACD. To reduce price noise, the final indicator is processed with an additional Smooth averaging. The indicator has the ability to give alerts, send mail messages and push signals when the direction of movement of th
Unlock powerful breakout opportunities The 123 Pattern is one of the most popular, powerful and flexible chart patterns. The pattern is made up of three price points: a bottom, a peak or valley, and a Fibonacci retracement between 38.2% and 71.8%. A pattern is considered valid when the price breaks beyond the last peak or valley, moment at which the indicator plots an arrow, rises an alert, and the trade can be placed. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ]
Swing Point BoS CHoCH Con Exp Alerts
Usiola Oluwadamilol Olagundoye
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
Advanced MT5 Indicator: Precision-Powered with Pivot Points, MAs & Multi-Timeframe Logic Unlock the full potential of your trading strategy with this precision-engineered MetaTrader 5 indicator —an advanced tool that intelligently blends Pivot Points , Adaptive Moving Averages , and Multi-Timeframe Analysis to generate real-time Buy and Sell signals with high accuracy.    If you want to test on Real Market, Let me know. I will give the Demo file to run on Real Account.    Whether you're a scal
Indicatore Crypto_Forex Pattern PINBAR per MT5, senza ridisegnare, senza ritardi. - L'indicatore "PINBAR Pattern" è un indicatore molto potente per il trading basato sull'azione dei prezzi. - L'indicatore rileva le PinBar sul grafico: - PinBar rialzista - Segnale a freccia blu sul grafico (vedi immagini). - PinBar ribassista - Segnale a freccia rossa sul grafico (vedi immagini). - Con avvisi su PC e dispositivi mobili. - L'indicatore "PINBAR Pattern" è eccellente da combinare con i livelli di
"Hunttern harmonic pattern finder" base on the dynamic zigzag with the notification and prediction mode This version of the indicator identifies 11 harmonic patterns and predicts them in real-time before they are completely formed. It offers the ability to calculate the error rate of Zigzag patterns depending on a risk threshold. It moreover sends out a notification once the pattern is complete. The supported patterns: ABCD BAT ALT BAT BUTTERFLY GARTLEY CRAB DEEP CRAB CYPHER SHARK THREE DRIV
"Pattern 123" is an indicator-a trading system built on a popular pattern, pattern 123. This is the moment when we expect a reversal on the older trend and enter the continuation of the small trend, its 3rd impulse. The indicator displays signals and markings on an open chart. You can enable/disable graphical constructions in the settings. The indicator has a built-in notification system   (email, mobile terminal, standard terminal alert). "Pattern 123" has a table that displays signals from se
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
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
Gli utenti di questo prodotto hanno anche acquistato
SuperScalp Pro
Van Minh Nguyen
5 (10)
SuperScalp Pro – Sistema avanzato di indicatore per scalping con filtri multipli SuperScalp Pro è un sistema avanzato di indicatore per scalping che combina il classico Supertrend con molteplici filtri di conferma intelligenti. L’indicatore funziona in modo efficiente su tutti i timeframe da M1 a H4 ed è particolarmente adatto per XAUUSD, BTCUSD e le principali coppie Forex. Può essere utilizzato come sistema stand-alone o integrato in modo flessibile nelle strategie di trading esistenti. L’indi
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
Entry In The Zone and SMC Multi Timeframe is a real-time market analysis tool developed based on Smart Money Concepts (SMC). It is designed to analyze market structure, price direction, reversal points, and key zones across multiple timeframes in a systematic way. The system displays Points of Interest (POI) and real-time No Repaint signals, with instant alerts when price reaches key zones or when signals occur within those zones. It functions as both an Indicator and a Signal System (2-in-1), c
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
Se acquisti questo indicatore, riceverai il mio Trade Manager Professionale + EA  GRATUITAMENTE. Innanzitutto è importante sottolineare che questo sistema di trading è un indicatore Non-Repainting, Non-Redrawing e Non-Lagging, il che lo rende ideale sia per il trading manuale che per quello automatico. Corso online, manuale e download di preset. Il "Sistema di Trading Smart Trend MT5" è una soluzione completa pensata sia per i trader principianti che per quelli esperti. Combina oltre 10 indicat
FX Trend MT5 NG
Daniel Stein
5 (4)
FX Trend NG: La Nuova Generazione di Intelligenza di Trend Multi-Mercato Panoramica FX Trend NG è uno strumento professionale di analisi del trend multi-timeframe e monitoraggio dei mercati. Ti consente di comprendere la struttura completa del mercato in pochi secondi. Invece di passare tra numerosi grafici, puoi identificare immediatamente quali strumenti sono in trend, dove il momentum sta diminuendo e dove esiste un forte allineamento tra i timeframe. Offerta di Lancio – Ottieni FX Trend NG
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
Atomic Analyst MT5
Issam Kassas
4.03 (30)
Innanzitutto, vale la pena sottolineare che questo indicatore di trading non è repaint, non è ridisegno e non presenta ritardi, il che lo rende ideale sia per il trading manuale che per quello automatico. Manuale utente: impostazioni, input e strategia. L'Analista Atomico è un indicatore di azione del prezzo PA che utilizza la forza e il momentum del prezzo per trovare un miglior vantaggio sul mercato. Dotato di filtri avanzati che aiutano a rimuovere rumori e segnali falsi, e aumentare il pote
FX Power MT5 NG
Daniel Stein
5 (31)
FX Power: Analizza la Forza delle Valute per Decisioni di Trading Più Intelligenti Panoramica FX Power è lo strumento essenziale per comprendere la reale forza delle principali valute e dell'oro in qualsiasi condizione di mercato. Identificando le valute forti da comprare e quelle deboli da vendere, FX Power semplifica le decisioni di trading e rivela opportunità ad alta probabilità. Che tu segua le tendenze o anticipi inversioni utilizzando valori estremi di Delta, questo strumento si adatta
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
Trend indicator AI mt5
Ramil Minniakhmetov
5 (15)
Trend Ai indicator è un ottimo strumento che migliorerà l'analisi di mercato di un trader combinando l'identificazione della tendenza con punti di ingresso utilizzabili e avvisi di inversione. Questo indicatore consente agli utenti di navigare nelle complessità del mercato forex con fiducia e precisione Oltre ai segnali primari, l'indicatore Ai di tendenza identifica i punti di ingresso secondari che si presentano durante i pullback o i ritracciamenti, consentendo ai trader di capitalizzare le
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
Crystal Heikin Ashi Signals
Muhammad Jawad Shabir
5 (1)
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
Gold Sniper Scalper Pro
Ich Khiem Nguyen
3.33 (9)
Gold Sniper Scalper Pro è un indicatore per MetaTrader 5 costruito specificamente per rilevare pattern di falsa rottura (false breakout) su XAUUSD. Identifica la struttura trappola a 4 barre dove il prezzo supera il confine di un range, attira i trader di rottura e poi inverte — confermando che il movimento era una falsa rottura. L'indicatore valuta ogni setup secondo 17 fattori di qualità, lo elabora attraverso un pipeline di confluenza a 4 livelli, lo verifica contro un motore di consenso di
Trend Lines PRO MT5
Roman Podpora
5 (1)
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
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
Pips Stalker mt5
Abdulkarim Karazon
5 (1)
Il Pips Stalker è un indicatore a freccia lunga e corta, aiuta i trader di tutti i livelli a prendere decisioni migliori nel trading sul mercato, l'indicatore non viene mai ridipinto e usa l'RSI come logica principale del segnale; una volta applicata una freccia, non verrà mai ridipinta o ridipinga e le frecce non vengono ritardate. VERSIONE MT4 &lt;---- CARATTERISTICHE DELLA FRECCIA PIPS STALKER : PANNELLO STATISTICHE un dashboard informativo unico che mostra la percentuale complessiva di
Candle Smart Range
Gianny Alexander Lugo Sanchez
5 (1)
Candle Smart Range (CSR) per MetaTrader 5 Candle Smart Range è un indicatore tecnico progettato per l'identificazione automatica dei range di prezzo su più timeframe. Questo strumento analizza la struttura del mercato basandosi sulle formazioni delle candele e sull'interazione del prezzo con i massimi e i minimi precedenti. Caratteristiche principali: Rilevamento Range: Identifica le zone di consolidamento prima dei movimenti impulsivi. Identificazione Falsi Breakout: Segnala quando il prezzo su
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
Altri dall’autore
Questo indicatore avvisa l'utente quando l'ATR supera un valore definito o mostra variazioni percentuali significative, rilevando picchi/cali di volatilità. Particolarmente utile per: Sistemi di trading basati sulla volatilità, Sistemi Recovery Zone o Grid Hedge. Essendo la volatilità cruciale per questi sistemi, l'indicatore traccia direttamente sul grafico: Zone di ingresso Punti di rientro Livelli di take profit Consentendo backtest e personalizzazione dei parametri. Vantaggi principali Param
Future Trend Channel è un indicatore dinamico e visivamente intuitivo progettato per identificare le direzioni di tendenza e prevedere potenziali movimenti dei prezzi. Originariamente sviluppato da ChartPrime per TradingView, questo strumento è stato adattato per MetaTrader 4, offrendo ai trader una funzionalità simile. Che tu sia uno swing trader, day trader o investitore a lungo termine, Future Trend Channel ti aiuta a visualizzare la forza del trend, anticipare inversioni e ottimizzare i punt
Questo indicatore è la versione convertita per MetaTrader 5 dell'indicatore "ATR Based Trendlines - JD" di TradingView creato da Duyck. Funzionamento: L'indicatore traccia automaticamente e continuamente linee di tendenza basate non solo sul prezzo, ma anche sulla volatilità percepita dall'ATR. L'angolo delle linee di tendenza è determinato da (una percentuale dell') ATR. L'angolazione segue le variazioni di prezzo, guidate dal valore ATR nel momento in cui viene rilevato il punto pivot. La perc
FREE
The Rayol Code Hour Interval Lines indicator was  designed to assist your trading experience.  It  draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing  traders a more comprehensive view of price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local time in
FREE
Questo indicatore è la versione convertita per MetaTrader 4 dell'indicatore "ATR Based Trendlines - JD" di TradingView creato da Duyck. Funzionamento: L'indicatore traccia automaticamente e continuamente linee di tendenza basate non solo sul prezzo, ma anche sulla volatilità percepita dall'ATR. L'angolo delle linee di tendenza è determinato da (una percentuale dell') ATR. L'angolazione segue le variazioni di prezzo, guidate dal valore ATR nel momento in cui viene rilevato il punto pivot. La perc
FREE
The Rayol Code Hour Interval Lines indicator was designed to assist your trading experience. It draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing traders a more comprehensive view of price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local time in re
FREE
This indicator accurately identifies and informs market reversals and continuation patterns by analyzing and signaling the Three White Soldiers / Three Black Crows pattern. It also offers a  "real-time backtesting"  panel in the indicator itself in a way that every change made on the indicator parameters will immediately show the user how many signals are occurred, how many take profits and stop losses were hit and, by having these informations, the Win Rate and the Profit Factor of the setup ba
Range Filtered AlgoAlpha è uno strumento di analisi tecnica progettato per identificare potenziali opportunità di trading analizzando la volatilità del mercato. Questa versione MetaTrader dell'indicatore originale TradingView di AlgoAlpha combina diversi metodi analitici per fornire una valutazione visiva del mercato. Caratteristiche tecniche Utilizza il filtraggio di Kalman (Kalman Filtering) per livellare i prezzi Include bande basate sull'ATR (ATR-based Bands) per misurare la volatilità Integ
La Media Mobile Adattiva Zeiierman è uno strumento di analisi tecnica progettato per identificare opportunità di trading attraverso l’analisi adattiva delle tendenze. Questa versione per Metatrader è basata sull’indicatore originale di Zeiierman su TradingView, che combina diversi metodi analitici per fornire valutazioni visive del mercato. Caratteristiche tecniche Utilizza un algoritmo di smoothing adattivo basato sulla volatilità del mercato Calcola un Rapporto di Efficienza (ER) per regolare
Questo indicatore avvisa l'utente quando l'ATR supera un valore definito o mostra variazioni percentuali significative, rilevando picchi/cali di volatilità. Particolarmente utile per: Sistemi di trading basati sulla volatilità, Sistemi Recovery Zone o Grid Hedge. Essendo la volatilità cruciale per questi sistemi, l'indicatore traccia direttamente sul grafico: Zone di ingresso Punti di rientro Livelli di take profit Consentendo backtest e personalizzazione dei parametri. Vantaggi principali Param
Future Trend Channel è un indicatore dinamico e visivamente intuitivo progettato per identificare le direzioni di tendenza e prevedere potenziali movimenti dei prezzi. Originariamente sviluppato da ChartPrime per TradingView, questo strumento è stato adattato per MetaTrader 5, offrendo ai trader una funzionalità simile. Che tu sia uno swing trader, day trader o investitore a lungo termine, Future Trend Channel ti aiuta a visualizzare la forza del trend, anticipare inversioni e ottimizzare i punt
Range Filtered AlgoAlpha è uno strumento di analisi tecnica progettato per identificare potenziali opportunità di trading analizzando la volatilità del mercato. Questa versione MetaTrader dell'indicatore originale TradingView di AlgoAlpha combina diversi metodi analitici per fornire una valutazione visiva del mercato. Caratteristiche tecniche Utilizza il filtraggio di Kalman (Kalman Filtering) per livellare i prezzi Include bande basate sull'ATR (ATR-based Bands) per misurare la volatilità Inte
La Media Mobile Adattiva Zeiierman è uno strumento di analisi tecnica progettato per identificare opportunità di trading attraverso l’analisi adattiva delle tendenze. Questa versione per Metatrader è basata sull’indicatore originale di Zeiierman su TradingView, che combina diversi metodi analitici per fornire valutazioni visive del mercato. Caratteristiche tecniche Utilizza un algoritmo di smoothing adattivo basato sulla volatilità del mercato Calcola un Rapporto di Efficienza (ER) per regolare
RC Trade Helper
Francisco Rayol
RC Trade Helper è un assistente di trading completo progettato per i trader manuali. L'applicazione fornisce una suite di strumenti visivi per la rapida esecuzione degli ordini, la gestione avanzata del rischio e la gestione efficiente delle operazioni direttamente sul grafico. Attenzione: Prima dell'acquisto, è possibile testare l'applicazione su un conto demo. Il prodotto non funziona nel Tester di Strategia. Operazioni di Trading Permette di eseguire e gestire le operazioni con un solo clic:
Filtro:
William J Pabon Caraballo
357
William J Pabon Caraballo 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
8139
Risposta dello sviluppatore Francisco Rayol 2024.08.02 20:21
You are always welcome. God bless you. And have good trades!
Rispondi alla recensione