• Обзор
  • Отзывы (1)
  • Обсуждение (2)
  • Что нового

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.





































Отзывы 1
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Рекомендуем также
ГАРМОНИЧЕСКИЕ ПАТТЕРНЫ OSW MT5 Этот индикатор отвечает за обнаружение гармонических паттернов, чтобы вы могли работать с ними, давая вам сигнал, чтобы вы могли добавить ручной анализ, принимаете ли вы ордер или нет. Среди гармонических паттернов, которые обнаруживает индикатор: >гартли >летучая мышь >Бабочка >краб >Акула Среди функций, которые вы можете найти: > Генерировать оповещения на почту, мобильный телефон и ПК > Меняйте цвета гармоник, как при покупке, так и при прод
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
Введение Индикатор Harmonic Volatility стал первым техническим инструментом, использующим уровни Фибоначчи для анализа волатильности на рынке. Индикатор объединяет коэффициенты Фибоначчи (0.618, 0.382 и т.д.) с торговой волатильностью. Изначально индикатор Harmonic Volatility разрабатывался как способ преодолеть ограничение и слабые стороны угла Ганна, также известного как "Веер Ганна". Мы продемонстрировали, что индикатор Harmonic Volatility можно использовать на графике аналогично углу Ганна (
Паттерн 123 - один из самых популярных, мощных и гибких графических паттернов. Паттерн состоит из трех ценовых точек: дна, пика или долины и восстановления Фибоначчи между 38,2% и 71,8%. Паттерн считается действительным, когда цена выходит за пределы последнего пика или долины, в момент, когда индикатор строит стрелку, выдает предупреждение, и сделка может быть размещена. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Четкие торговые сиг
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
Ловец трендов: Стратегия Ловец трендов с индикатором оповещения - это универсальный инструмент технического анализа, который помогает трейдерам определять рыночные тренды и потенциальные точки входа и выхода. Он представляет собой динамичную стратегию Ловец трендов, адаптирующуюся к рыночным условиям для четкого визуального представления направления тренда. Трейдеры могут настраивать параметры в соответствии со своими предпочтениями и уровнем риска. Индикатор помогает в идентификации тренда,
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 Билла Уильямса с возможностью тонкой настройки и замены алгоритмов усреднения индикатора, что значительно расширяет возможности применения этого осциллятора в алгоритмическом трейдинге и приближает его по своим свойствам к такому индикатору, как MACD. Для уменьшения ценовых шумов итоговый индикатор обработан дополнительным усреднением Smooth.  Индикатор имеет возможность подавать алерты, отправлять почтовые сообщения и push-сигналы при смене направления движения осциллятора и
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
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
Этот индикатор определяет наиболее популярные гармонические паттерны, которые предсказывают точки разворота рынка. Эти гармонические паттерны представляют собой ценовые формации, которые постоянно повторяются на рынке Форекс и указывают на возможные будущие движения цены /   Бесплатная версия MT4 Кроме того, данный индикатор имеет встроенный сигнал входа в рынок, а также различные тейк-профиты и стоп-лоссы. Следует отметить, что хотя индикатор гармонических паттернов может сам по себе давать
FREE
Taurus MT5
Daniel Stein
5 (1)
Taurus символизирует вершину усилий по совершенствованию уже эффективной стратегии Mean Reversion, используя наши уникальные данные о реальных торговых объемах. Она торгует каждым инструментом, используя его уникальные наилучшие настройки, обеспечивая исключительное соотношение риск/вознаграждение и сбалансированную торговлю без стресса для своих пользователей. Ключевые факты Среднереверсивная стратегия, основанная на уникальных данных о реальном объеме торгов Серьезный риск-менеджмент без сето
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
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)
Описание :  мы рады представить наш новый бесплатный индикатор, основанный на одном из профессиональных и популярных индикаторов на рынке форекс (PSAR), этот индикатор является новой модификацией оригинального индикатора Parabolic SAR, в индикаторе pro SAR вы можете видеть пересечение между точками и графиком цены, это пересечение не является сигналом, а говорит о возможности окончания движения, вы можете начать покупать с новой синей точки, и разместить стоп-лосс за один атр до первой синей
FREE
Tops & Bottoms Indicator FREE   Tops abd Bottoms:   An effective indicator for your trades The tops and bottoms indicator helps you to find  ascending and descending channel formations with indications of ascending and/or descending tops and bottoms. In addition, it  show possibles  opportunities with a small yellow circle when the indicator encounters an impulse formation. This indicator provide to you  more security and speed in making entry decisions. Also test our FREE advisor indicator:
FREE
Premium level - это уникальный индикатор с точностью правильных прогнозов  более 80%!  Данный индикатор тестировался более двух месяцев лучшими Специалистами в области Трейдинга!  Индикатор авторский такого вы больше не где не найдете!  По скриншотах можете сами увидеть точностью данного инструмента!  1 отлично подходит для торговли бинарными опционами со временем экспирации на 1 свечу. 2 работает на всех валютных парах, акциях, сырье, криптовалютах Инструкция: Как только появляется красная стре
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
Добро пожаловать в индикатор распознавания Ultimate Harmonic Patterns Этот индикатор обнаруживает паттерн Гартли, паттерн Летучая мышь и паттерн Сайфер на основе HH и LL ценовой структуры и уровней Фибоначчи, и когда определенные уровни Фибоначчи встречаются, индикатор показывает паттерн на графике, Этот индикатор представляет собой комбинацию трех других моих индикаторов, которые обнаруживают сложные паттерны. Функции : Усовершенствованный алгоритм обнаружения паттерна с высокой точностью. Обна
Индикатор строит текущие котировки, которые можно сравнить с историческими и на этом основании сделать прогноз ценового движения. Индикатор имеет текстовое поле для быстрой навигации к нужной дате. Параметры : Symbol - выбор символа, который будет отображать индикатор; SymbolPeriod - выбор периода, с которого индикатор будет брать данные; IndicatorColor - цвет индикатора; Inverse - true переворачивает котировки, false - исходный вид; Далее идут настройки текстового поля, в которое можн
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)
Устали от ручной установки уровней и расширений Фибоначчи? Индикатор самостоятельно рассчитывает уровни и расширения Фибоначчи из двух разных ценовых точек и автоматически отображает их. Прост в использовании Ручная привязка не требуется Идеально подходит для отслеживания пересечения с ценой Индикатор оценивает, нужны ли уровни или расширения После отображения привязку можно менять вручную Адаптриуется к размеру графика и масштабу: Уменьшите масштаб, чтобы получить общую картину Увеличьте масшта
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
Сложно найти и дефицит по частоте, дивергенции являются одним из самых надежных торговых сценариев. Этот индикатор автоматически находит и сканирует регулярные и скрытые расхождения, используя ваш любимый осциллятор. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Легко торговать Находит регулярные и скрытые расхождения Поддерживает много известных генераторов Реализует торговые сигналы на основе прорывов Отображает подходящие уровни ст
С этим продуктом покупают
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным
Gold Stuff mt5
Vasiliy Strukov
4.9 (182)
Gold Stuff mt5 - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  Свяжитесь со мной сразу после покупки для получения   персонального бонуса!   Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки и мануал  здесь ПАРАМЕТРЫ Draw Arrow -   вкл.выкл. отрисовку стрелок на графике. A
Reversal First Impulse levels (RFI)          INSTRUCTIONS     RUS      -      ENG          Рекомендуем использовать с индикатором - TPSpro  TREND PRO -  Version MT4             Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! Version MT4                ПОЛНОЕ ОПИСАНИЕ ИНДИКАТОРА          Рекомендуем использовать с  индикатором -  RFI LEVE
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
Quantum Trend Sniper
Bogdan Ion Puscasu
4.92 (48)
Представляем       Индикатор Quantum Trend Sniper   , инновационный индикатор MQL5, который меняет способ определения разворотов тренда и торговли ими! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Снайперский индикатор Quantum Trend       разработан, чтобы вывести ваше торговое путешествие на новые высоты благодаря инновационному способу определения разворотов тренда с чрезвычайно высокой точностью. ***Купите индикатор Quantum Trend Sniper и получите индикатор
Получайте ежедневную информацию о рынке с подробностями и скриншотами через наш утренний брифинг здесь, на mql5 , и в Telegram ! FX Power MT5 NG - это новое поколение нашего популярного измерителя силы валют FX Power. Что же предлагает этот измеритель силы нового поколения? Все, что вы любили в оригинальном FX Power ПЛЮС Анализ силы GOLD/XAU Еще более точные результаты расчетов Индивидуально настраиваемые периоды анализа Настраиваемый предел расчета для еще более высокой производительности Спец
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли конц
IX Power MT5
Daniel Stein
4.17 (6)
IX Power , наконец, предлагает непревзойденную точность FX Power для нефорексных символов. Он точно определяет интенсивность краткосрочных, среднесрочных и долгосрочных трендов в ваших любимых индексах, акциях, товарах, ETF и даже криптовалютах. Вы можете   анализировать все, что   может предложить ваш терминал. Попробуйте и почувствуйте, как   значительно улучшается ваш тайминг   при торговле. Ключевые особенности IX Power 100% точные результаты расчетов без перерисовки - для всех торгов
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-про
Топовый индикатор МТ5, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT4 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его.
Сейчас 147 долл. США (увеличиваясь до 499 долл. США после нескольких обновлений) - неограниченные учетные записи (ПК или Mac) Руководство пользователя + Обучающие видео + Доступ к приватному Discord-каналу + VIP-статус и мобильная версия + Лицензия на 5 ПК с неограниченным количеством аккаунтов и терминалов MT4. Сколько раз вы покупали индикатор торговли с замечательными обратными тестами, доказательствами производительности на живых счетах и зашикарными цифрами и статистикой, но после испо
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
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
Индикатор Supply Demand использует предыдущее ценовое действие для выявления потенциального дисбаланса между покупателями и продавцами. Ключевым является определение зон с лучшими возможностями, а не просто вероятностей. Индикатор Blahtech Supply Demand обеспечивает функционал, не доступный ни в одной платформе. Этот индикатор 4 в 1 не только выделяет зоны с более высокой вероятностью на основе механизма оценки силы по множественным критериям, но также комбинирует его с мульти-таймфреймовым ана
Этот индикатор является уникальным, качественным и доступным инструментом для торговли, включающим в себя наши собственные разработки и новую формулу. В обновленной версии появилась возможность отображать зоны двух таймфреймов. Это означает, что вам будут доступны зоны не только на старшем ТФ, а сразу с двух таймфреймов - таймфрейма графика и старшего: отображение вложенных зон. Обновление обязательно понравится всем трейдерам, торгующим по зонам спроса и предложения. Важная информация Для мак
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
AW Trend Predictor MT5
AW Trading Software Limited
4.78 (58)
Сочетание тренда и пробоя уровней в одной системе. Продвинутый алгоритм индикатора фильтрует рыночный шум, определяет тренд, точки входа, а также возможные уровни выхода из позиции. Сигналы индикатора записываются в статистический модуль, который позволяет выбирать наиболее подходящие инструменты, показывая эффективность истории сигналов. Индикатор рассчитывает отметки ТейкПрофитов и стоплосса. Руководство пользователя ->  ЗДЕСЬ  / MT4 версия ->  ЗДЕСЬ Как торговать с индикатором: Торговля с Tr
FX Trend MT5
Daniel Stein
4.68 (37)
FX Trend отображает направление тренда, его длительность, интенсивность и итоговый рейтинг для всех таймфреймов в реальном времени. Если вы хотите узнать, как определить правильные торговые возможности для постоянной прибыльности и успеха, мы настоятельно рекомендуем изучить правила нашей ПРОСТОЙ ТОРГОВОЙ СИСТЕМЫ ->  нажмите здесь, чтобы извлечь выгоду Основные возможности FX Trend Аналитические функции Анализ трендов в реальном времени для всех таймфреймов Идентичные результаты расчетов на в
Представляем       Quantum Breakout PRO   , новаторский индикатор MQL5, который меняет ваш способ торговли в зонах прорыва! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Квантовый прорыв PRO       разработан, чтобы поднять ваше торговое путешествие к новым высотам с его инновационной и динамичной стратегией зоны прорыва. Quantum Breakout Indicator покажет вам сигнальные стрелки на зонах прорыва с 5 целевыми зонами прибыли и предложением стоп-лосса на основе по
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
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
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (14)
Индикатор Matrix Arrow MT5   — это уникальный индикатор тренда 10 в 1, следующий за   100% неперерисовывающимся   индикатором с несколькими таймфреймами, который можно использовать на всех символах/инструментах:   форекс ,  товары ,   криптовалюты ,   индексы ,  акции . Индикатор Matrix Arrow MT5  будет определять текущую тенденцию на ранних этапах, собирая информацию и данные от до 10 стандартных индикаторов, а именно: Индекс среднего направленного движения (ADX) Индекс товарного канала (CCI)
Gold TMAF MTF – это лучший биржевой технический индикатор. Алгоритм индикатора анализирует движение цены актива и отражает волатильность и потенциальные зоны для входа.   Самые лучшие сигналы индикатора: Для SELL = красная верхняя граница TMA2 выше красной верхней границы TMA1 + красный указатель фрактала сверху + желтая сигнальная стрелка SR в этом же направлении. Для BUY = синяя нижняя граница TMA2 ниже синей нижней границы TMA1 + синий указатель фрактала снизу + аква сигнальная стрелка SR в
Линии тренда являются наиболее важным инструментом технического анализа в торговле на рынке Форекс. К сожалению, большинство трейдеров рисуют их неправильно. Индикатор Automated Trendlines — это профессиональный инструмент для серьезных трейдеров, который поможет вам визуализировать трендовое движение рынков. Есть два типа линий тренда: бычьи линии тренда и медвежьи линии тренда. В восходящем тренде линия тренда Форекс проводится через самые низкие точки колебания ценового движения. Сое
Индикатор Elliott Wave Trend был разработан для научного подсчета волн на основе шаблонов и паттернов, впервые разработанных Чжон Хо Сео. Индикатор нацелен на максимальное устранение нечеткости классического подсчета волн Эллиотта с использованием шаблонов и паттернов. Таким образом индикатор Elliott Wave Trend в первую очередь предоставляет шаблон для подсчета волн. Во-вторых, он предлагает структурный подсчет волн Wave Structural Score, которые помогает определить точное формирование волны. Он
Gartley Hunter Multi - Индикатор для поиска гармонических моделей одовременно на десятках торговых инструментов и на всех возможных ценовых диапазонах. Инструкция/Мануал ( Обязательно читайте перед приобретением ) | Версия для МТ4 Преимущества 1. Паттерны: Гартли, Бабочка, Акула, Краб. Летучая мышь, Альтернативная летучая мышь, Глубокий краб, Cypher 2. Одновременный поиск паттернов на десятках торговых инструментов и на всех возможных таймфреймах 3. Поиск паттернов всех возможных размеров. От
Golden Spikes Detector Overview: The Golden Spikes Premium is a groundbreaking trading indicator meticulously crafted for the Boom and Crash indices on the Deriv market. Tailored to meet the needs of discerning traders, this powerful tool operates exclusively on the one-minute timeframe, providing timely and precise signals to maximize your trading potential. The Golden Spikes Detector stands out in its ability to deliver accurate signals, ensuring that you capitalize on market opportunities wit
FX Volume MT5
Daniel Stein
4.94 (17)
Получайте ежедневную информацию о рынке с подробностями и скриншотами в нашем утреннем брифинге здесь, на mql5 , и в Telegram ! FX Volume - это ПЕРВЫЙ и ЕДИНСТВЕННЫЙ индикатор объема, который дает РЕАЛЬНОЕ представление о настроении рынка с точки зрения брокера. Он дает потрясающее представление о том, как институциональные участники рынка, такие как брокеры, позиционируют себя на рынке Forex, гораздо быстрее, чем отчеты COT. Видеть эту информацию прямо на своем графике - это настоящий геймчей
Другие продукты этого автора
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 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
Фильтр:
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
5171
Ответ разработчика Francisco Rayol 2024.08.02 20:21
You are always welcome. God bless you. And have good trades!
Ответ на отзыв
Версия 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.
Версия 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.
Версия 1.1 2024.02.29
Minor changes to the groups of the indicator parameters for better visual aspects.