• Overview
  • Reviews (1)
  • Comments (2)
  • What's new

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.





































Reviews 1
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Recommended products
Harmonic Patterns Osw MT5
William Oswaldo Mayorga Urduy
HARMONIC PATTERNS OSW MT5 This indicator is in charge of detecting the Harmonic Patterns so that you can operate on them, giving you a signal so that you can add a manual analysis if you take the order or not. Among the Harmonic Patterns that the indicator detects are: >gartley >bat >Butterfly >crab >Shark Among the functions that you can find are: >Generate Alerts to Mail, Mobile and PC >Change the colors of the Harmonics, both buying and selling. >Determine the "Allowed
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 ]
Fibonacci and RSI Demo version MQL5
Carlos Daniel Vazquez Rosas
4 (1)
Fibonacci and RSI. Demo versión only works with GBPUSD. For full version, please, visit visit https://www.mql5.com/en/market/product/52101 The indicator is a combination of the Fibonacci and RSI indicators. Every time the price touches one of the fibonacci levels and the rsi condition is met, an audible alert and a text alert are generated. Parameters number_of_candles : It is the number of candles that will be calculated. If you put 100, the indicator will give you the maximum and min
FREE
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
The Trend Catcher: The Trend Catcher Strategy with Alert Indicator is a versatile technical analysis tool that aids traders in identifying market trends and potential entry and exit points. It features a dynamic Trend Catcher Strategy , adapting to market conditions for a clear visual representation of trend direction. Traders can customize parameters to align with their preferences and risk tolerance. The indicator assists in trend identification, signals potential reversals, serves as a trail
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
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.81 (57)
This indicator identifies the most popular   Harmonic Patterns   which predict market reversal points.  These harmonic patterns are price formations that are constantly repeating in the forex market and suggest possible future price movements /    Free MT4 Version Dashboard Scanner for this indicator: ( Basic Harmonic Patterns Dashboard ) Comparison of "Basic Harmonic Pattern" vs. "Basic Harmonic Patterns Dashboard" Indicators Feature Basic Harmonic Pattern Basic Harmonic Patterns Dashboard
FREE
Taurus MT5
Daniel Stein
5 (1)
Taurus symbolizes the peak of dedicated endeavours to refine the already effective Mean Reversion strategy, leveraging our unique real trading volume data. It trades each symbol using its unique best settings, providing an exceptional risk/reward ratio and a balanced, stress-free trading experience for its users. Key Facts Mean Reversion strategy based on unique real volume data Serious risk management without grids, martingale or averaging Handling all 28 main forex symbols with their individu
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
5 (1)
Description :  we are happy to introduce our new free indicator based on one of professional and popular indicators in forex market (Parabolic SAR) this indicator is new modification on original Parabolic SAR indicator, in pro SAR indicator you can see cross over between dots and price chart, this crossover is not signal but talk about end of movement potential, you can start buy by new blue dot, and place stop loss one atr before first blue dot, and finally you can exit as soon as dots cross
FREE
Tops and Bottoms Indicator
Josue De Matos Silva
4.57 (7)
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
Premium level is a unique indicator with more than 80% accuracy of correct predictions! This indicator has been tested for more than two months by the best Trading Specialists! The author's indicator you will not find anywhere else! From the screenshots you can see for yourself the accuracy of this tool! 1 is great for trading binary options with an expiration time of 1 candle. 2 works on all currency pairs, stocks, commodities, cryptocurrencies Instructions: As soon as the red ar
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
The indicator builds current quotes, which can be compared with historical ones and on this basis make a price movement forecast. The indicator has a text field for quick navigation to the desired date. Options: Symbol - selection of the symbol that the indicator will display; SymbolPeriod - selection of the period from which the indicator will take data; IndicatorColor - indicator color; Inverse - true reverses quotes, false - original view; Next are the settings of the te
The   Three White Soldiers candlestick pattern   is formed by three candles. Here’s how to identify the Three White Soldiers candlestick pattern: Three consecutive bullish candles The bodies should be big The wicks should be small or non-existent This 3-candle bullish candlestick pattern is a reversal pattern, meaning that it’s used to find bottoms. For this reason, we want to see this pattern after a move to the downside, showing that bulls are starting to take control. When a Three White Soldi
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
PZ Fibonacci MT5
PZ TRADING SLU
4.63 (16)
Are you tired of plotting Fibonacci retracements or extensions manually? This indicator displays Fibo retracements or extensions automatically, calculated from two different price points, without human intervention or manual object anchoring. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Easy to use Manual anchoring is not needed Perfect for price confluence studies The indicator evaluates if retracements or extensions are needed Once drawn, you can manually edit t
FREE
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
Three Inside Up GA
Osama Echchakery
The   Three Inside Up   candlestick pattern is formed by three candles. Here’s how to identify the Three Inside Up candlestick pattern: The first candle must be bearish The second candle must be bullish The close of the second candle should ideally be above the 50% level of the body of the first one The third candle should close above the first one This 3-candle bullish candlestick pattern is a reversal pattern, meaning that it’s used to find bottoms. For this reason, we want to see this pattern
Auto Fib Retracements
Ross Adam Langlands Nelson
4.33 (6)
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
Unlock hidden profits: accurate divergence trading for all markets Special Offer: Purchase now to receive free bonuses worth $159! (Read more for details) Tricky to find and scarce in frequency, divergences are one of the most reliable trading scenarios. This indicator finds and scans for regular and hidden divergences automatically using your favourite oscillator. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Easy to trade Finds regular and hidden divergences
Buyers of this product also purchase
Atomic Analyst MT5
Issam Kassas
4.6 (20)
First of all Its worth emphasizing here that this Trading Indicator is   Non-Repainting   , Non Redrawing and Non Lagging Indicator   Indicator, Which makes it ideal from both manual and robot trading.  User manual: settings, inputs and strategy . The Atomic Analyst  is a PA Price Action Indicator that uses Strength and Momentum of the price to find a better edge in the market. Equipped with Advanced filters which help remove noises and false signals, and Increase Trading Potential. Using Mult
Atbot
Zaha Feiz
4.97 (29)
ATbot : How It Works and How to Use It How It Works The "AtBot" indicator for the MT5 platform generates buy and sell signals using a combination of technical analysis tools. It integrates Simple Moving Average (SMA), Exponential Moving Average (EMA), and the Average True Range (ATR) index to identify trading opportunities. Additionally, it can utilize Heikin Ashi candles to enhance signal accuracy. MQL Channel    Leave a massage after purchase and receive a special bonus gift. "DM me to connect
First of all Its worth emphasizing here that this Trading System is Non-Repainting   , Non Redrawing and Non Lagging Indicator Which makes it ideal from both manual and robot trading .  Online course, manual and download presets. The Smart Trend Trading System MT5 is a comprehensive trading solution tailored for new and experienced traders . It combines over 10 premium indicators and features more than 7 robust trading strategies , making it a versatile choice for diverse market conditions . Tre
TPSpro RFI Levels MT5
Roman Podpora
4.67 (9)
Reversal First Impulse levels (RFI)      INSTRUCTIONS        RUS       -       ENG              R ecommended to use with an indicator   -   TPSpro  TREND PRO -  Version MT4                 A key element in trading is zones or levels from which decisions to buy or sell a trading instrument are made. Despite attempts by major players to conceal their presence in the market, they inevitably leave traces. Our task was to learn how to identify these traces and interpret them correctly. Main functi
TPSproTREND PrO MT5
Roman Podpora
4.89 (9)
TPSpro TREND PRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  Version MT4               DETAILED DESCRIPTION               R ecommended to use with an
Gold Stuff mt5
Vasiliy Strukov
4.9 (185)
Gold Stuff mt5 is a trend indicator designed specifically for gold and can also be used on any financial instrument. The indicator does not redraw and does not lag. Recommended time frame H1. Contact me immediately after the purchase to get   personal bonus!  You can get a free copy of our Strong Support and Trend Scanner indicator, please pm. me! Settings  and manual   here   SETTINGS Draw Arrow - on off. drawing arrows on the chart. Alerts -   on off audible alerts. E-mail notification - on of
Quantum Trend Sniper
Bogdan Ion Puscasu
4.92 (48)
Introducing   Quantum Trend Sniper Indicator , the groundbreaking MQL5 Indicator that's transforming the way you identify and trade trend reversals! Developed by a team of experienced traders with trading experience of over 13 years,   Quantum Trend Sniper Indicator   is designed to propel your trading journey to new heights with its innovative way of identifying trend reversals with extremely high accuracy. ***Buy Quantum Trend Sniper Indicator and you could get Quantum Breakout Indicator fo
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
First of all Its worth emphasizing here that this Trading Tool is Non Repainting , Non Redrawing and Non Lagging Indicator , Which makes it ideal for professional trading . Online course, user manual and demo. The Smart Price Action Concepts Indicator is a very powerful tool for both new and experienced traders . It packs more than 20 useful indicators into one , combining advanced trading ideas like Inner Circle Trader Analysis and Smart Money Concepts Trading Strategies . This indicator focus
Trend Screener Pro MT5
STE S.S.COMPANY
4.88 (67)
Unlock the Power of Trends Trading with the Trend Screener Indicator: Your Ultimate Trend Trading Solution powered by Fuzzy Logic and Multi-Currencies System! Elevate your trading game with the Trend Screener, the revolutionary trend indicator designed to transform your Metatrader into a powerful Trend Analyzer. This comprehensive tool leverages fuzzy logic and integrates over 13 premium features and three trading strategies, offering unmatched precision and versatility. LIMITED TIME OFFER : Sup
FX Power MT5 NG
Daniel Stein
5 (6)
Trading GOLD, and currencies, with the dog walk strategy  - super smart Trading GOLD, and currencies, with the breakout strategy  - super easy Visit our all-new   Stein Investments Welcome Page   to get the latest information, updates and trading strategies. FX Power MT5 NG  is the next generation of our long-time very popular currency strength meter, FX Power.  And what does this next-generation strength meter offer? Everything you have loved about the original FX Power  PLUS GOLD/XAU st
FX Volume MT5
Daniel Stein
4.94 (17)
Visit our all-new   Stein Investments Welcome Page   to get the latest information, updates and trading strategies. FX Volume is the FIRST and ONLY volume indicator that provides a REAL insight into the market sentiment from a broker's point of view. It provides awesome insights into how institutional market participants, like brokers, are positioned in the Forex market, much faster than COT reports. Seeing this information directly on your chart is the real game-changer and breakthrough solut
Easy By 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. My othe
IX Power MT5
Daniel Stein
4.17 (6)
IX Power   finally brings the unbeatable precision of FX Power to all your trading symbols. It accurately determines the intensity of short, medium and long-term trends in your favourite indices, stocks, commodities, ETFs, and even cryptocurrencies. You can   analyse everything   your terminal has to offer. Try it out and experience how   your timing improves significantly   when trading. Read about our latest strategic development -  Easy scalping with IX Power Visit our all-new   Stein Inve
TrendMaestro5
Stefano Frisetti
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link:  https://www.mql5.com/it/market/product/108106 TRENDMAESTRO ver 2.4 TRENDMAESTRO recognizes a new TREND in the bud, he never makes mistakes. The certainty of identifying a new TREND is priceless. DESCRIPTION TRENDMAESTRO identifies a new TREND in the bud, this indicator examines the volatility, volumes and momentum to identify the moment in which there is an explosion of one or more of these data a
How many times have you bought a trading indicator with great back-tests, live account performance proof with fantastic numbers and stats all over the place but after using it, you end up blowing your account? You shouldn't trust a signal by itself, you need to know why it appeared in the first place, and that's what RelicusRoad Pro does best! NOW $147 (increasing to $499 after a few updates) - UNLIMITED ACCOUNTS (PCs or MACs) **  User Manual + Strategies + Training Videos + Private Group with
XQ Indicator MetaTrader 5
Marzena Maria Szmit
3.5 (2)
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
This dashboard shows the latest available   harmonic patterns   for the selected symbols, so you will save time and be more efficient /   MT4 version . Free Indicator:   Basic Harmonic Pattern Comparison of "Basic Harmonic Pattern" vs. "Basic Harmonic Patterns Dashboard" Indicators Feature Basic Harmonic Pattern Basic Harmonic Patterns Dashboard Functionality Detects and displays harmonic patterns on a single chart Searches multiple symbols and timeframes for harmonic patterns, displays
Golden Spikes Premium
Kwaku Bondzie Ghartey
Golden Spikes Detector Acknowledgement and Dedications:  The name of this indicator was Inspired by an Original; Mr Grant Koopman; a Knowledgeable and experienced Synthetics trader. I dedicate this indicator to Mr Grant.  Overview: The Golden Spikes Premium is a groundbreaking trading indicator meticulously crafted for the Boom and Crash indices on the Deriv market. Tailored to meet the needs of discerning traders, this powerful tool operates exclusively on the one-minute timeframe, providin
Gartley Hunter Multi
Siarhei Vashchylka
5 (8)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. A
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance, HH/LL/HL/LH,    Fair Value Gap, FVG, Invert FVG, IFVG,  Premium  &   Discount   Zones, Fibonacci Retracement, OTE, Buy Side Liquidity, Sell Side Liquidity, BSL/SSL Taken, Equal Highs & Lows, MTF Dashboard, Multiple Time Frame, BigBar, HTF OB, HTF
PZ Support Resistance MT5
PZ TRADING SLU
4.17 (6)
Unlock key market insights with automated support and resistance lines Special Offer: Purchase now to receive free bonuses worth $89! (Read more for details) Tired of plotting support and resistance lines? This is a multi-timeframe indicator that detects and plots supports and resistance lines in the chart with the same precision as a human eye would. As price levels are tested over time and its importance increases, the lines become thicker and darker, making price leves easy to glance and ev
The Smart Liquidity Profile is color-coded based on the importance of the traded activity at specific price levels, allowing traders to identify significant price levels such as support and resistance levels, supply and demand zones, liquidity gaps, consolidation zones, Buy-Side/Sell-Side Liquidity and so on.  Smart Liquidity Profile allows users to choose from a number of different time periods including 'Auto,' 'Fixed Range,' 'Swing High,' 'Swing Low,' 'Session,' 'Day,' 'Week,' 'Month,' 'Quart
Volume by Price MT5
Brian Collard
3.6 (5)
The Volumebyprice.com Indicator for MetaTrader 5 features Volume Profile and Market Profile TPO (Time Price Opportunity). Volume and TPO histogram bar and line charts. Volume Footprint charts. TPO letter and block marker collapsed and split structure charts. Static, dynamic and flexible range segmentation and compositing methods with relative and absolute visualizations. Session hours filtering and segment concatenation with Market Watch and custom user specifications. Graphical layering, posit
Volatility Trend System - a trading system that gives signals for entries. The volatility system gives linear and point signals in the direction of the trend, as well as signals to exit it, without redrawing and delays. The trend indicator monitors the direction of the medium-term trend, shows the direction and its change. The signal indicator is based on changes in volatility and shows market entries. The indicator is equipped with several types of alerts. Can be applied to various trading in
ATrend
Zaha Feiz
4.5 (2)
ATREND: How It Works and How to Use It How It Works The " ATREND " indicator for the MT5 platform is designed to provide traders with robust buy and sell signals by utilizing a combination of technical analysis methodologies. This indicator primarily leverages the Average True Range (ATR) for volatility measurement, alongside trend detection algorithms to identify potential market movements. Leave a massage after purchase and receive a special bonus gift. 8 copies left for 39$ price  Key Fe
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"
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (14)
Matrix Arrow Indicator MT5  is a unique 10 in 1 trend following   100% non-repainting  multi-timeframe indicator that can be used on all symbols/instruments:   forex,   commodities,   cryptocurrencies,   indices,   stocks .  Matrix Arrow Indicator MT5  will determine the current trend at its early stages, gathering information and data from up to 10 standard indicators, which are: Average Directional Movement Index (ADX) Commodity Channel Index (CCI) Classic Heiken Ashi candles Moving Aver
AUGUST SALE NOW ON - 30% OFF TILL 31ST AUGUST. WAS $49, NOW $34 ! Profit from market structure changes as price reverses and pulls back. The market structure reversal alert indicator identifies when a trend or price move is approaching exhaustion and ready to reverse. It alerts you to changes in market structure which typically occur when a reversal or major pullback are about to happen. The indicator identifies breakouts and price momentum initially, every time a new high or low is formed near
** All Symbols x All Timeframes scan just by pressing scanner button ** ***Contact me after purchase to send you instructions and add you in "123 scanner group" for sharing or seeing experiences with other users. After 17 years of experience in the markets and programming, Winner indicator is ready. I would like to share with you! Introduction The 123 Pattern Scanner indicator with a special enhanced algorithm is a very repetitive common pattern finder with a high success rate . Interestingly,
More from author
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
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
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
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
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 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 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
Filter:
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
5181
Reply from developer Francisco Rayol 2024.08.02 20:21
You are always welcome. God bless you. And have good trades!
Reply to review
Version 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.
Version 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.
Version 1.1 2024.02.29
Minor changes to the groups of the indicator parameters for better visual aspects.