• Übersicht
  • Bewertungen (1)
  • Diskussion (2)
  • Neue Funktionen

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.





































Bewertungen 1
William J Pabon Caraballo
220
William J Pabon Caraballo 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Empfohlene Produkte
Harmo EA
Matteo Schizzerotto
Wollten Sie schon immer einen Handelsassistenten haben, der lukrative harmonische Muster automatisch erkennen kann? Wir präsentieren stolz unseren innovativen Expert Advisor, der auf harmonischen Mustern in der Welt des Forex basiert Unser Expert Advisor ist eine hochentwickelte Software, die auf fortschrittlichen Algorithmen basiert und speziell für die Analyse von Finanzmarktdaten und die Identifizierung der profitabelsten Handelssignale entwickelt wurde. Mit erstaunlicher Genauigkeit kann
Harmonic Patterns Osw MT5
William Oswaldo Mayorga Urduy
HARMONISCHE MUSTER OSW MT5 Dieser Indikator ist dafür verantwortlich, die harmonischen Muster zu erkennen, damit Sie sie bearbeiten können, und gibt Ihnen ein Signal, damit Sie eine manuelle Analyse hinzufügen können, ob Sie die Bestellung annehmen oder nicht. Zu den harmonischen Mustern, die der Indikator erkennt, gehören: >gartley >Fledermaus >Schmetterling >Krabbe >Hai Zu den Funktionen, die Sie finden können, gehören: >Generieren Sie Benachrichtigungen per E-Mail, Mobilger
Monster Harmonics Indicator is a harmonic pattern indicator. It recognizes Gartley, Bat, Crab, Butterfly, Cypher, White Swan, Black Swan, Shark and AB=CD patterns. Projected patterns that are not yet completed are recognized, too. Monster even shows the PRZ (Potential Reversal Zone). Users can add their own user defined patterns to Monster. Besides the current pattern, Monster also shows all patterns in the symbols history. Monster will provide alerts for developing patterns. Introduced by H.M.
The 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
Das 123-Muster ist eines der beliebtesten, leistungsstärksten und flexibelsten Diagrammmuster. Das Muster besteht aus drei Preispunkten: einem Boden, einem Gipfel oder Tal und einem Fibonacci-Retracement zwischen 38,2% und 71,8%. Ein Muster gilt als gültig, wenn der Preis jenseits des letzten Gipfels oder Tals abbricht, in dem der Indikator einen Pfeil zeichnet, einen Alarm auslöst und der Handel platziert werden kann. [ Installationsanleitung | Update-Anleitung | Fehlerbehebung | FAQ | Alle Pr
CandleStick Pattern Indicator MT5
Driller Capital Management UG
5 (1)
Dies ist ein einfacher Candle Stick Pattern Indikator, der in jeder Zeiteinheit funktioniert und nach standardmäßigen Paramtern automatisch entsprechende Pattern im Chart anzeigt, sobald die Bedingungen erfüllt sind. Folgende Candle Stick Pattern sind derzeit implementiert: Bullish Hammer | Bearish Hammer Bullish Inverted Hammer | Bearish Inverted Hammer Bullish Engulfing | Bearish Engulfing Piercing | Dark Cloud Cover Bullish 3 Inside | Bearish 3 Inside Die Formationen werden automatisch berech
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
Der Trendfänger: Die Strategie des Trendfängers mit Alarmindikator ist ein vielseitiges technisches Analysewerkzeug, das Händlern hilft, Markttrends und potenzielle Ein- und Ausstiegspunkte zu identifizieren. Sie verfügt über eine dynamische Trendfängerstrategie, die sich den Marktbedingungen anpasst, um eine klare visuelle Darstellung der Trendrichtung zu ermöglichen. Händler können die Parameter an ihre Vorlieben und Risikotoleranz anpassen. Der Indikator hilft bei der Trendidentifikation,
FREE
The   Fibonacci Confluence Toolkit   is a technical analysis tool designed to help traders identify potential price reversal zones by combining key market signals and patterns. It highlights areas of interest where significant price action or reactions are anticipated, automatically applies Fibonacci retracement levels to outline potential pullback zones, and detects engulfing candle patterns. Its unique strength lies in its reliance solely on price patterns, eliminating the need for user-define
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.78 (68)
Dieser Indikator identifiziert die beliebtesten   Harmonic Patterns , die Marktumkehrpunkte vorhersagen. Diese harmonischen Muster sind Kursformationen, die sich auf dem Devisenmarkt ständig wiederholen und auf mögliche zukünftige Kursbewegungen hindeuten /   Free MT4 Version Darüber hinaus verfügt dieser Indikator über ein eingebautes Markteintrittssignal sowie über verschiedene Gewinnmitnahmen und Stop-Losses. Es ist zu beachten, dass der Harmonische Muster-Indikator zwar eigenständig Kauf-
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)
Beschreibung :  Wir freuen uns, Ihnen unseren neuen kostenlosen Indikator vorzustellen, der auf einem der professionellen und beliebten Indikatoren auf dem Devisenmarkt (Parabolic SAR) basiert. Dieser Indikator ist eine neue Modifikation des ursprünglichen Parabolic SAR-Indikators. Diese Überkreuzung ist kein Signal, sondern spricht über das Potenzial für das Ende der Bewegung. Sie können mit dem Kauf bei einem neuen blauen Punkt beginnen und einen Stop-Loss ein Atr vor dem ersten blauen Punk
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
Der Indikator erstellt aktuelle Notierungen, die mit historischen verglichen werden können, und auf dieser Grundlage eine Preisbewegungsprognose erstellen. Der Indikator verfügt über ein Textfeld zur schnellen Navigation zum gewünschten Datum. Optionen: Symbol - Auswahl des Symbols, das der Indikator anzeigen soll; SymbolPeriod - Auswahl des Zeitraums, aus dem der Indikator Daten aufnimmt; IndicatorColor - Indikatorfarbe; HorisontalShift - Verschiebung der vom Indikator gezeichnet
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
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
Käufer dieses Produkts erwarben auch
Trend Screener Pro MT5
STE S.S.COMPANY
4.88 (68)
Nutzen Sie die Macht des Trendhandels mit Trend Screener Indicator: Ihrer ultimativen Trendhandelslösung, die auf Fuzzy-Logik und einem System mit mehreren Währungen basiert! Steigern Sie Ihren Trendhandel mit Trend Screener, dem revolutionären Trendindikator mit Fuzzy-Logik. Es handelt sich um einen leistungsstarken Trendfolgeindikator, der über 13 Premium-Tools und -Funktionen sowie 3 Handelsstrategien kombiniert und ihn zu einer vielseitigen Wahl macht, um Ihren Metatrader in einen Trendanaly
TPSproTREND PrO MT5
Roman Podpora
4.54 (13)
TPSpro TREND PRO   ist ein Trendindikator, der den Markt automatisch analysiert und Informationen über den Trend und jede seiner Änderungen liefert sowie Signale für den Einstieg in Geschäfte ohne Neuzeichnung gibt! Der Indikator verwendet jede Kerze und analysiert sie separat. bezieht sich auf verschiedene Impulse – Aufwärts- oder Abwärtsimpuls. Exakte Einstiegspunkte in Transaktionen für Währungen, Krypto, Metalle, Aktien, Indizes! Version MT5                   VOLLSTÄNDIGE BESCHREIBUNG DES I
TPSpro RFI Levels MT5
Roman Podpora
4.67 (15)
ANWEISUNGEN       Russland       -        ENG    Die Empfehlung basiert auf dem Indikator -   TPSpro   TREND PRO -   Version MT5 Die wichtigsten Elemente in der Branche sind entweder in Zonen oder in der Fabrik enthalten, oder sie führen zu einer Lösung bei einem Kauf oder dem Verkauf eines anderen Instruments. Wenn viele Menschen ihre Rechte nicht auf dem Händlerkonto verschlüsseln, werden die Folgen nicht schnell genug sein. Ich habe es damit abgeschlossen, dass ich diese Folgen nun noch inter
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.83 (12)
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
Zunächst einmal ist es wichtig zu betonen, dass dieses Handelstool ein Nicht-Repaint-, Nicht-Redraw- und Nicht-Verzögerungsindikator ist, was es ideal für professionelles Trading macht. Online-Kurs, Benutzerhandbuch und Demo. Der Smart Price Action Concepts Indikator ist ein sehr leistungsstarkes Werkzeug sowohl für neue als auch erfahrene Händler. Er vereint mehr als 20 nützliche Indikatoren in einem und kombiniert fortgeschrittene Handelsideen wie die Analyse des Inner Circle Traders und S
FX Volume MT5
Daniel Stein
4.93 (14)
Verschaffen Sie sich einen echten Vorteil am Forex mit FX Volume: Dem ultimativen Volumenindikator FX Volume ist der erste und einzige Volumenindikator, der die echte Marktstimmung aus der Sicht eines Insiders aufzeigt. FX Volume bietet einzigartige Einblicke in die Positionierung von institutionellen Marktteilnehmern und Brokern und ermöglicht es Ihnen, mit der Voraussicht zu handeln, die normalerweise den großen Akteuren vorbehalten ist. Verabschieden Sie sich von den verzögerten COT-Bericht
Gold Stuff mt5
Vasiliy Strukov
4.92 (173)
Gold Stuff mt5-Ein Trendindikator, der speziell für Gold entwickelt wurde, kann auch auf allen Finanzinstrumenten verwendet werden. Der Indikator wird nicht neu gezeichnet und verzögert sich nicht. Empfohlener Zeitrahmen H1. WICHTIG! Kontaktieren Sie mich sofort nach dem Kauf, um Anweisungen und Bonus zu erhalten!     Sie können eine kostenlose Kopie unseres Strong Support- und Trendscanner-Indikators erhalten, bitte senden Sie uns eine persönliche Nachricht. Mich! DATEN Draw Arrow - in
Support And Resistance Screener ist ein Level-Indikator für MetaTrader, der mehrere Tools innerhalb eines Indikators bietet. Die verfügbaren Werkzeuge sind: 1. Marktstruktur-Screener. 2. Bullische Pullback-Zone. 3. Bärische Pullback-Zone. 4. Tägliche Pivot-Punkte 5. wöchentliche Pivots-Punkte 6. monatliche Pivots-Punkte 7. Starke Unterstützung und Widerstand basierend auf harmonischem Muster und Volumen. 8. Zonen auf Bankebene. ZEITLICH BEGRENZTES ANGEBOT: HV Support and Resistance Indicator ist
Dies ist ein Indikator für MT5, der genaue Signale für den Einstieg in einen Handel ohne Repainting (Neuzeichnen) liefert. Er kann auf alle Finanzwerte angewendet werden: Forex, Kryptowährungen, Metalle, Aktien, Indizes. Er liefert ziemlich genaue Schätzungen und sagt Ihnen, wann es am besten ist, eine Position zu eröffnen und zu schließen. Sehen Sie sich das Video (6:22) mit einem Beispiel für die Verarbeitung nur eines Signals an, das sich für den Indikator gelohnt hat! Die meisten Händler ver
Quantum TrendPulse
Bogdan Ion Puscasu
5 (5)
Wir stellen   Quantum TrendPulse   vor, das ultimative Handelstool, das die Leistung von   SuperTrend   ,   RSI   und   Stochastic   in einem umfassenden Indikator vereint, um Ihr Handelspotenzial zu maximieren. Dieser Indikator wurde für Händler entwickelt, die Präzision und Effizienz suchen, und hilft Ihnen dabei, Markttrends, Momentumverschiebungen und optimale Ein- und Ausstiegspunkte sicher zu erkennen. Hauptmerkmale: SuperTrend-Integration:   Folgen Sie problemlos dem vorherrschenden Markt
Jetzt 147 US -Dollar (nach ein paar Aktualisierungen auf 499 US -Dollar) - Unbegrenzte Konten (PCs oder MACs) RelicusRoad Benutzerhandbuch + Schulungsvideos + Zugang zur privaten Discord-Gruppe + VIP-Status EINE NEUE ART, DEN MARKT ZU BETRACHTEN RelicusRoad ist der weltweit leistungsstärkste Handelsindikator für Forex, Futures, Kryptowährungen, Aktien und Indizes und gibt Händlern alle Informationen und Tools, die sie benötigen, um profitabel zu bleiben. Wir bieten technische Analysen un
Zunächst einmal ist es wichtig zu betonen, dass dieses Handelssystem ein Nicht-Repainting-, Nicht-Redrawing- und Nicht-Verzögerungsindikator ist, was es sowohl für manuelles als auch für automatisches Trading ideal macht. Online-Kurs, Handbuch und Vorlagen herunterladen. Das "Smart Trend Trading System MT5" ist eine umfassende Handelslösung, die für neue und erfahrene Trader maßgeschneidert ist. Es kombiniert über 10 Premium-Indikatoren und bietet mehr als 7 robuste Handelsstrategien, was es zu
Enjoy a   50% OFF   Christmas holiday sale!   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 breakouts from key support and re
FxaccurateLS
Shiv Raj Kumawat
WHY IS OUR FXACCCURATE LS MT5 THE PROFITABLE ? PROTECT YOUR CAPITAL WITH RISK MANAGEMENT Gives entry, stop and target levels from time to time. It finds Trading opportunities by analyzing what the price is doing during established trends. POWERFUL INDICATOR FOR A RELIABLE STRATEGIES We have made these indicators with a lot of years of hard work. It is made at a very advanced level. Established trends provide dozens of trading opportunities, but most trend indicators completely ignore them!
Gold Trend 5
Sergei Linskii
5 (1)
Gold Trend - dies ist ein guter technischer Indikator für Aktien. Der Algorithmus des Indikators analysiert die Preisbewegung eines Vermögenswerts und spiegelt die Volatilität und mögliche Einstiegszonen wider. Die besten Indikatorsignale: - Für VERKAUFEN = rotes Histogramm + roter SHORT-Zeiger + gelber Signalpfeil in dieselbe Richtung. - Für KAUFEN = blaues Histogramm + blauer LONG-Zeiger + aquafarbener Signalpfeil in dieselbe Richtung. Vorteile des Indikators: 1. Der Indikator erz
IX Power MT5
Daniel Stein
4.17 (6)
Wir stellen IX Power vor - das ultimative Tool zur Steigerung Ihrer Handelsgenauigkeit! IX Power wurde mit der gleichen unschlagbaren Genauigkeit wie FX Power entwickelt und ermöglicht Ihnen, jedes Handelssymbol zu beherrschen, von Indizes und Aktien bis hin zu Rohstoffen, ETFs und sogar Kryptowährungen. Machen Sie sich bereit, Ihren Handel mit präzisen Einblicken in kurz-, mittel- und langfristige Trends bei all Ihren bevorzugten Anlagen zu verbessern. Warum IX Power wählen? Mit IX Power wir
MetaForecast M5
Vahidreza Heidar Gholami
5 (2)
MetaForecast prognostiziert und visualisiert die Zukunft eines beliebigen Marktes basierend auf den Harmonien in den Preisdaten. Obwohl der Markt nicht immer vorhersehbar ist, kann MetaForecast, wenn es ein Muster im Preis gibt, die Zukunft so genau wie möglich voraussagen. Im Vergleich zu ähnlichen Produkten kann MetaForecast durch die Analyse von Markttrends genauere Ergebnisse erzeugen. Eingabeparameter Past size (Vergangene Größe) Gibt an, wie viele Balken MetaForecast verwendet, um ein Mo
FX Power MT5 NG
Daniel Stein
5 (7)
Schöpfen Sie die volle Leistung von FX Power NG aus: Dem ultimativen Währungsstärkemesser Seit mehr als acht Jahren unterstützt FX Power Händler weltweit mit zuverlässigen, präzisen Analysen der Währungsstärke. FX Power NG hebt dieses bewährte Tool nun auf die nächste Stufe und bietet fortschrittliche Funktionen, die Ihnen unübertroffene Genauigkeit, Anpassungsfähigkeit und Einblicke in Ihr Trading ermöglichen. Was macht FX Power NG zu einem Muss für ernsthafte Trader? FX Power NG baut auf a
Atomic Analyst MT5
Issam Kassas
4.32 (19)
Zunächst einmal ist es erwähnenswert, dass dieser Handelsindikator nicht neu malt, nicht neu zeichnet und keine Verzögerung aufweist, was ihn sowohl für manuellen als auch für Roboterhandel ideal macht. Benutzerhandbuch: Einstellungen, Eingaben und Strategie. Der Atom-Analyst ist ein PA-Preisaktionsindikator, der die Stärke und das Momentum des Preises nutzt, um einen besseren Vorteil auf dem Markt zu finden. Ausgestattet mit fortschrittlichen Filtern, die helfen, Rauschen und falsche Signale z
FX Dynamic - Der einzige ATR-Indikator, den Sie jemals brauchen werden Sind Sie bereit, Ihre Handelsstrategien mit unvergleichlicher Präzision und Einsicht zu optimieren? Lernen Sie FX Dynamic kennen, den ersten und einzigen ATR-Indikator, der für währungsbasierte Analysen und die automatische Anpassung an die GMT-Verschiebungen der Broker entwickelt wurde. Verabschieden Sie sich von veralteten Tools und nutzen Sie die ultimative Lösung zur Beherrschung der Marktvolatilität. Warum FX Dynami
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
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
MetaBands M5
Vahidreza Heidar Gholami
4.5 (2)
MetaBands verwendet leistungsstarke und einzigartige Algorithmen, um Kanäle zu zeichnen und Trends zu erkennen, sodass es Tradern potenzielle Punkte für den Einstieg und Ausstieg aus Trades bieten kann. Es ist ein Kanalindikator sowie ein leistungsstarker Trendindikator. Es umfasst verschiedene Arten von Kanälen, die einfach durch Verwendung der Eingabeparameter zusammengeführt werden können. MetaBands verwendet alle Arten von Warnmeldungen, um Benutzer über Marktereignisse zu informieren. Funkt
Dieses Dashboard zeigt die   neuesten verfügbaren harmonischen   Muster für die ausgewählten Symbole, so dass Sie Zeit sparen und effizienter sein werden /   MT4-Version . Kostenloser Indikator:   Basic Harmonic Pattern Spalten des Indikators Symbol:   die ausgewählten Symbole werden angezeigt Trend:   bullish oder bearish Pattern :   Art des Musters (Gartley, Schmetterling, Fledermaus, Krabbe, Hai, Cypher oder ABCD) Entry :   Einstiegskurs SL:   Stop-Loss-Kurs TP1:   1. Take-Profit-Kurs
Weis Wave with Alert MT5
Trade The Volume Waves Single Member P.C.
4.94 (16)
Rental/Lifetime Package Options and Privileges  Rent Monthly Six Months   Yearly/Lifetime Weis Wave with Speed with Alert+Speed Index x x x Manual  x x x Quick Set up Video x x x Blog x x x Lifetime Updates x x x Setup and Training Material x x Discord Access Channel "The SI traders"          x Rectangle Break Alert Tool      x How to trade with it:    http://www.tradethevolumewaves.com   ** If you purchase please contact me to setup your  : Two hour  webinar and  training Room and  com
ATrend
Zaha Feiz
4.8 (10)
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. Key Features: ⦁ Dynamic Trend Det
-   Real price is 80$   - 25% Discount ( It is 59$ now ) Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 Non-repaint Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breakouts. Many false breakouts start with a candlestick that breaks out of a level but ends with an
Trend Line Map Pro MT5
STE S.S.COMPANY
4.09 (11)
Trend Line Map Indicator ist ein Add-On für Trend Screener Indicator. Es arbeitet als Scanner für alle Signale, die vom Trendscreener (Trendliniensignale) erzeugt werden. Es ist ein Trend Line Scanner basierend auf dem Trend Screener Indicator. Wenn Sie keinen Trend Screener Pro Indicator haben, funktioniert die Trend Line Map Pro nicht. It's a Trend Line Scanner based on Trend Screener Indicator. If you don't have Trend Screener Pro Indicator,     the Trend Line Map Pro will not work .
Natürlich, hier ist die Übersetzung in Deutsch: Vorstellung des Astronomie-Indikators für   MT4 / MT5 : Dein ultimativer himmlischer Trading-Begleiter Bist du bereit, deine Trading-Erfahrung auf himmlische Höhen zu heben? Suche nicht weiter als unseren revolutionären Astronomie-Indikator für MT4. Dieses innovative Tool übertrifft herkömmliche Trading-Indikatoren und nutzt komplexe Algorithmen, um dir unvergleichliche astronomische Einblicke und präzise Berechnungen zu bieten. Ein Universum an In
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,  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 Market Structure
Weitere Produkte dieses Autors
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 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
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
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
Auswahl:
William J Pabon Caraballo
220
William J Pabon Caraballo 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
6087
Antwort vom Entwickler Francisco Rayol 2024.08.02 20:21
You are always welcome. God bless you. And have good trades!
Antwort auf eine Rezension
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.