• Panoramica
  • Recensioni (1)
  • Commenti (2)
  • Novità

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
219
William J Pabon Caraballo 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Prodotti consigliati
Harmo EA
Matteo Schizzerotto
Hai mai desiderato avere un assistente nel trading che possa individuare i lucrativi pattern armonici automaticamente? Presentiamo con orgoglio il nostro innovativo Expert Advisor basato sui pattern armonici nel mondo del forex. Il nostro Expert Advisor è un software sofisticato alimentato da algoritmi avanzati, appositamente progettato per analizzare i dati dei mercati finanziari e identificare i segnali di trading più redditizi. Con una precisione sorprendente, questa potente tecnologia riesc
Harmonic Patterns Osw MT5
William Oswaldo Mayorga Urduy
MODELLI ARMONICI OSW MT5 Questo indicatore ha il compito di rilevare gli schemi armonici in modo che tu possa operare su di essi, dandoti un segnale in modo che tu possa aggiungere un'analisi manuale se accetti o meno l'ordine. Tra i Pattern Armonici rilevati dall'indicatore vi sono: >garley > pipistrello > Farfalla > granchio > Squalo Tra le funzioni che puoi trovare ci sono: > Genera avvisi per posta, cellulare e PC >Cambiare i colori delle Armoniche, sia acquistando che v
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
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
Introduction to Harmonic Volatility Indicator Harmonic Volatility Indicator is the first technical analysis applying the Fibonacci analysis to the financial volatility. Harmonic volatility indicator is another level of price action trading tool, which combines robust Fibonacci ratios (0.618, 0.382, etc.) with volatility. Originally, Harmonic Volatility Indicator was developed to overcome the limitation and the weakness of Gann’s Angle, also known as Gann’s Fan. We have demonstrated that Harmonic
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 ]
CandleStick Pattern Indicator MT5
Driller Capital Management UG
5 (1)
This is a simple Candle Stick Pattern Indicator, which shows in the current time period all standardisized Patterns in the chart. All Patterns will be calculatet automatically based on standard conditions. Following Candle Stick Patterns are included: Bullish Hammer | Bearish Hammer Bullish Inverted Hammer | Bearish Inverted Hammer Bullish Engulfing | Bearish Engulfing Piercing | Dark Cloud Cover Bullish 3 Inside | Bearish 3 Inside There are only a few settings at the begining to take. Every Pat
FREE
KT Renko Patterns MT5
KEENBASE SOFTWARE SOLUTIONS
KT Renko Patterns scans the Renko chart brick by brick to find some famous chart patterns that are frequently used by traders across the various financial markets. Compared to the time-based charts, patterns based trading is easier and more evident on Renko charts due to their uncluttered appearance. KT Renko Patterns features multiple Renko patterns, and many of these patterns are extensively explained in the book titled Profitable Trading with Renko Charts by Prashant Shah. A 100% automate
Il Catturatore di Tendenza: La Strategia del Catturatore di Tendenza con Indicatore di Allarme è uno strumento versatile di analisi tecnica che aiuta i trader a identificare le tendenze di mercato e i potenziali punti di ingresso e uscita. Presenta una Strategia dinamica del Catturatore di Tendenza, adattandosi alle condizioni di mercato per una chiara rappresentazione visiva della direzione della tendenza. I trader possono personalizzare i parametri in base alle loro preferenze e tolleranza
FREE
Volume Doji
Ricardo Almeida Branco
Hey guys. This indicator will show you, in the volume histogram, if the candle was a Doji, a bullish candle, or a bearish candle. The construction of this indicator was requested by a trader who uses other indicators from my catalog, and I decided to release it free to help traders who think that the indicator can contribute to their operations. The parameters are: Volume Type: Real Volume or Tick Volume. Color if the candle is bearish: select the color. Color if the candle is high:
FREE
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
Introduction to Fractal Pattern Scanner Fractal Indicator refers to the technical indicator that makes use of the fractal geometry found in the financial market. Fractal Pattern Scanner is the advanced Fractal Indicator that brings the latest trading technology after the extensive research and development work in the fractal geometry in the financial market. The most important feature in Fractal Pattern Scanner is the ability to measure the turning point probability as well as the trend probabil
Title: Advanced Trend Lines   Supports and Resistances Levels Overview: Enhance your trading decisions with this powerful Trend Lines Supports and Resistances Levels Indicator . This tool identifies key market structures such as trend lines, pivot points, and support/resistance zones, providing traders with actionable insights to spot potential breakout or reversal opportunities. Tailored for technical analysts, this indicator offers customizability and real-time alerts to match any trading st
Candlestick Pattern Teller
Flavio Javier Jarabeck
5 (1)
Minions Labs' Candlestick Pattern Teller It shows on your chart the names of the famous Candlesticks Patterns formations as soon as they are created and confirmed. No repainting. That way beginners and also professional traders who have difficulties in visually identifying candlestick patterns will have their analysis in a much easier format. Did you know that in general there are 3 types of individuals: Visual, Auditory, and Kinesthetic? Don't be ashamed if you cannot easily recognize Candlest
Basic Harmonic Pattern MT5
Mehran Sepah Mansoor
4.8 (66)
Questo indicatore identifica i   pattern armonici   più popolari che predicono i punti di inversione del mercato. Questi modelli armonici sono formazioni di prezzo che si ripetono costantemente nel mercato forex e suggeriscono possibili movimenti di prezzo futuri /   Versione MT4 gratuita Inoltre, questo indicatore è dotato di un segnale di entrata nel mercato e di vari take profit e stop loss. Va notato che, sebbene l'indicatore di pattern armonico possa fornire segnali di acquisto/vendita d
FREE
KT Double Top Bottom MT5
KEENBASE SOFTWARE SOLUTIONS
The double top bottom pattern is arguably one of the technical analysis's most popular chart patterns. These patterns are used to capitalize on recurring patterns and identify trend reversal patterns, thereby creating well-placed entry and exit levels. The KT Double Top Bottom is based on these patterns and fine-tunes the trade signal development process for traders. Features It's based on one of the most reliable trading patterns and brings some fine-tuning and automation to the process. A
Candle Pattern Scanner
Bruno Goncalves Mascarenhas
Candlestick patterns The candlestick Pattern Indicator and Scanner is designed to be a complete aid tool for discretionary traders to find and analyze charts from powerful candle patterns. Recognized Patterns: Hammer Shooting star Bearish Engulfing Bullish Engulfing Doji Marubozu Scanner Imagine if you could look at all the market assets in all timeframes looking for candlestick signals.
Best SAR MT5
Ashkan Hazegh Nikrou
4.33 (3)
Descrizione:  siamo felici di presentare il nostro nuovo indicatore gratuito basato su uno degli indicatori professionali e popolari nel mercato forex (PSAR) questo indicatore è una nuova modifica sull'indicatore SAR parabolico originale, nell'indicatore pro SAR puoi vedere l'incrocio tra i punti e il grafico dei prezzi, questo il crossover non è un segnale ma parla del potenziale di fine movimento, puoi iniziare a comprare con un nuovo punto blu e posizionare lo stop loss un atr prima del pr
FREE
Tops and Bottoms Indicator
Josue De Matos Silva
4.67 (6)
Tops & Bottoms Indicator FREE   Tops abd Bottoms:   An effective indicator for your trades The tops and bottoms indicator helps you to find  ascending and descending channel formations with indications of ascending and/or descending tops and bottoms. In addition, it  show possibles  opportunities with a small yellow circle when the indicator encounters an impulse formation. This indicator provide to you  more security and speed in making entry decisions. Also test our FREE advisor indicator:
FREE
This is a multi-symbol and multi-timeframe table-based indicator designed for a candlestick patterns detection with 46 patterns for META TRADER 5. Each formation has own image for easier recognition. Here you find most popular formations such as "Engulfing", "Hammer", "Three Line Strike", "Piercing" or Doji - like candles. Check my full list of patterns on my screenshots below. Also you can not only switch all bearish or bullish patterns from input, but also select formation for a specified symb
Welcome to the Ultimate Harmonic Patterns recognition indicator that is focused to detect advanced patterns. The Gartley pattern, Bat pattern, and Cypher pattern  are popular technical analysis tools used by traders to identify potential reversal points in the market. Our Ultimate Harmonic Patterns recognition Indicator is a powerful tool that uses advanced algorithms to scan the markets and identify these patterns in real-time. With our Ultimate Harmonic Patterns recognition Indicator, you
L'indicatore costruisce le quotazioni attuali, che possono essere confrontate con quelle storiche e su questa base fanno una previsione del movimento dei prezzi. L'indicatore ha un campo di testo per una rapida navigazione fino alla data desiderata. Opzioni: Simbolo - selezione del simbolo che visualizzerà l'indicatore; SymbolPeriod - selezione del periodo da cui l'indicatore prenderà i dati; IndicatorColor - colore dell'indicatore; HorisontalShift - spostamento delle virgolette d
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
ZigZag with Fibonacci
Rafael Caetano Pinto
This indicator uses the metaquotes ZigZag indicator as base to plot fibonacci extension and fibonacci retracement based in the Elliot waves. A fibonacci retracement will be plotted on every wave draw by the ZigZag. A fibonacci extension will be plotted only after the 2nd wave. Both fibonacci will be updated over the same wave tendency. Supporting until 9 consecutive elliot waves. Parameters: Depth: How much the algorithm will iterate to find the lowest and highest candles Deviation: Amoun
Auto Fib Retracements
Ross Adam Langlands Nelson
4.2 (5)
Automatic Fibonacci Retracement Line Indicator. This indicator takes the current trend and if possible draws Fibonacci retracement lines from the swing until the current price. The Fibonacci levels used are: 0%, 23.6%, 38.2%, 50%, 61.8%, 76.4%, 100%. This indicator works for all charts over all timeframes. The Fibonacci levels are also recorded in buffers for use by other trading bots. Any comments, concerns or additional feature requirements are welcome and will be addressed promptly. 
FREE
"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 fr
Japanese candlestick analysis has been in existence for hundreds of years and is a valid form of technical analysis. Candlestick charting has its roots in the militaristic culture that was prevalent in Japan in the 1700s. One sees many terms throughout the Japanese literature on this topic that reference military analogies, such as the Three White Soldiers pattern Unlike more conventional charting methods, candlestick charting gives a deeper look into the mind-set of investors, helping to establ
FREE
"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
Forex Indicator Arrows
NGUYEN NGHIEM DUY
1 (1)
Forex Indicator Arrows is an arrow Indicator used as an assistant tool for your trading strategy. The indicator analyzes the standard deviation of bar close for a given period and generates a buy or sell signals if the deviation increases. It good to combo with Martingale EA to follow Trend and Sellect Buy Only/Sell Only for EA work Semi-Automatic. You can use this  Indicator with any EAs in my Products.
FREE
Introducing the Consecutive Green/Red Candle Alert Indicator for MT5 - Your Trend Spotting Companion! Are you ready to take your trading to the next level? We present the Consecutive Green/Red Candle Alert Indicator, a powerful tool designed to help you spot trends and potential reversals with ease. Whether you're a new trader looking for clarity in the market or an experienced pro seeking additional confirmation, this indicator is your trusted companion. Key Features of the Consecutive Gre
FREE
Gli utenti di questo prodotto hanno anche acquistato
Trend Screener Pro MT5
STE S.S.COMPANY
4.88 (68)
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
TPSproTREND PrO MT5
Roman Podpora
4.54 (13)
TPSpro TREND PRO   è un indicatore di tendenza che analizza automaticamente il mercato, fornisce informazioni sulla tendenza e sui rispettivi cambiamenti e fornisce segnali per entrare nelle operazioni senza ridisegnare. L'indicatore utilizza ciascuna candela e la analizza separatamente. Si riferisce a vari shock al rialzo o al ribasso. Punto di ingresso preciso per il trading di valute, criptovalute, metalli, azioni e indici! Versione MT5                   Descrizione completa dell'indicatore
TPSpro RFI Levels MT5
Roman Podpora
4.67 (15)
ISTRUZIONI       RUS   -   INGLESE       Si   consiglia di utilizzare con un indicatore       -       TPSpro   TENDENZA PRO -   Versione MT4         Un elemento chiave nel trading sono le zone o i livelli da cui vengono prese le decisioni di acquisto o vendita di uno strumento di trading. Nonostante i tentativi dei principali attori di nascondere la loro presenza sul mercato, lasciano inevitabilmente delle tracce. Il nostro compito era imparare a identificare queste tracce e interpretarle corre
Ora $ 147 (aumentando a $ 499 dopo alcuni aggiornamenti) - account illimitati (PC o MAC) Manuale utente di RelicusRoad + Video di formazione + Accesso al gruppo Discord privato + Stato VIP UN NUOVO MODO DI GUARDARE IL MERCATO RelicusRoad è l'indicatore di trading più potente al mondo per forex, futures, criptovalute, azioni e indici, fornendo ai trader tutte le informazioni e gli strumenti di cui hanno bisogno per rimanere redditizi. Forniamo analisi tecniche e piani di trading per aiutar
Gold Stuff mt5
Vasiliy Strukov
4.92 (173)
Gold Stuff mt5 è un indicatore di tendenza progettato specificamente per l'oro e può essere utilizzato anche su qualsiasi strumento finanziario. L'indicatore non ridisegna e non è in ritardo. Periodo consigliato H1. Contattami subito dopo l'acquisto per avere le impostazioni e un bonus personale!   I risultati in tempo reale possono essere visualizzati qui.  Puoi ottenere una copia gratuita del nostro indicatore Strong Support e Trend Scanner, per favore scrivi in ​​privato. M   IMPOSTAZION
Questo cruscotto mostra gli ultimi   pattern armonici   disponibili per i simboli selezionati, in modo da risparmiare tempo ed essere più efficienti /   versione MT4 . Indicatore gratuito:   Basic Harmonic Pattern Colonne dell'indicatore Symbol :   vengono visualizzati i simboli selezionati Trend:   rialzista o ribassista Pattern:   tipo di pattern (gartley, butterfly, bat, crab, shark, cypher o ABCD) Entry:   prezzo di ingresso SL:   prezzo di stop loss TP1:   1 prezzo di take profit TP
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 Trad
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.8 (10)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
FX Power MT5 NG
Daniel Stein
5 (7)
Sbloccate tutta la potenza di FX Power NG: l'ultimo misuratore di forza delle valute Da oltre otto anni, FX Power offre ai trader di tutto il mondo un'analisi affidabile e precisa della forza delle valute. Ora FX Power NG porta questo strumento di fiducia a un livello superiore, offrendo funzioni avanzate che portano precisione, personalizzazione e approfondimenti senza pari al vostro trading. Cosa rende FX Power NG un must per i trader più seri? FX Power NG si basa su tutto ciò che avete am
Atomic Analyst MT5
Issam Kassas
4.32 (19)
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 Volume MT5
Daniel Stein
4.93 (14)
Ottenere un vero vantaggio nel Forex con FX Volume: L'indicatore di volume definitivo FX Volume è il primo e unico indicatore di volume che rivela il vero sentiment del mercato da una prospettiva da insider. Fornendo una visione unica del posizionamento dei partecipanti istituzionali al mercato e dei broker, FX Volume vi consente di operare con la lungimiranza solitamente riservata ai principali operatori. Dite addio ai ritardi dei rapporti COT: FX Volume vi fornisce queste informazioni crucia
Quantum TrendPulse
Bogdan Ion Puscasu
5 (4)
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
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 indicatori premium e offre più di 7 robuste strategie di trading, rendendolo una scelta versatile per div
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"
Scoprire i livelli FX: L'indicatore di supporto e resistenza definitivo per il successo nel trading FX Levels è molto più di un semplice indicatore di supporto e resistenza; è un gioco che cambia le carte in tavola per i trader seri che vogliono precisione, affidabilità e funzionalità senza soluzione di continuità su tutti i simboli di trading, siano essi coppie di valute, indici, azioni o materie prime. Costruito sulla base del collaudato metodo Lighthouse e migliorato con un'adattabilità din
Trend Forecaster
Alexey Minkov
5 (6)
!!!CHRISTMAS SALE!!! The Trend Forecaster indicator utilizes a unique proprietary algorithm to determine entry points for a breakout trading strategy. The indicator identifies price clusters, analyzes price movement near levels, and provides a signal when the price breaks through a level. The Trend Forecaster indicator is suitable for all financial assets, including currencies (Forex), metals, stocks, indices, and cryptocurrencies. You can also adjust the indicator to work on any time frames, al
FX Dynamic - L'unico indicatore ATR di cui avrete mai bisogno Siete pronti a potenziare le vostre strategie di trading con una precisione e un'intuizione senza precedenti? Ecco FX Dynamic , il primo e unico indicatore ATR progettato per l' analisi delle valute e per l' aggiustamento automatico dei cambi GMT dei broker . Dite addio agli strumenti obsoleti e abbracciate la soluzione definitiva per dominare la volatilità del mercato. Perché FX Dynamic cambia le carte in tavola Analisi ATR basa
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
Enjoy a   50% OFF   Christmas holiday sale!   Offer ends 27 December 2025 . After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!     Easy Breakout MT5   is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the   Breakout strategy ! This indicator delivers crystal-clear Buy and Sell signals based on bre
IX Power MT5
Daniel Stein
4.17 (6)
Vi presentiamo IX Power, lo strumento definitivo per aumentare la vostra precisione di trading! Progettato con la stessa imbattibile precisione di FX Power, IX Power vi consente di padroneggiare qualsiasi simbolo di trading, dagli indici e dalle azioni alle materie prime, agli ETF e persino alle criptovalute. Preparatevi a migliorare il vostro trading con intuizioni precise sulle tendenze a breve, medio e lungo termine di tutti i vostri asset preferiti. Perché scegliere IX Power? Con IX Power
Support And Resistance Screener è in un indicatore di livello per MetaTrader che fornisce più strumenti all'interno di un indicatore. Gli strumenti disponibili sono: 1. Screener della struttura del mercato. 2. Zona di ritiro rialzista. 3. Zona di ritiro ribassista. 4. Punti pivot giornalieri 5. Punti pivot settimanali 6. Punti pivot mensili 7. Forte supporto e resistenza basati sul modello e sul volume armonici. 8. Zone a livello di banca. OFFERTA A TEMPO LIMITATO: il supporto HV e l'indicatore
ATrend
Zaha Feiz
4.88 (8)
"ATREND: Come funziona e come utilizzarlo" ### Come funziona L'indicatore "ATREND" per la piattaforma MT5 è progettato per fornire ai trader robusti segnali di acquisto e vendita utilizzando una combinazione di metodologie di analisi tecnica. Questo indicatore sfrutta principalmente l'Average True Range (ATR) per la misurazione della volatilità, insieme ad algoritmi di individuazione dei trend per identificare potenziali movimenti di mercato. Lascia un messaggio dopo l'acquisto e ricevi un rega
Atbot
Zaha Feiz
4.75 (44)
AtBot:  Come funziona e come usarlo ### Come funziona L'indicatore "AtBot" per la piattaforma MT5 genera segnali di acquisto e vendita utilizzando una combinazione di strumenti di analisi tecnica. Integra la Media Mobile Semplice (SMA), la Media Mobile Esponenziale (EMA) e l'indice di Gamma Vero Medio (ATR) per identificare opportunità di trading. Inoltre, può utilizzare le candele Heikin Ashi per migliorare la precisione dei segnali. Lascia una recensione dopo l'acquisto e ricevi un regalo bon
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
Easy Buy Sell is a market indicator for opening and closing positions. It becomes easy to track market entries with alerts. It indicates trend reversal points when a price reaches extreme values ​​and the most favorable time to enter the market. it is as effective as a Fibonacci to find a level but it uses different tools such as an algorithm based on ATR indicators and Stochastic Oscillator. You can modify these two parameters as you wish to adapt the settings to the desired period. It canno
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Matrix Arrow Indicator MT5   è un trend unico 10 in 1 che segue un indicatore multi-timeframe al   100% non ridipinto   che può essere utilizzato su tutti i simboli/strumenti:   forex ,   materie prime ,   criptovalute ,   indici ,   azioni .  Matrix Arrow Indicator MT5  determinerà la tendenza attuale nelle sue fasi iniziali, raccogliendo informazioni e dati da un massimo di 10 indicatori standard, che sono: Indice di movimento direzionale medio (ADX) Indice del canale delle materie prime (CCI
Questo cruscotto scopre e visualizza le zone di   domanda   e   offerta   sul grafico, sia in modalità scalping che a lungo termine, a seconda della vostra strategia di trading per i simboli selezionati. Inoltre, la modalità scanner del cruscotto vi aiuta a controllare tutti i simboli desiderati in un colpo d'occhio e a non perdere nessuna posizione adatta /   versione MT4 Indicatore gratuito:   Basic Supply Demand Caratteristiche Consente di visualizzare le opportunità di trading su pi
MetaForecast M5
Vahidreza Heidar Gholami
5 (2)
MetaForecast predice e visualizza il futuro di qualsiasi mercato basandosi sull'armonia dei dati dei prezzi. Sebbene il mercato non sia sempre prevedibile, se esiste un modello nei prezzi, MetaForecast può prevedere il futuro con la massima precisione possibile. Rispetto ad altri prodotti simili, MetaForecast può generare risultati più accurati analizzando le tendenze di mercato. Parametri di input Past size (Dimensione passata) Specifica il numero di barre che MetaForecast utilizza per creare
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   -  MTF      ( Multi Time Frame )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High
CBT Quantum Maverick Sistema di Trading Binario ad Alta Efficienza CBT Quantum Maverick è un sistema di trading binario ad alte prestazioni progettato per trader che cercano precisione, semplicità e disciplina. Non è necessaria alcuna personalizzazione: il sistema è ottimizzato per fornire risultati efficaci fin dall'inizio. Con un po' di pratica, i segnali possono essere facilmente compresi. Caratteristiche principali: Precisione dei Segnali: Segnali di trading basati sulla candela attuale
Altri dall’autore
This indicator is the converted Metatrader 5 version of the TradingView indicator "ATR Based Trendlines - JD" by Duyck. This indicator works by automatically and continuously drawing trendlines not based exclusively on price, but also based on the volatility perceived by the ATR. So, the angle of the trendlines is determined by (a percentage of) the ATR. The angle of the trendlines follows the change in price, dictated by the ATR at the moment where the pivot point is detected. The ATR percentag
FREE
This indicator informs the user when the ATR is above a certain value defined by the user, as well as when the ATR prints a percentage increase or percentage decrease in its value, in order to offer the user information about the occurrence of spikes or drops in volatility which can be widely used within volatility-based trading systems or, especially, in Recovery Zone or Grid Hedge systems. Furthermore, as the volatility aspect is extremely determining for the success rate of any system based o
This indicator is the converted Metatrader 4 version of the TradingView indicator "ATR Based Trendlines - JD" by Duyck. This indicator works by automatically and continuously drawing trendlines not based exclusively on price, but also based on the volatility perceived by the ATR. So, the angle of the trendlines is determined by (a percentage of) the ATR. The angle of the trendlines follows the change in price, dictated by the ATR at the moment where the pivot point is detected. The ATR percentag
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
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 ti
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
This indicator informs the user when the ATR is above a certain value defined by the user, as well as when the ATR prints a percentage increase or percentage decrease in its value, in order to offer the user information about the occurrence of spikes or drops in volatility which can be widely used within volatility-based trading systems or, especially, in Recovery Zone or Grid Hedge systems. Furthermore, as the volatility aspect is extremely determining for the success rate of any system based o
Filtro:
William J Pabon Caraballo
219
William J Pabon Caraballo 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
6035
Risposta dello sviluppatore Francisco Rayol 2024.08.02 20:21
You are always welcome. God bless you. And have good trades!
Rispondi alla recensione
Versione 1.3 2024.08.03
In this latest update, two new buffers have been added to the indicator to inform the Take Profit and Stop Loss prices. This allows the developer to use not only the existing Buy or Sell signals but also to choose to use the Take Profit or Stop Loss prices provided by the indicator. The indicator's presentation page now also includes an example code of an Expert Advisor, demonstrating how to use the indicator's buffers to add Buy or Sell signals as well as the Take Profit and Stop Loss prices offered by the indicator.
Versione 1.2 2024.03.03
The hours filter has been updated. Now the time lines show the start time and end time.
Another update was regarding the pre-defined color for the timetable lines, now it is Palegreen.
Versione 1.1 2024.02.29
Minor changes to the groups of the indicator parameters for better visual aspects.