• Información general
  • Comentarios (1)
  • Discusión (2)
  • Novedades

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.





































Comentarios 1
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Productos recomendados
Harmonic Patterns Osw MT5
William Oswaldo Mayorga Urduy
HARMONIC PATTERNS OSW MT5 Este indicador se encarga de detectar los Patrones Armónicos para que tu puedas operar sobre los mismos, dándote una señal para que tu puedas agregar un análisis manual si tomas o no la orden. Entre los Patrones Armonicos que el indicador detecta estan: >Gartley >Bat >Butterfly >Crab >Shark Entre las funciones que puedes encontrar están: >Generar Alertas a Mail, Mobile y PC >Cambiar los colores de los Armónicos, tanto de compra, como de venta. >Determinar los "Grados pe
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
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
El patrón 123 es uno de los patrones de gráficos más populares, potentes y flexibles. El patrón se compone de tres puntos de precio: un fondo, un pico o valle, y un retroceso de Fibonacci entre 38.2% y 71.8%. Un patrón se considera válido cuando el precio se rompe más allá del último pico o valle, momento en el que el indicador traza una flecha, levanta una alerta y se puede colocar el comercio. [ Guía de instalación | Guía de actualización | Solución de problemas | FAQ | Todos los productos ]
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
El Capturador de Tendencias: La Estrategia del Capturador de Tendencias con Indicador de Alerta es una herramienta versátil de análisis técnico que ayuda a los traders a identificar las tendencias del mercado y los posibles puntos de entrada y salida. Presenta una Estrategia dinámica del Capturador de Tendencias, adaptándose a las condiciones del mercado para una clara representación visual de la dirección de la tendencia. Los traders pueden personalizar los parámetros para que se ajusten a s
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.8 (56)
Este indicador identifica los   patrones armónicos   más populares que predicen los puntos de reversión del mercado. Estos patrones armónicos son formaciones de precios que se repiten constantemente en el mercado de divisas y sugieren posibles movimientos futuros de los precios /   Free MT4 Version Además, este indicador tiene incorporada una señal de entrada en el mercado, así como varios take profits y stop losses. Debe tenerse en cuenta que aunque el indicador de patrón armónico puede propor
FREE
Taurus MT5
Daniel Stein
5 (1)
Taurus simboliza la cima de los esfuerzos dedicados a perfeccionar la ya eficaz estrategia de reversión a la media, aprovechando nuestros exclusivos datos de volumen de negociación real. Negocia cada símbolo utilizando su mejor configuración única, proporcionando una relación riesgo/recompensa excepcional y una experiencia de negociación equilibrada y sin estrés para sus usuarios. Datos clave Estrategia de reversión media basada en datos únicos de volumen real Gestión seria del riesgo sin rejil
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)
Descripción :  nos complace presentar nuestro nuevo indicador gratuito basado en uno de los indicadores profesionales y populares en el mercado de divisas (PSAR). Este indicador es una nueva modificación del indicador Parabolic SAR original. En el indicador pro SAR puede ver el cruce entre puntos y el gráfico de precios. el cruce no es una señal, pero habla sobre el final del potencial de movimiento, puede comenzar a comprar con un nuevo punto azul y colocar un límite de pérdidas un atr antes
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
¡El nivel Premium es un indicador único con más del 80% de precisión de predicciones correctas! ¡Este indicador ha sido probado por los mejores especialistas en comercio durante más de dos meses! ¡El indicador del autor no lo encontrarás en ningún otro lugar! ¡A partir de las capturas de pantalla, puede ver por sí mismo la precisión de esta herramienta! 1 es ideal para operar con opciones binarias con un tiempo de vencimiento de 1 vela. 2 funciona en todos los pares de divisas, accion
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
Bienvenido al indicador de reconocimiento Ultimate Harmonic Patterns Este indicador detecta el patrón de Gartley, el patrón de murciélago y el patrón de cifrado en función de HH y LL de la estructura de precios y los niveles de Fibonacci, y cuando se alcanzan ciertos niveles de fib, el indicador mostrará el patrón en el gráfico. Este indicador es una combinación de mis otros 3 indicadores que detecta patrones avanzados Características : Algoritmo avanzado para detectar el patrón con alta precisi
El indicador construye cotizaciones actuales, que se pueden comparar con las históricas y, sobre esta base, hacer un pronóstico de movimiento de precios. El indicador tiene un campo de texto para una navegación rápida a la fecha deseada. Opciones: Símbolo - selección del símbolo que mostrará el indicador; SymbolPeriod - selección del período del cual el indicador tomará datos; IndicatorColor - color del indicador; HorisontalShift: cambio de cotizaciones dibujadas por el indicador
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
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
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
Difícil de encontrar y escasa en frecuencia, las divergencias son uno de los escenarios comerciales más confiables. Este indicador busca y escanea las divergencias regulares y ocultas automáticamente usando su oscilador favorito. [ Guía de instalación | Guía de actualización | Solución de problemas | FAQ | Todos los productos ] Fácil de comerciar Encuentra divergencias regulares y ocultas Admite muchos osciladores bien conocidos Implementa señales comerciales basadas en rupturas Muestra n
Los compradores de este producto también adquieren
Atomic Analyst MT5
Issam Kassas
4.79 (19)
En primer lugar, vale la pena enfatizar que este Indicador de Trading no repinta, no redibuja y no se retrasa, lo que lo hace ideal tanto para el trading manual como para el automatizado. Manual del usuario: configuraciones, entradas y estrategia. El Analista Atómico es un Indicador de Acción del Precio PA que utiliza la fuerza y el impulso del precio para encontrar una mejor ventaja en el mercado. Equipado con filtros avanzados que ayudan a eliminar ruidos y señales falsas, y aumentan el poten
Primero que todo, vale la pena enfatizar que este Sistema de Trading es un Indicador No Repintado, No Redibujado y No Retrasado, lo que lo hace ideal tanto para el trading manual como para el automatizado. Curso en línea, manual y descarga de ajustes preestablecidos. El "Sistema de Trading Inteligente MT5" es una solución completa de trading diseñada para traders nuevos y experimentados. Combina más de 10 indicadores premium y presenta más de 7 estrategias de trading robustas, lo que lo convie
Gold Stuff mt5
Vasiliy Strukov
4.9 (182)
Gold Stuff mt5: un indicador de tendencia diseñado específicamente para el oro, también se puede usar en cualquier instrumento financiero. El indicador no se vuelve a dibujar ni se retrasa. El marco de tiempo recomendado es H1. IMPORTANTE! Póngase en contacto conmigo inmediatamente después de la compra para obtener instrucciones y bonificación!   Puede obtener una copia gratuita de nuestro indicador Strong Support y Trend Scanner, por favor envíe un mensaje privado. ¡a mí! PARÁMETROS Draw
Quantum Trend Sniper
Bogdan Ion Puscasu
4.92 (48)
Introduciendo       Indicador Quantum Trend Sniper   , el innovador indicador MQL5 que está transformando la forma en que identificas y negocias los cambios de tendencia. Desarrollado por un equipo de comerciantes experimentados con experiencia comercial de más de 13 años,       Indicador de francotirador de tendencia cuántica       está diseñado para impulsar su viaje comercial a nuevas alturas con su forma innovadora de identificar cambios de tendencia con una precisión extremadamente alta.
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
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
Trend Screener Pro MT5
STE S.S.COMPANY
4.88 (67)
Desbloquee el poder del comercio de tendencias con el indicador Trend Screener: ¡su solución definitiva para el comercio de tendencias impulsada por lógica difusa y un sistema multidivisa!Mejore su comercio de tendencias con Trend Screener, el revolucionario indicador de tendencias impulsado por lógica difusa. Es un poderoso indicador de seguimiento de tendencias que combina más de 13 herramientas y funciones premium y 3 estrategias comerciales, lo que lo convierte en una opción versátil para co
FX Power MT5 NG
Daniel Stein
5 (6)
Obtenga su actualización diaria del mercado con detalles y capturas de pantalla a través de nuestro Morning Briefing aquí en mql5 y en Telegram ! FX Power MT5 NG es la nueva generación de nuestro popular medidor de fuerza de divisas, FX Power. ¿Y qué ofrece este medidor de fuerza de nueva generación? Todo lo que le encantaba del FX Power original PLUS Análisis de fuerza de ORO/XAU Resultados de cálculo aún más precisos Períodos de análisis configurables individualmente Límite de cálculo persona
Ante todo, vale la pena enfatizar que esta Herramienta de Trading es un Indicador No Repintado, No Redibujado y No Retrasado, lo que la hace ideal para el trading profesional. Curso en línea, manual del usuario y demostración. El Indicador de Conceptos de Acción del Precio Inteligente es una herramienta muy potente tanto para traders nuevos como experimentados. Combina más de 20 indicadores útiles en uno solo, combinando ideas avanzadas de trading como el Análisis del Trader del Círculo Inte
IX Power MT5
Daniel Stein
4.17 (6)
IX Power   lleva por fin la insuperable precisión de FX Power a los símbolos que no son de Forex. Determina con exactitud la intensidad de las tendencias a corto, medio y largo plazo de tus índices, acciones, materias primas, ETF e incluso criptodivisas favoritas. Puede   analizar todo lo   que su terminal le ofrece. Pruébalo y experimenta cómo   tu timing mejora significativamente   a la hora de operar. Características principales de IX Power Resultados de cálculo 100% precisos y sin rep
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
Automated Trendlines MT5
Georgios Kalomoiropoulos
Las líneas de tendencia son la herramienta más esencial del análisis técnico en el comercio de divisas. Desafortunadamente, la mayoría de los comerciantes no los dibujan correctamente. El indicador de líneas de tendencia automatizadas es una herramienta profesional para comerciantes serios que lo ayuda a visualizar el movimiento de tendencia de los mercados. Hay dos tipos de Trendlines Bullish Trendlines y Bearish Trendlines. En la tendencia alcista, la línea de tendencia de Forex se dib
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
Ahora $ 147 (aumentando a $ 499 después de algunas actualizaciones) - Cuentas ilimitadas (PC o Mac) Manual de usuario de RelicusRoad + Videos de capacitación + Acceso al grupo privado de Discord + Estado VIP UNA NUEVA MANERA DE VER EL MERCADO RelicusRoad es el indicador comercial más poderoso del mundo para divisas, futuros, criptomonedas, acciones e índices, y brinda a los comerciantes toda la información y las herramientas que necesitan para mantenerse rentables. Brindamos análisis téc
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
¡Actualmente con 33% de descuento! ¡La mejor solución para cualquier tráder principiante o experto! Este indicador es una herramienta comercial única, de alta calidad y asequible, porque incorpora una serie de características patentadas y una nueva fórmula. Con esta actualización, podrá mostrar zonas de doble marco temporal. No solo podrá mostrar un marco temporal más alto, sino también mostrar ambos, el marco temporal del gráfico MÁS el marco temporal más alto: MOSTRANDO ZONAS ANIDADAS. A todos
XQ Indicator MetaTrader 5
Marzena Maria Szmit
5 (1)
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
Blahtech Supply Demand MT5
Blahtech Limited
4.54 (13)
Was: $299  Now: $99   Supply Demand uses previous price action to identify potential imbalances between buyers and sellers. The key is to identify the better odds zones, not just the untouched ones. Blahtech Supply Demand indicator delivers functionality previously unavailable on any trading platform. This 4-in-1 indicator not only highlights the higher probability zones using a multi-criteria strength engine, but also combines it with multi-timeframe trend analysis, previously confirmed swings
Introduction to X3 Chart Pattern Scanner X3 Cherart Pattern Scanner is the non-repainting and non-lagging indicator detecting X3 chart patterns including Harmonic pattern, Elliott Wave pattern, X3 patterns, and Japanese Candlestick patterns. Historical patterns match with signal patterns. Hence, you can readily develop the solid trading strategy in your chart. More importantly, this superb pattern scanner can detect the optimal pattern of its kind. In addition, you can switch on and off individu
Este tablero muestra los últimos   patrones armónicos   disponibles para los símbolos seleccionados, por lo que ahorrará tiempo y será más eficiente /   versión MT4 . Indicador gratuito:   Basic Harmonic Pattern Columnas del indicador Symbol:   aparecerán los símbolos seleccionados Trend :   alcista o bajista Pattern :   tipo de patrón (gartley, mariposa, murciélago, cangrejo, tiburón, cifrado o ABCD) Entry :   precio de entrada SL:   precio de stop loss TP1:   1er precio de toma de benefici
Order Block Hunter MT5
Noha Mohamed Fathy Younes Badr
5 (1)
Order block hunter indicator is the best indicator for  hunt the order blocks that area where there has been a large concentration of limit orders waiting to be executed Order blocks are identified on a chart by observing previous price action and looking for areas where the price experienced significant movement or sudden changes in direction .This indicator does that for you by using very complicated codes and helps you to take the best areas To buy and sell because it make marks at the best a
AT Forex Indicator MT5
Marzena Maria Szmit
5 (4)
The AT Forex Indicator MT5 is a sophisticated trading tool designed to provide traders with a comprehensive analysis of multiple currency pairs. This powerful indicator simplifies the complex nature of the forex market, making it accessible for both novice and experienced traders. AT Forex Indicator uses advanced algorithms to detect trends, patterns and is an essential tool for traders aiming to enhance their forex trading performance. With its robust features, ease of use, and reliable signal
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
Este es un genial indicador para MT5 que ofrece señales precisas para entrar en una transacción sin redibujar. Se puede aplicar a cualquier activo financiero: fórex, criptomonedas, metales, acciones, índices. Nos dará valoraciones bastante precisas y nos dirá cuándo es mejor abrir y cerra una transacción. Eche un vistazo  al vídeo  (6:22), ¡contiene un ejemplo de procesamiento de una sola señal que ha amortizado el indicador! La mayoría de los tráders mejoran sus resultados comerciales durante l
AW Trend Predictor MT5
AW Trading Software Limited
4.78 (58)
La combinación de niveles de tendencia y ruptura en un sistema. Un algoritmo de indicador avanzado filtra el ruido del mercado, determina la tendencia, los puntos de entrada y los posibles niveles de salida. Las señales indicadoras se registran en un módulo estadístico, que le permite seleccionar las herramientas más adecuadas, mostrando la efectividad del historial de señales. El indicador calcula las marcas Take Profit y Stop Loss. Manual e instrucciones ->   AQUÍ   / Versión MT4 ->   AQUÍ Có
FX Volume MT5
Daniel Stein
4.94 (17)
Obtenga su actualización diaria del mercado con detalles y capturas de pantalla a través de nuestro Morning Briefing aquí en mql5 y en Telegram ! FX Volume es el PRIMER y ÚNICO indicador de volumen que proporciona una visión REAL del sentimiento del mercado desde el punto de vista de un bróker. Proporciona una visión impresionante de cómo los participantes institucionales del mercado, como los brokers, están posicionados en el mercado Forex, mucho más rápido que los informes COT. Ver esta info
FX Trend MT5
Daniel Stein
4.68 (37)
¿Quieres convertirte en un trader de 5 estrellas constantemente rentable? 1. Lee la descripción básica de nuestro sencillo trading sistema y y su mayor actualización de estrategia en 2020 2. Envíe una captura de pantalla de su compra para obtener su invitación personal a nuestro exclusivo chat de trading Tendencia Forex Muestra la dirección de la tendencia, la duración, la intensidad y la calificación de la tendencia resultante para todos los marcos temporales en tiempo real. De un solo vist
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   -  MTF      ( Multi Time Frame )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High
Introduciendo       Quantum Breakout PRO   , el innovador indicador MQL5 que está transformando la forma en que comercia con Breakout Zones. Desarrollado por un equipo de comerciantes experimentados con experiencia comercial de más de 13 años,       Desglose cuántico PRO       está diseñado para impulsar su viaje comercial a nuevas alturas con su innovadora y dinámica estrategia de zona de ruptura. El indicador de ruptura cuántica le dará flechas de señal en las zonas de ruptura con 5 zonas
Trend Forecaster
Alexey Minkov
5 (6)
The Trend Forecaster indicator utilizes a unique proprietary algorithm to determine entry points for a breakout trading strategy. The indicator identifies price clusters, analyzes price movement near levels, and provides a signal when the price breaks through a level. The Trend Forecaster indicator is suitable for all financial assets, including currencies (Forex), metals, stocks, indices, and cryptocurrencies. You can also adjust the indicator to work on any time frames, although it is recommen
Elliott Wave Trend was designed for the scientific wave counting. This tool focuses to get rid of the vagueness of the classic Elliott Wave Counting using the guideline from the template and pattern approach. In doing so, firstly Elliott Wave Trend offers the template for your wave counting. Secondly, it offers Wave Structural Score to assist to identify accurate wave formation. It offers both impulse wave Structural Score and corrective wave Structure Score. Structural Score is the rating to sh
Otros productos de este autor
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 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
Filtro:
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
5124
Respuesta del desarrollador Francisco Rayol 2024.08.02 20:21
You are always welcome. God bless you. And have good trades!
Respuesta al comentario
Versión 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.
Versión 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.
Versión 1.1 2024.02.29
Minor changes to the groups of the indicator parameters for better visual aspects.