• 미리보기
  • 리뷰 (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.

추천 제품
Harmonic Patterns Osw MT5
William Oswaldo Mayorga Urduy
고조파 패턴 OSW MT5 이 표시기는 고조파 패턴을 감지하여 작업할 수 있도록 신호를 제공하여 주문을 받는지 여부에 따라 수동 분석을 추가할 수 있도록 합니다. 표시기가 감지하는 고조파 패턴은 다음과 같습니다. >가틀리 >박쥐 >나비 >게 >상어 찾을 수 있는 기능은 다음과 같습니다. > 메일, 모바일 및 PC에 대한 경고 생성 > 구매 및 판매 모두에서 고조파의 색상을 변경합니다. > "허용된 각도"를 결정합니다. 즉, 고조파가 38.2에 도달해야 하고 "허용된 각도"가 5인 경우 가격이 정확히 38.2에 닿지 않기 때문에 가격이 33.2와 43.2 사이가 되도록 허용합니다. > 1000개의 구성 가능한 양초 후에 고조파를 삭제하여 이전 그래픽 개체로 그래프를 로드하지 않도록 합니다. >지표가 움직임을 읽는 방법을 알기 위해 분석 중인 선 또는 충동 및 좌절을 표시합니다. >지그재그 구성으로 가격 변동을 측정하고 하모닉 패턴을
PZ Penta O MT5
PZ TRADING SLU
The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
Introduction to Harmonic Volatility Indicator Harmonic Volatility Indicator is the first technical analysis applying the Fibonacci analysis to the financial volatility. Harmonic volatility indicator is another level of price action trading tool, which combines robust Fibonacci ratios (0.618, 0.382, etc.) with volatility. Originally, Harmonic Volatility Indicator was developed to overcome the limitation and the weakness of Gann’s Angle, also known as Gann’s Fan. We have demonstrated that Harmonic
Unlock powerful breakout opportunities The 123 Pattern is one of the most popular, powerful and flexible chart patterns. The pattern is made up of three price points: a bottom, a peak or valley, and a Fibonacci retracement between 38.2% and 71.8%. A pattern is considered valid when the price breaks beyond the last peak or valley, moment at which the indicator plots an arrow, rises an alert, and the trade can be placed. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ]
Fibonacci and RSI Demo version MQL5
Carlos Daniel Vazquez Rosas
4 (1)
Fibonacci and RSI. Demo versión only works with GBPUSD. For full version, please, visit visit https://www.mql5.com/en/market/product/52101 The indicator is a combination of the Fibonacci and RSI indicators. Every time the price touches one of the fibonacci levels and the rsi condition is met, an audible alert and a text alert are generated. Parameters number_of_candles : It is the number of candles that will be calculated. If you put 100, the indicator will give you the maximum and min
FREE
CandleStick Pattern Indicator MT5
Driller Capital Management UG
5 (1)
This is a simple Candle Stick Pattern Indicator, which shows in the current time period all standardisized Patterns in the chart. All Patterns will be calculatet automatically based on standard conditions. Following Candle Stick Patterns are included: Bullish Hammer | Bearish Hammer Bullish Inverted Hammer | Bearish Inverted Hammer Bullish Engulfing | Bearish Engulfing Piercing | Dark Cloud Cover Bullish 3 Inside | Bearish 3 Inside There are only a few settings at the begining to take. Every Pat
FREE
KT Renko Patterns MT5
KEENBASE SOFTWARE SOLUTIONS
KT Renko Patterns scans the Renko chart brick by brick to find some famous chart patterns that are frequently used by traders across the various financial markets. Compared to the time-based charts, patterns based trading is easier and more evident on Renko charts due to their uncluttered appearance. KT Renko Patterns features multiple Renko patterns, and many of these patterns are extensively explained in the book titled Profitable Trading with Renko Charts by Prashant Shah. A 100% automate
Trend Catcher with Alert MT5
Issam Kassas
4.63 (78)
트렌드 캐쳐: 알림 인디케이터와 함께 하는 트렌드 캐쳐 전략은 시장 트렌드와 잠재적인 진입 및 체크 포인트를 식별하는 데 도움이 되는 다목적 기술 분석 도구입니다. 이는 시장 상황에 적응하여 트렌드 방향을 명확하게 시각적으로 표현하는 동적 트렌드 캐쳐 전략을 제공합니다. 트레이더는 선호도와 위험 허용도에 맞게 매개변수를 사용자 정의할 수 있습니다. 이 인디케이터는 트렌드 식별을 지원하고 잠재적인 반전을 신호로 제공하며 트레일링 스탑 메커니즘으로 작동하며 실시간 경고를 제공하여 신속한 시장 대응을 돕습니다. 특징: - 트렌드 식별: 상승 트렌드와 하락 트렌드를 신호합니다. - 트렌드 반전: 양봉 색상이 상승에서 하락으로 변경되거나 그 반대의 경우 잠재적인 반전을 경고합니다. - 실시간 경고: 새로운 트렌드 식별을 위한 경고를 생성합니다. 추천사항: - 통화 및 페어: EURUSD, AUDUSD, XAUUSD 등... - 시간 프레임: H1. - 계정 유형: 모든 E
FREE
Volume Doji
Ricardo Almeida Branco
Hey guys. This indicator will show you, in the volume histogram, if the candle was a Doji, a bullish candle, or a bearish candle. The construction of this indicator was requested by a trader who uses other indicators from my catalog, and I decided to release it free to help traders who think that the indicator can contribute to their operations. The parameters are: Volume Type: Real Volume or Tick Volume. Color if the candle is bearish: select the color. Color if the candle is high:
FREE
Awesome Oscillator by Bill Williams with the ability to fine-tune and replace the averaging algorithms of the indicator, which significantly expands the possibilities of using this oscillator in algorithmic trading and brings it closer in its properties to such an indicator as the MACD. To reduce price noise, the final indicator is processed with an additional Smooth averaging. The indicator has the ability to give alerts, send mail messages and push signals when the direction of movement of th
Introduction to Fractal Pattern Scanner Fractal Indicator refers to the technical indicator that makes use of the fractal geometry found in the financial market. Fractal Pattern Scanner is the advanced Fractal Indicator that brings the latest trading technology after the extensive research and development work in the fractal geometry in the financial market. The most important feature in Fractal Pattern Scanner is the ability to measure the turning point probability as well as the trend probabil
Candlestick Pattern Teller
Flavio Javier Jarabeck
5 (1)
Minions Labs' Candlestick Pattern Teller It shows on your chart the names of the famous Candlesticks Patterns formations as soon as they are created and confirmed. No repainting. That way beginners and also professional traders who have difficulties in visually identifying candlestick patterns will have their analysis in a much easier format. Did you know that in general there are 3 types of individuals: Visual, Auditory, and Kinesthetic? Don't be ashamed if you cannot easily recognize Candlest
Basic Harmonic Pattern MT5
Mehran Sepah Mansoor
4.81 (57)
이 지표는 시장 반전 시점을 예측하는 가장 인기 있는 하모닉 패턴을 식별합니다. 이러한 하모닉 패턴은 외환 시장에서 지속적으로 반복되는 가격 형성이며 향후 가능한 가격 움직임을 제안합니다 /   무료 MT4 버전 또한 이 보조지표에는 시장 진입 신호와 다양한 이익실현 및 손절매 신호가 내장되어 있습니다. 하모닉 패턴 지표는 자체적으로 매수/매도 신호를 제공할 수 있지만 다른 기술 지표를 사용하여 이러한 신호를 확인하는 것이 좋습니다. 예를 들어, 매수/매도하기 전에 추세의 방향과 모멘텀의 강도를 확인하기 위해 RSI 또는 MACD와 같은 오실레이터를 사용하는 것을 고려할 수 있습니다. 이 인디케이터의 대시보드 스캐너: ( Basic Harmonic Patterns Dashboard ) 포함된 하모닉 패턴 가틀리 버터플라이 박쥐 게 Shark Cypher ABCD 주요 입력 Max allowed deviation (%):   이 매개변수는 하모닉 패턴의 형성에
FREE
Taurus MT5
Daniel Stein
5 (1)
토러스는 고유한 실제 거래량 데이터를 활용하여 이미 효과적인 평균회귀 전략을 개선하기 위한 노력의 정점을 상징합니다. 각 종목을 고유한 최적의 설정으로 거래하여 사용자에게 탁월한 위험/보상 비율과 균형 잡힌 스트레스 없는 거래 경험을 제공합니다. 주요 정보 고유한 실제 거래량 데이터를 기반으로 한 평균 수익률 전략 그리드, 마틴게일 또는 평균화 없이 철저한 리스크 관리 28개 주요 외환 심볼을 모두 개별 최적 설정으로 처리 심볼당 최대 한 번의 거래 및 항상 고정 손절매 사용 모든 트레이더에게 적합한 거래당 100% 조정 가능한 리스크 100% FIFO 호환 100% PROP 회사 준비 링크 토러스 FAQ - 클릭 토러스 채팅 - 클릭 트레이딩 시그널 - 클릭 기술 요구 사항 1. 다음을 수행하세요. 터미널 속성에서 허용되는 URL 목록에 다음 URL 을 추가하세요 . - 볼륨 데이터의 경우-> - 뉴스 모듈의 경우-> https://nfs.faireconomy.me
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)
설명 :  우리는 외환 시장(PSAR)에서 전문적이고 인기 있는 지표 중 하나를 기반으로 하는 새로운 무료 지표를 도입하게 된 것을 기쁘게 생각합니다. 이 지표는 원래 포물선 SAR 지표에 대한 새로운 수정이며, 프로 SAR 지표에서 점과 가격 차트 사이의 교차를 볼 수 있습니다. 교차는 신호가 아니지만 이동 가능성의 끝을 말하는 것입니다. 새로운 파란색 점으로 매수를 시작하고 첫 번째 파란색 점 앞에 손절매를 1 attr 배치하고 마지막으로 점이 가격 차트를 교차하는 즉시 종료할 수 있습니다. 매수 또는 매도 신호를 여는 방법은 무엇입니까? 첫 번째 파란색 점으로 공개 매수 거래 및 첫 번째 빨간색 점으로 공개 매도 거래 정확한 손절매는 어디에 있습니까? 안전한 정지 손실은 첫 번째 점에 있을 수 있습니다(구매의 경우 첫 번째 파란색 점, 매도의 경우 첫 번째 빨간색 점) 올바른 이익실현은 어디에 있습니까? 이익실현은 손절매 거리와 RR에 따라 조정할 수 있으므
FREE
Tops and Bottoms Indicator
Josue De Matos Silva
4.57 (7)
Tops & Bottoms Indicator FREE   Tops abd Bottoms:   An effective indicator for your trades The tops and bottoms indicator helps you to find  ascending and descending channel formations with indications of ascending and/or descending tops and bottoms. In addition, it  show possibles  opportunities with a small yellow circle when the indicator encounters an impulse formation. This indicator provide to you  more security and speed in making entry decisions. Also test our FREE advisor indicator:
FREE
Premium level Pro
Dmitriy Kashevich
Premium level is a unique indicator with more than 80% accuracy of correct predictions! This indicator has been tested for more than two months by the best Trading Specialists! The author's indicator you will not find anywhere else! From the screenshots you can see for yourself the accuracy of this tool! 1 is great for trading binary options with an expiration time of 1 candle. 2 works on all currency pairs, stocks, commodities, cryptocurrencies Instructions: As soon as the red ar
Ultimate Candle Patterns
Wojciech Daniel Knoff
This is a multi-symbol and multi-timeframe table-based indicator designed for a candlestick patterns detection with 46 patterns for META TRADER 5. Each formation has own image for easier recognition. Here you find most popular formations such as "Engulfing", "Hammer", "Three Line Strike", "Piercing" or Doji - like candles. Check my full list of patterns on my screenshots below. Also you can not only switch all bearish or bullish patterns from input, but also select formation for a specified symb
Welcome to the Ultimate Harmonic Patterns recognition indicator that is focused to detect advanced patterns. The Gartley pattern, Bat pattern, and Cypher pattern  are popular technical analysis tools used by traders to identify potential reversal points in the market. Our Ultimate Harmonic Patterns recognition Indicator is a powerful tool that uses advanced algorithms to scan the markets and identify these patterns in real-time. With our Ultimate Harmonic Patterns recognition Indicator, you
표시기는 현재 시세를 작성하여 과거 시세와 비교할 수 있으며 이를 바탕으로 가격 변동을 예측합니다. 표시기에는 원하는 날짜로 빠르게 이동할 수 있는 텍스트 필드가 있습니다. 옵션: 기호 - 표시기가 표시할 기호 선택. SymbolPeriod - 지표가 데이터를 가져올 기간 선택. IndicatorColor - 표시기 색상. HorisontalShift - 지시자가 그린 따옴표를 지정된 막대 수만큼 이동합니다. Inverse - true는 인용 부호를 반대로, false - 원래 보기를 반전합니다. ChartVerticalShiftStep - 차트를 수직으로 이동합니다(키보드의 위/아래 화살표). 다음은 날짜를 입력할 수 있는 텍스트 필드의 설정으로, '엔터'를 누르면 즉시 이동할 수 있습니다.
The   Three White Soldiers candlestick pattern   is formed by three candles. Here’s how to identify the Three White Soldiers candlestick pattern: Three consecutive bullish candles The bodies should be big The wicks should be small or non-existent This 3-candle bullish candlestick pattern is a reversal pattern, meaning that it’s used to find bottoms. For this reason, we want to see this pattern after a move to the downside, showing that bulls are starting to take control. When a Three White Soldi
The new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
PZ Fibonacci MT5
PZ TRADING SLU
4.63 (16)
Are you tired of plotting Fibonacci retracements or extensions manually? This indicator displays Fibo retracements or extensions automatically, calculated from two different price points, without human intervention or manual object anchoring. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Easy to use Manual anchoring is not needed Perfect for price confluence studies The indicator evaluates if retracements or extensions are needed Once drawn, you can manually edit t
FREE
ZigZag with Fibonacci
Rafael Caetano Pinto
This indicator uses the metaquotes ZigZag indicator as base to plot fibonacci extension and fibonacci retracement based in the Elliot waves. A fibonacci retracement will be plotted on every wave draw by the ZigZag. A fibonacci extension will be plotted only after the 2nd wave. Both fibonacci will be updated over the same wave tendency. Supporting until 9 consecutive elliot waves. Parameters: Depth: How much the algorithm will iterate to find the lowest and highest candles Deviation: Amoun
Three Inside Up GA
Osama Echchakery
The   Three Inside Up   candlestick pattern is formed by three candles. Here’s how to identify the Three Inside Up candlestick pattern: The first candle must be bearish The second candle must be bullish The close of the second candle should ideally be above the 50% level of the body of the first one The third candle should close above the first one This 3-candle bullish candlestick pattern is a reversal pattern, meaning that it’s used to find bottoms. For this reason, we want to see this pattern
Auto Fib Retracements
Ross Adam Langlands Nelson
4.33 (6)
Automatic Fibonacci Retracement Line Indicator. This indicator takes the current trend and if possible draws Fibonacci retracement lines from the swing until the current price. The Fibonacci levels used are: 0%, 23.6%, 38.2%, 50%, 61.8%, 76.4%, 100%. This indicator works for all charts over all timeframes. The Fibonacci levels are also recorded in buffers for use by other trading bots. Any comments, concerns or additional feature requirements are welcome and will be addressed promptly. 
FREE
PZ Divergence Trading MT5
PZ TRADING SLU
4 (5)
Unlock hidden profits: accurate divergence trading for all markets Special Offer: Purchase now to receive free bonuses worth $159! (Read more for details) Tricky to find and scarce in frequency, divergences are one of the most reliable trading scenarios. This indicator finds and scans for regular and hidden divergences automatically using your favourite oscillator. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Easy to trade Finds regular and hidden divergences
이 제품의 구매자들이 또한 구매함
Atomic Analyst MT5
Issam Kassas
4.6 (20)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한
Atbot
Zaha Feiz
4.97 (29)
AtBot: 작동 방식 및 사용 방법 ### 작동 방식 MT5 플랫폼용 "AtBot" 지표는 기술 분석 도구의 조합을 사용하여 매수 및 매도 신호를 생성합니다. 01:37 단순 이동 평균(SMA), 지수 이동 평균(EMA), 평균 진폭 범위(ATR) 지수를 통합하여 거래 기회를 식별합니다. 또한 Heikin Ashi 캔들을 사용하여 신호의 정확성을 향상시킬 수 있습니다. 구매 후 리뷰를 남기면 특별 보너스 선물을 받게 됩니다. ### 주요 기능: - 비재표시: 신호는 플로팅 후 변경되지 않습니다. - 비재작성: 신호는 일관되며 변경되지 않습니다. - 지연 없음: 지연 없이 시기적절한 신호를 제공합니다. - 다양한 시간대: 거래 전략에 맞게 모든 시간대에서 사용할 수 있습니다. ### 운영 단계: #### 입력 및 설정: - firstkey (TrendValue): 추세 감지의 민감도를 조정합니다. - Secondkey (SignalValue): 매수/매도 신호 생성의 민감도를 정의
우선 이 거래 시스템이 리페인팅, 리드로잉 및 레이그 인디케이터가 아니라는 점을 강조하는 것이 중요합니다. 이는 수동 및 로봇 거래 모두에 이상적인 것으로 만듭니다. 온라인 강좌, 설명서 및 프리셋 다운로드. "스마트 트렌드 트레이딩 시스템 MT5"은 새로운 및 경험이 풍부한 트레이더를 위해 맞춤형으로 제작된 종합적인 거래 솔루션입니다. 10개 이상의 프리미엄 인디케이터를 결합하고 7개 이상의 견고한 거래 전략을 특징으로 하여 다양한 시장 조건에 대한 다목적 선택이 가능합니다. 트렌드 추종 전략: 효과적인 트렌드 추이를 타기 위한 정확한 진입 및 손절 관리를 제공합니다. 반전 전략: 잠재적인 트렌드 반전을 식별하여 트레이더가 범위 시장을 활용할 수 있게 합니다. 스캘핑 전략: 빠르고 정확한 데이 트레이딩 및 단기 거래를 위해 설계되었습니다. 안정성: 모든 인디케이터가 리페인팅, 리드로잉 및 레이그가 아니므로 신뢰할 수 있는 신호를 보장합니다. 맞춤화: 개별 거래 선호도를 고려한 맞춤
TPSpro RFI Levels MT5
Roman Podpora
4.67 (9)
Reversal First Impulse levels (RFI)      INSTRUCTIONS        RUS       -       ENG              R ecommended to use with an indicator   -   TPSpro  TREND PRO -  Version MT4                 A key element in trading is zones or levels from which decisions to buy or sell a trading instrument are made. Despite attempts by major players to conceal their presence in the market, they inevitably leave traces. Our task was to learn how to identify these traces and interpret them correctly. Main functi
TPSproTREND PrO MT5
Roman Podpora
4.89 (9)
TPSpro TREND PRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  Version MT4               DETAILED DESCRIPTION               R ecommended to use with an
Gold Stuff mt5
Vasiliy Strukov
4.9 (185)
Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!     강력한 지원 및 트렌드 스캐너 표시기의 무료 사본을 받으실 수 있습니다. 메시지를 보내주세요. 나!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그리기. 경고 - 가청 경고를 끕니다. 이메일 알림 - 켜기 끄기. 이메일 알림. Puch-notification - 켜기 끄기. 푸시 알림. 다음으로 색 영역을 조정합니다. Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   설정 화살표 그리기 - 켜기 끄기. 차트에
Quantum Trend Sniper
Bogdan Ion Puscasu
4.92 (48)
소개       Quantum Trend Sniper Indicator는   추세 반전을 식별하고 거래하는 방식을 변화시키는 획기적인 MQL5 지표입니다! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       Quantum Trend Sniper 표시기       매우 높은 정확도로 추세 반전을 식별하는 혁신적인 방법으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. ***Quantum Trend Sniper Indicator를 구입하면 Quantum Breakout Indicator를 무료로 받을 수 있습니다!*** Quantum Trend Sniper Indicator는 추세 반전을 식별하고 세 가지 이익실현 수준을 제안할 때 경고, 신호 화살표를 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 MT4 버전:       여기를 클릭하세요
Entry Points Pro for MT5
Yury Orlov
4.56 (163)
다시 색을 칠하지 않고 거래에 진입할 수 있는 정확한 신호를 제공하는 MT5용 지표입니다. 외환, 암호화폐, 금속, 주식, 지수 등 모든 금융 자산에 적용할 수 있습니다. 매우 정확한 추정값을 제공하고 매수와 매도의 가장 좋은 시점을 알려줍니다. 하나의 시그널로 수익을 내는 지표의 예와 함께 비디오 (6:22)시청하십시오! 대부분의 거래자는 Entry Points Pro 지표의 도움으로 첫 거래 주 동안 트레이딩 결과를 개선합니다. 저희의   Telegram Group 을 구독하세요! Entry Points Pro 지표의 좋은점. 재도색이 없는 진입 신호 신호가 나타나고 확인되면(시그널 캔들이 완성된 경우) 신호는 더 이상 사라지지 않습니다. 여타 보조지표의 경우 신호를 표시한 다음 제거되기 때문에 큰 재정적 손실로 이어집니다. 오류 없는 거래 게시 알고리즘을 통해 트레이드(진입 또는 청산)를 할 이상적인 순간을 찾을 수 있으며, 이를 통해 이를 사용하는 모든 거래자의
우선적으로, 이 거래 도구는 전문적인 거래에 이상적인 비-다시 그리기 및 지연되지 않는 지표입니다.  온라인 강좌, 사용자 매뉴얼 및 데모. 스마트 가격 액션 컨셉트 인디케이터는 신규 및 경험 많은 트레이더 모두에게 매우 강력한 도구입니다. Inner Circle Trader Analysis 및 Smart Money Concepts Trading Strategies와 같은 고급 거래 아이디어를 결합하여 20가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하
Trend Screener Pro MT5
STE S.S.COMPANY
4.88 (67)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! Forex, 상품, 암호 화폐, 지수 및 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 시간 프레임 및 다중 통화 표시기입니다. Trend Screener는 차트에 점이 있는 화살표 추세 신호를 제공하는 효율적인 지표 추세 추종 지표입니다. 추세 분석기 표시기에서 사용할 수 있는 기능: 1. 트렌드 스캐너. 2. 최대 이익 분석이 있는 추세선. 3. 추세 통화 강도 측정기. 4. 경고가 있는 추세 반전 점. 5. 경고가 있는 강력한 추세 점. 6. 추세 화살표 Trend Screener Indicator가 있는 일일 분석 예, 일일 신호 성능...등은 여기에서 찾을 수 있습니다. 여기를 클릭하십시오. LIMITED TIME OFFER : Trend Screener Indicator는 50$ 및 평생 동안만 사용할 수 있습니다
FX Power MT5 NG
Daniel Stein
5 (6)
모닝 브리핑 여기 mql5 와 텔레그램에서 FX Power MT5 NG 는 오랫동안 인기 있는 통화 강도 측정기인 FX Power의 차세대 버전입니다. 이 차세대 강도 측정기는 무엇을 제공합니까? 기존 FX Power에서 좋아했던 모든 것 PLUS GOLD/XAU 강도 분석 더욱 정밀한 계산 결과 개별 구성 가능한 분석 기간 더 나은 성능을 위한 사용자 정의 가능한 계산 한도 특별 멀티더 많은 것을보고 싶은 사람들을위한 특별한 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을위한 끝없는 그래픽 설정 수많은 알림 옵션, 중요한 것을 다시는 놓치지 않도록 Windows 11 및 macOS 스타일의 둥근 모서리가 있는 새로운 디자인 마법처럼 움직이는 인디케이터 패널 FX 파워 키 특징 모든 주요 통화의 완전한 강세 이력 모든 시간대에 걸친 통화 강세 이력 모든 브로커 및 차트에서 고유 계산 결과 100% 신뢰할 수있는 실시간100 % 신뢰할 수있는 실시간 계산-> 다시 칠하지 않음
FX Volume MT5
Daniel Stein
4.94 (17)
모닝 브리핑을 통해 세부 정보와 스크린샷으로 매일 시장 업데이트를 받으세요 여기 mql5 및 텔레그램에서 FX 거래량은 브로커의 관점에서 시장 심리에 대한 실제 통찰력을 제공하는 최초이자 유일한 거래량 지표입니다. 브로커와 같은 기관 시장 참여자가 외환 시장에서 어떤 포지션을 취하고 있는지에 대한 훌륭한 통찰력을 COT 보고서보다 훨씬 빠르게 제공합니다. 차트에서 이 정보를 직접 확인하는 것은 트레이딩의 진정한 판도를 바꾸고 획기적인 솔루션입니다. 다음과 같은 고유한 시장 데이터 인사이트의 이점 비율 는 통화의 매수/매도 포지션 비율을 백분율로 표시 비율 변화 는 선택한 기간 내 매수 비율과 비율 변화를 표시 총 거래량 는 해당 통화의 총 거래량(롱 및 숏)을 로트 단위로 보여줍니다 Volumes Long 는 해당 통화의 모든 롱 포지션의 거래량을 보여줍니다 Volumes Short 는 해당 통화의 모든 숏 포지션의 거래량을 보여줍니다 Net Long 는 순 롱 포지션의 거래량
Easy Buy Sell Signal Alert
Franck Martin
4.86 (7)
Easy By Sell is a market indicator for opening and closing positions. It becomes easy to track market entries with alerts. It indicates trend reversal points when a price reaches extreme values ​​and the most favorable time to enter the market. it is as effective as a Fibonacci to find a level but it uses different tools such as an algorithm based on ATR indicators and Stochastic Oscillator. You can modify these two parameters as you wish to adapt the settings to the desired period. My othe
IX Power MT5
Daniel Stein
4.17 (6)
IX Power는   마침내 FX Power의 탁월한 정밀도를 외환이 아닌 기호에도 적용했습니다. 좋아하는 지수, 주식, 원자재, ETF, 심지어 암호화폐까지 단기, 중기, 장기 추세의 강도를 정확하게 파악할 수 있습니다. 단말기가 제공하는   모든 것을 분석할   수 있습니다. 사용해 보고 트레이딩   타이밍이 크게 향상되는   것을 경험해 보세요. IX Power 주요 특징 단말기에서 사용 가능한 모든 거래 심볼에 대해 100% 정확한 비재도장 계산 결과 제공 사전 구성 및 추가적으로 개별 구성 가능한 강도 분석 기간의 드롭다운 선택 가능 이메일, 메시지, 모바일 알림을 통한 다양한 알림 옵션 제공 EA 요청을 위한 액세스 가능한 버퍼 더 나은 성능을 위한 사용자 지정 가능한 계산 한도 더 많은 것을 보고 싶은 사용자를 위한 특별 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을 위한 무한한 그래픽 설정 가능 Windows 11 및 macOS 스타일의 둥
TrendMaestro5
Stefano Frisetti
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link:  https://www.mql5.com/it/market/product/108106 TRENDMAESTRO ver 2.4 TRENDMAESTRO recognizes a new TREND in the bud, he never makes mistakes. The certainty of identifying a new TREND is priceless. DESCRIPTION TRENDMAESTRO identifies a new TREND in the bud, this indicator examines the volatility, volumes and momentum to identify the moment in which there is an explosion of one or more of these data a
RelicusRoad Pro MT5
Relicus LLC
5 (23)
이제 $ 147 (몇 가지 업데이트 후 $ 499 증가) - 무제한 계정 (PCS 또는 MACS) RelicusRoad 사용 설명서 + 교육 비디오 + 비공개 Discord 그룹 액세스 + VIP 상태 시장을 보는 새로운 방법 RelicusRoad는 외환, 선물, 암호화폐, 주식 및 지수에 대한 세계에서 가장 강력한 거래 지표로서 거래자에게 수익성을 유지하는 데 필요한 모든 정보와 도구를 제공합니다. 우리는 초보자부터 고급까지 모든 거래자가 성공할 수 있도록 기술적 분석 및 거래 계획을 제공합니다. 미래 시장을 예측할 수 있는 충분한 정보를 제공하는 핵심 거래 지표입니다. 우리는 차트에서 말이 안 되는 여러 지표 대신 완전한 솔루션을 믿습니다. 타의 추종을 불허하는 매우 정확한 신호, 화살표 + 가격 조치 정보를 표시하는 올인원 표시기입니다. 강력한 AI를 기반으로 하는 RelicusRoad는 누락된 정보와 도구를 제공하여 교육하고 성공적인 트레이더인 트레이딩 전문
XQ Indicator MetaTrader 5
Marzena Maria Szmit
3.5 (2)
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
이 대시보드는 선택한 심볼에 대해 사용 가능한 최신 고조파 패턴을 표시하므로 시간을 절약하고 더 효율적으로 사용할 수 있습니다 /   MT4 버전 . 무료 인디케이터:   Basic Harmonic Pattern 인디케이터 열 Symbol :   선택한 심볼이 나타납니다 Trend :   강세 또는 약세 Pattern :   패턴 유형(가틀리, 나비, 박쥐, 게, 상어, 사이퍼 또는 ABCD) Entry :   진입 가격 SL:   스톱로스 가격 TP1:   1차 테이크프로핏 가격 TP2:   2차 테이크프로핏 가격 TP3:   3차 테이크프로핏 가격 Current price:   현재 가격 Age (in bars):   마지막으로 그려진 패턴의 나이 주요 입력 Symbols :   "28개 주요 통화쌍" 또는 "선택한 심볼" 중에서 선택합니다. Selected Symbols :   쉼표로 구분하여 모니터링하려는 원하는 심볼("EURUSD,GBPUSD,XAUUSD")
Golden Spikes Premium
Kwaku Bondzie Ghartey
Golden Spikes Detector Acknowledgement and Dedications:  The name of this indicator was Inspired by an Original; Mr Grant Koopman; a Knowledgeable and experienced Synthetics trader. I dedicate this indicator to Mr Grant.  Overview: The Golden Spikes Premium is a groundbreaking trading indicator meticulously crafted for the Boom and Crash indices on the Deriv market. Tailored to meet the needs of discerning traders, this powerful tool operates exclusively on the one-minute timeframe, providin
Gartley Hunter Multi
Siarhei Vashchylka
5 (8)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. A
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance,   HH/LL/HL/LH,    Fair Value Gap, FVG,  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
PZ Support Resistance MT5
PZ TRADING SLU
4.17 (6)
Unlock key market insights with automated support and resistance lines Special Offer: Purchase now to receive free bonuses worth $89! (Read more for details) Tired of plotting support and resistance lines? This is a multi-timeframe indicator that detects and plots supports and resistance lines in the chart with the same precision as a human eye would. As price levels are tested over time and its importance increases, the lines become thicker and darker, making price leves easy to glance and ev
Smart Liquidity Profile MT5
Suvashish Halder
5 (2)
The Smart Liquidity Profile is color-coded based on the importance of the traded activity at specific price levels, allowing traders to identify significant price levels such as support and resistance levels, supply and demand zones, liquidity gaps, consolidation zones, Buy-Side/Sell-Side Liquidity and so on.  Smart Liquidity Profile allows users to choose from a number of different time periods including 'Auto,' 'Fixed Range,' 'Swing High,' 'Swing Low,' 'Session,' 'Day,' 'Week,' 'Month,' 'Quart
Volume by Price MT5
Brian Collard
3.6 (5)
The Volumebyprice.com Indicator for MetaTrader 5 features Volume Profile and Market Profile TPO (Time Price Opportunity). Volume and TPO histogram bar and line charts. Volume Footprint charts. TPO letter and block marker collapsed and split structure charts. Static, dynamic and flexible range segmentation and compositing methods with relative and absolute visualizations. Session hours filtering and segment concatenation with Market Watch and custom user specifications. Graphical layering, posit
Volatility Trend System - a trading system that gives signals for entries. The volatility system gives linear and point signals in the direction of the trend, as well as signals to exit it, without redrawing and delays. The trend indicator monitors the direction of the medium-term trend, shows the direction and its change. The signal indicator is based on changes in volatility and shows market entries. The indicator is equipped with several types of alerts. Can be applied to various trading in
ATrend
Zaha Feiz
4.5 (2)
ATREND: 작동 방식 및 사용 방법 ### 작동 방식 MT5 플랫폼을 위한 "ATREND" 지표는 기술 분석 방법론의 조합을 활용하여 트레이더에게 강력한 매수 및 매도 신호를 제공하도록 설계되었습니다. 이 지표는 주로 변동성 측정을 위해 평균 진폭 범위(ATR)를 활용하며, 잠재적인 시장 움직임을 식별하기 위한 트렌드 탐지 알고리즘과 함께 사용됩니다. 구매 후 메시지를 남기면 특별 보너스 선물을 받게 됩니다. 39달러에 8부 남았습니다. ### 주요 특징: - 동적 트렌드 탐지: 이 지표는 시장 트렌드를 평가하고 신호를 조정하여 트레이더가 현재 시장 상황에 맞춰 전략을 조정할 수 있도록 돕습니다. - 변동성 측정: ATR을 사용하여 시장의 변동성을 측정하며, 이는 최적의 손절매(SL) 및 이익 실현(TP) 수준을 결정하는 데 중요합니다. - 신호 시각화: 이 지표는 차트에 매수 및 매도 신호를 시각적으로 표시하여 트레이더의 의사 결정을 향상시킵니다. ### 운영 단계 ###
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals strictly at the close of a candle! TPA shows entries and re-entries, every time the bulls are definitely stronger than the bears and vice versa. Not to confuse with red/green candles. The shift of power gets confirmed at the earliest stage and is ONE exit strategy of several. There are available now two free parts of the TPA User Guide for our customers. The first "The Basics"
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (14)
매트릭스 화살표 표시기 MT5 는 외환, 상품, 암호 화폐, 지수, 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 기간 표시기를 따르는 고유한 10 in 1 추세입니다.  Matrix Arrow Indicator MT5 는 다음과 같은 최대 10개의 표준 지표에서 정보와 데이터를 수집하여 초기 단계에서 현재 추세를 결정합니다. 평균 방향 이동 지수(ADX) 상품 채널 지수(CCI) 클래식 하이켄 아시 캔들 이동 평균 이동 평균 수렴 발산(MACD) 상대 활력 지수(RVI) 상대 강도 지수(RSI) 포물선 SAR 스토캐스틱 오실레이터 윌리엄스의 백분율 범위 모든 지표가 유효한 매수 또는 매도 신호를 제공하면 강력한 상승/하락 추세를 나타내는 다음 캔들/막대가 시작될 때 해당 화살표가 차트에 인쇄됩니다. 사용자는 사용할 표시기를 선택하고 각 표시기의 매개변수를 개별적으로 조정할 수 있습니다. 매트릭스 화살표 표시기 MT5는 선택한 표시기에서만 정보를 수
가격이 역전되고 후퇴함에 따라 시장 구조가 변경됩니다. 시장 구조 반전 경고 표시기는 추세 또는 가격 움직임이 고갈에 가까워지고 반전할 준비가 되었음을 식별합니다. 일반적으로 반전이나 큰 하락이 일어나려고 할 때 발생하는 시장 구조의 변화를 알려줍니다. 지표는 가능한 고갈 지점 근처에서 새로운 고점 또는 저점이 형성될 때마다 초기에 돌파와 가격 모멘텀을 식별합니다. 표시기는 반대쪽에 있는 마지막 촛불에 직사각형을 그립니다. 그런 다음 현재의 단기 추세에서 계속 움직이기 때문에 가격과 함께 직사각형을 따라갈 것입니다. 가격이 사각형 위나 아래로 다시 닫힐 정도로 약해지면 시장 구조에 잠재적인 변화가 일어나고 있음을 나타냅니다. 그런 다음 표시기는 방향의 잠재적인 이동과 추세 또는 주요 하락의 가능한 반전 시작에 대해 경고합니다. 작동 방식을 보려면 아래의 작동 표시기를 참조하십시오! 모든 쌍 및 주요 기간을 모니터링하는 대시보드: https://www.mql5.com/
The 1 2 3 Pattern Scanner MT5
Reza Aghajanpour
5 (16)
** All Symbols x All Timeframes scan just by pressing scanner button ** ***Contact me after purchase to send you instructions and add you in "123 scanner group" for sharing or seeing experiences with other users. After 17 years of experience in the markets and programming, Winner indicator is ready. I would like to share with you! Introduction The 123 Pattern Scanner indicator with a special enhanced algorithm is a very repetitive common pattern finder with a high success rate . Interestingly,
제작자의 제품 더 보기
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
RC Hour Interval Lines MT4
Francisco Rayol
5 (1)
The Rayol Code Hour Interval Lines indicator was  designed to assist your trading experience.  It  draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing  traders   a more comprehensive view of   price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local ti
FREE
The Rayol Code Hour Interval Lines indicator was  designed to assist your trading experience.  It  draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing  traders a more comprehensive view of price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local time in
FREE
This indicator is the converted Metatrader 4 version of the TradingView indicator "ATR Based Trendlines - JD" by Duyck. This indicator works by automatically and continuously drawing trendlines not based exclusively on price, but also based on the volatility perceived by the ATR. So, the angle of the trendlines is determined by (a percentage of) the ATR. The angle of the trendlines follows the change in price, dictated by the ATR at the moment where the pivot point is detected. The ATR percentag
FREE
This indicator informs the user when the ATR is above a certain value defined by the user, as well as when the ATR prints a percentage increase or percentage decrease in its value, in order to offer the user information about the occurrence of spikes or drops in volatility which can be widely used within volatility-based trading systems or, especially, in Recovery Zone or Grid Hedge systems. Furthermore, as the volatility aspect is extremely determining for the success rate of any system based o
This indicator informs the user when the ATR is above a certain value defined by the user, as well as when the ATR prints a percentage increase or percentage decrease in its value, in order to offer the user information about the occurrence of spikes or drops in volatility which can be widely used within volatility-based trading systems or, especially, in Recovery Zone or Grid Hedge systems. Furthermore, as the volatility aspect is extremely determining for the success rate of any system based o
This indicator accurately identifies and informs market reversals and continuation patterns by analyzing and signaling the Three White Soldiers / Three Black Crows pattern. It also offers a  "real-time backtesting"  panel in the indicator itself in a way that every change made on the indicator parameters will immediately show the user how many signals are occurred, how many take profits and stop losses were hit and, by having these informations, the Win Rate and the Profit Factor of the setup ba
필터:
wpabon
57
wpabon 2024.08.02 20:20 
 

Awesome indicator, thanks for your quick response.

Francisco Rayol
5181
개발자의 답변 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.