• 미리보기
  • 리뷰
  • 코멘트
  • 새 소식

Murray Math Levels several oktavs

This indicator calculates and displays Murrey Math Lines on the chart. 

The differences from the free version:

It allows you to plot up to 4 octaves, inclusive (this restriction has to do with the limit imposed on the number of indicator buffers in МТ4), using data from different time frames, which enables you to assess the correlation between trends and investment horizons of different lengths.

It produces the results on historical data. A publicly available free version with modifications introduced by different authors, draws the results on history as calculated on the current bar, which prevents it from being used for accurate analysis of the price movement in the past and complicates determination of the possible direction of the price at the current price range. There are versions that show values based on history but I don't know how accurate they are.

The calculated values can be obtained from indicator buffers using the iCustom() function:

  • indicator line with 0 index contains line 4/8 of the octave set by the Р0 variable value selected on a time frame set by the BaseTF_P0 variable with the selection criterion specified by the BaseMGTD_P0 variable.
    Obtaining the value of this level on the zero bar: double p0_4_8 = iCustom(NULL,0,"ivgMMLevls",..list of parameters..,0,0);
    On the previous bar (number N): double p0_4_8_prev = iCustom(NULL,0,"ivgMMLevls",..list of parameters..,0,N); 
  • indicator line with index 1 contains the grid step of the same octave.
    Obtaining the value of this level on the zero bar: double p0_step = iCustom("ivgMMLevls",..list of parameters..,1,0); 
    On the previous bar (number N):  double p0_step_prev = iCustom("ivgMMLevls",..list of parameters..,1,N);   

A similar approach is used to access data of the other octaves:

  • indicator line with index 2 - line 4/8, for octave Р1
  • indicator line with index 3 - grid step, for octave Р1
  • indicator line with index 4 - line 4/8, for octave Р2
  • indicator line with index 5 - grid step, for octave Р2
  • indicator line with index 6 - line 4/8, for octave Р3
  • indicator line with index 7 - grid step, for octave Р3

This is for those who want to use these levels in Expert Advisors.

An example of the script that obtains data for octave Р0 on the zero bar:

input string s0="Latest Bar Number to calculate >= 0 ";
input int StepBack = 0;
input string s01="Culc Oktavs Count - max 4";
input int _pCNT =  4;
input string s1="History Bars Count";
input int BarsCNT =  150;
input string s2 = "Parameters group for configuring";
input string s20 = "Murray Math Diapazone new search algorithm";
input string s21 = "!!! If you are unsure, do not change these settings !";
input int P0 =    8;
input int P1 =   16;
input int P2 =   32;
input int P3 =  128;
input int BaseTF_P0    = 60;
input int BaseTF_P1    = 60;
input int BaseTF_P2    = 60;
input int BaseTF_P3    = 60;
input int BaseMGTD_P0 =  1;
input int BaseMGTD_P1 =  1;
input int BaseMGTD_P2 =  1;
input int BaseMGTD_P3 =  1;
input string s22 = "**** End Of Parameters group for configuring *** ";
input string s3 = "Line Colors adjustment";    
input color  mml_clr_m_2_8 = White;       // [-2]/8
input color  mml_clr_m_1_8 = White;       // [-1]/8
input color  mml_clr_0_8   = Aqua;        //  [0]/8
input color  mml_clr_1_8   = Yellow;      //  [1]/8
input color  mml_clr_2_8   = Red;         //  [2]/8
input color  mml_clr_3_8   = Green;       //  [3]/8
input color  mml_clr_4_8   = Blue;        //  [4]/8
input color  mml_clr_5_8   = Green;       //  [5]/8
input color  mml_clr_6_8   = Red;         //  [6]/8
input color  mml_clr_7_8   = Yellow;      //  [7]/8
input color  mml_clr_8_8   = Aqua;        //  [8]/8
input color  mml_clr_p_1_8 = White;       // [+1]/8
input color  mml_clr_p_2_8 = White;       // [+2]/8
input string s4 = "Line thickness adjustment";  
input int    mml_wdth_m_2_8 = 2;        // [-2]/8
input int    mml_wdth_m_1_8 = 1;        // [-1]/8
input int    mml_wdth_0_8   = 2;        //  [0]/8
input int    mml_wdth_1_8   = 1;        //  [1]/8
input int    mml_wdth_2_8   = 1;        //  [2]/8
input int    mml_wdth_3_8   = 1;        //  [3]/8
input int    mml_wdth_4_8   = 2;        //  [4]/8
input int    mml_wdth_5_8   = 1;        //  [5]/8
input int    mml_wdth_6_8   = 1;        //  [6]/8
input int    mml_wdth_7_8   = 1;        //  [7]/8
input int    mml_wdth_8_8   = 2;        //  [8]/8
input int    mml_wdth_p_1_8 = 1;        // [+1]/8
input int    mml_wdth_p_2_8 = 2;        // [+2]/8
input string s5 = "Font adjustment";  
input int    dT = 7;
input int    fntSize  =  7;
input string s6 = "Latest Bar Marker adjustment";  
input color  MarkColor   = Blue;
input int    MarkNumber  = 217;

int start()
{
    double p0_4_8 = iCustom(NULL,0,"ivgMMLevls",
    s0,StepBack,s01,_pCNT,s1,BarsCNT,
    s2,s20,s21,P0,P1,P2,P3,BaseTF_P0,BaseTF_P1,BaseTF_P2,BaseTF_P3,
    BaseMGTD_P0,BaseMGTD_P1,BaseMGTD_P2,BaseMGTD_P3,s22,
    s3,
    mml_clr_m_2_8,mml_clr_m_1_8,mml_clr_0_8,mml_clr_1_8,mml_clr_2_8,mml_clr_3_8,
    mml_clr_4_8,
    mml_clr_5_8,mml_clr_6_8,mml_clr_7_8,mml_clr_8_8,mml_clr_p_1_8,mml_clr_p_2_8,
    s4,
    mml_wdth_m_2_8,mml_wdth_m_1_8,mml_wdth_0_8,mml_wdth_1_8,mml_wdth_2_8,mml_wdth_3_8,
    mml_wdth_4_8,
    mml_wdth_5_8,mml_wdth_6_8,mml_wdth_7_8,mml_wdth_8_8,mml_wdth_p_1_8,mml_wdth_p_2_8,
    s5,dT,fntSize,s6,MarkColor,MarkNumber,
    0,0); 
    double p0_step = iCustom(NULL,0,"ivgMMLevls",
    s0,StepBack,s01,_pCNT,s1,BarsCNT,
    s2,s20,s21,P0,P1,P2,P3,BaseTF_P0,BaseTF_P1,BaseTF_P2,BaseTF_P3,
    BaseMGTD_P0,BaseMGTD_P1,BaseMGTD_P2,BaseMGTD_P3,s22,
    s3,
    mml_clr_m_2_8,mml_clr_m_1_8,mml_clr_0_8,mml_clr_1_8,mml_clr_2_8,mml_clr_3_8,
    mml_clr_4_8,
    mml_clr_5_8,mml_clr_6_8,mml_clr_7_8,mml_clr_8_8,mml_clr_p_1_8,mml_clr_p_2_8,
    s4,
    mml_wdth_m_2_8,mml_wdth_m_1_8,mml_wdth_0_8,mml_wdth_1_8,mml_wdth_2_8,mml_wdth_3_8,
    mml_wdth_4_8,
    mml_wdth_5_8,mml_wdth_6_8,mml_wdth_7_8,mml_wdth_8_8,mml_wdth_p_1_8,mml_wdth_p_2_8,
    s5,dT,fntSize,s6,MarkColor,MarkNumber,
    1,0); 
    Print("p0_4_8 = ",DoubleToStr(p0_4_8)," | p0_step = ",DoubleToStr(p0_step));
    return(0);
}

To simplify the operation of the indicator, the number of bars of history is limited - the BarsCNT parameter.

 To analyze the behavior of the indicator over the history in the manual mode, there is a shift parameter StepBack, which allows you to draw the specified number of indicator values not only from the current bar (with 0 number).

Attention! This version of the indicator features an improved selection of ranges for plotting octaves.

By default, the indicator is set with minimal differences from the basic calculation algorithm for intraday trading with lines drawn over the hourly range, which allows you to properly use it for all intrahourly ranges. If it is necessary to use the indicator on senior time frames, the current chart time frame will be selected automatically. Alternatively, you can manually set the desired time frame, being higher than the current chart time frame.

Please modify the default parameters only if you know exactly what you are doing. The default parameters should be optimal for most trading strategies.

추천 제품
Signal From Level
Yaroslav Varankin
Binary Options Support Resistance Indicator This indicator is designed for binary options trading and effectively shows retracements from support and resistance levels. Signals appear on the current candle. A red arrow pointing downwards indicates a potential selling opportunity, while a blue arrow pointing upwards suggests buying opportunities. All that needs adjustment is the color of the signal arrows. It is recommended to use it on the M1-M5 timeframes as signals are frequent on these timef
VR Cub
Vladimir Pastushak
VR Cub 은 고품질 진입점을 얻는 지표입니다. 이 지표는 수학적 계산을 용이하게 하고 포지션 진입점 검색을 단순화하기 위해 개발되었습니다. 지표가 작성된 거래 전략은 수년 동안 그 효율성을 입증해 왔습니다. 거래 전략의 단순성은 초보 거래자라도 성공적으로 거래할 수 있다는 큰 장점입니다. VR Cub은 포지션 개시 지점과 이익 실현 및 손절매 목표 수준을 계산하여 효율성과 사용 편의성을 크게 높입니다. 간단한 거래 규칙을 이해하려면 아래 전략을 사용한 거래 스크린샷을 살펴보세요. 설정, 세트 파일, 데모 버전, 지침, 문제 해결 등은 다음에서 얻을 수 있습니다. [블로그] 다음에서 리뷰를 읽거나 작성할 수 있습니다. [링크] 버전 [MetaTrader 5] 진입점 계산 규칙 포지션 개설 진입점을 계산하려면 VR Cub 도구를 마지막 최고점에서 마지막 최저점까지 늘려야 합니다. 첫 번째 지점이 두 번째 지점보다 빠른 경우, 거래자는 막대가 중간선 위에서 마감될 때까지 기다립
Infinity Trend Pro
Yaroslav Varankin
1 (1)
This is a trend indicator without redrawing Developed instead of the binary options strategy (by the color of the Martingale candlestick) Also works well in forex trading When to open trades (binary options) A signal will appear in the place with a candle signaling the current candle It is recommended to open a deal for one candle of the current timeframe M1 and M5 When a blue dot appears, open a deal up When a red dot appears, open a trade down. How to open trades on Forex. When a signal is rec
Introduction It is common practice for professional trades to hide their stop loss / take profit from their brokers. Either from keeping their strategy to the themselves or from the fear that their broker works against them. Using this indicator, the stop loss / take profit points will be drawn on the product chart using the bid price. So, you can see exactly when the price is hit and close it manually.  Usage Once attached to the chart, the indicator scans the open orders to attach lines fo
Insider Scalper Binary This tool is designed to trade binary options. for short temporary spends. to make a deal is worth the moment of receiving the signal and only 1 candle if it is m1 then only for a minute and so in accordance with the timeframe. for better results, you need to select well-volatile charts.... recommended currency pairs eur | usd, usd | jpy .... the indicator is already configured, you just have to add it to the chart and trade .... The indicator signals the next can
Support and Resistance is a very important reference for trading.  This indicator provides customized support and resistance levels, automatic draw line and play music functions.  In addition to the custom RS, the default RS includes Pivot Point, Fibonacci, integer Price, MA, Bollinger Bands. Pivot Point is a resistance and support system. It has been widely used at froex,stocks, futures, treasury bonds and indexes. It is an effective support resistance analysis system. Fibonacci also known as t
Gvs Undefeated Trend   indicator is designed for trend and signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  You can only trade with this indicator. The generated signals are displayed on the graphical screen.  Thanks to the alert features you ca
Binary Option Signal
Yaroslav Varankin
Indicator for binary options arrow is easy to use and does not require configuration works on all currency pairs, cryptocurrencies buy signal blue up arrow sell signal red down arrow tips do not trade during news and 15-30 minutes before their release, as the market is too volatile and there is a lot of noise it is worth entering trades one or two candles from the current period (recommended for 1 candle) timeframe up to m 15 recommended money management fixed lot or fixed percentage of the depo
Forex scalping indicator that does not redraw its arrows. It works best on M5, M15, M30, H1 timeframes. The default settings are for M5 timeframe. The picture below shows an example of working on the H1 chart with the "period=0.35" parameter value. You can download the demo version and test it yourself. Now we use the signals of this indicator in almost all of our scalping strategies. According to our calculations, the accuracy of its signals is about 95% depending on the timeframe. The indicato
Atomic Analyst
Issam Kassas
5 (3)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한
Good Signal
Yaroslav Varankin
The indicator is designed for binary options and short-term transactions on Forex To enter a trade when a signal appears blue up arrow buy red down arrow sell signal For Forex enter on a signal exit on the opposite signal or take profit For binary options Enter on 1 candle, if the deal goes negative, set a catch on the next candle Works on all timeframes If you apply a filter like Rsi, you will get a good reliable strategy.. The algorithm is at the stage of improvement and will be further develo
Owl smart levels
Sergey Ermolov
4.63 (54)
MT5 버전  |   FAQ Owl Smart Levels Indicator 는   Bill Williams 의 고급 프랙탈, 시장의 올바른 파동 구조를 구축하는 Valable ZigZag, 정확한 진입 수준을 표시하는 피보나치 수준과 같은 인기 있는 시장 분석 도구를 포함하는 하나의 지표 내에서 완전한 거래 시스템입니다. 시장과 이익을 취하는 장소로. 전략에 대한 자세한 설명 표시기 작업에 대한 지침 고문-거래 올빼미 도우미의 조수 개인 사용자 채팅 ->구입 후 나에게 쓰기,나는 개인 채팅에 당신을 추가하고 거기에 모든 보너스를 다운로드 할 수 있습니다 힘은 단순함에 있습니다! Owl Smart Levels   거래 시스템은 사용하기 매우 쉽기 때문에 전문가와 이제 막 시장을 연구하고 스스로 거래 전략을 선택하기 시작한 사람들 모두에게 적합합니다. 전략 및 지표에는 눈에 보이지 않는 비밀 공식 및 계산 방법이 없으며 모든 전략 지표는 공개되어 있습니다. Owl Smart Lev
Night ghost
Dmitriy Kashevich
Night Ghost - Arrow indicator for binary options. This is a reliable assistant to you in the future! - No redrawing on the chart -Works great on EUR/USD currency pairs! -Indicator accuracy up to 90% (Especially at night) -No long setup required (Perfectly set up for Binary Options) - Not late signals - The appearance of a signal on the current candle -Perfect for M1 period (No More!) - Eye-friendly candle color (Red and Blue) -Installed Alert Working with it: - Blue arrow
Trend Bilio
Ivan Simonika
Trend Bilio - an arrow indicator without redrawing shows potential market entry points in the form of arrows of the corresponding color: upward red arrows suggest opening a buy, green down arrows - selling. The entrance is supposed to be at the next bar after the pointer. The arrow indicator Trend Bilio visually "unloads" the price chart and saves time for analysis: no signal - no deal, if an opposite signal appears, then the current deal should be closed. It is Trend Bilio that is considered
Pro Magic Signal   indicator is designed for signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  The indicator certainly does not repaint. The point at which the signal is given does not change.  Thanks to the alert features you can get the signals
Chart Patterns Detect 15 patterns (Ascending Triangle, Descending Triangle, Rising Wedge, Falling Wedge, Bullish Flag, Bearish Flag, Bullish Rectangle, Bearish Rectangle Symmetrical triangle, Head and Shoulders, Inverted Head and Shoulders, Triple top, Triple Bottom, Double Top, Double Bottom) Use historical data to calculate the probability of each pattern to succeed (possibility to filter notification according to the chance of success) gives graphic indication about the invalidation level and
Credible Cross System
Muhammed Emin Ugur
Credible Cross System   indicator is designed for signal trading. This indicator generates trend signals. It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. The indicator works based on instant price movements. This indicator is a complete trading product. This indicator does not need any additional indicators. The indicator certainly does not repaint. The point at which the signal is given does not
PABT Pattern Indicator - it's classical system one of the signal patterns. Indicator logic - the Hi & Lo of the bar is fully within the range of the preceding bar, look to trade them as pullback in trend. In the way if indicator found PABT pattern it's drawing two lines and arrow what showing trend way.  - First line - it's entry point and drawing at: 1. On the high of signal bar or on middle of the signal bar (depending from indicator mode) for buy; 2. On the low of signal bar or on middle of t
Noize Absorption Index MT4
Ekaterina Saltykova
5 (1)
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation. S
캔들의 종가를 예측하는 지표입니다. 지표는 주로 D1 차트에서 사용하기 위한 것이. 이 지표는 전통적인 외환 거래와 바이너리 옵션 거래 모두에 적합합니다. 지표는 독립형 거래 시스템으로 사용하거나 기존 거래 시스템에 추가로 사용할 수 있습니다. 이 표시기는 현재 양초를 분석하여 양초 본체 내부의 특정 강도 요인과 이전 양초의 매개변수를 계산합니다. 따라서 지표는 시장 움직임의 추가 방향과 현재 양초의 종가를 예측합니다. 이 방법 덕분에 지표는 단기 및 중장기 거래 모두에 적합합니다. 지표를 사용하면 시장 상황을 분석하는 동안 지표가 생성할 잠재적 신호의 수를 설정할 수 있습니다. 표시기 설정에는 이를 위한 특별한 매개변수가 있습니다. 또한 인디케이터는 새로운 신호에 대해 차트의 메시지 형태, 이메일 및 PUSH 알림 형태로 알릴 수 있습니다. 구매 후 저에게 꼭 써주세요! 나는 당신에게 지표와 거래에 대한 나의 추천을 줄 것입니다! 또한 보너스를 받으세요!
The indicator detects and displays 3 Drives harmonic pattern (see the screenshot). The pattern is plotted by the extreme values of the ZigZag indicator (included in the resources, no need to install). After detecting the pattern, the indicator notifies of that by a pop-up window, a mobile notification and an email. The indicator highlights the process of the pattern formation and not just the complete pattern. In the former case, it is displayed in the contour triangles. After the pattern is com
Real Magic Trend
Muhammed Emin Ugur
This   Real Magic Trend   indicator is designed for signal trading. This indicator generates trend signals. It uses many algorithms and indicators to generate this signal. It tries to generate signals from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators. The indicator is never repainted. The point at which the signal is given does not change.      Features and Recommendations Time Frame
Big Trend Signal   indicator is designed for trend and signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  You can only trade with this indicator. The generated signals are displayed on the graphical screen.  Thanks to the alert features you can ge
This is a new strategy for SUPPLY DEMAND areas It is based on a calculation using the tick volume to detect the big price action in market for both bear /bull actions this smart volume action candles are used to determine the supply and demand areas prices in between main supply and demand lines indicate sideway market  up arrows will be shown when prices moves above the main supply and the secondary supply lines Down arrows will be shown when prices moves below the main demand and the secondary
WanaScalper MT4
Isaac Wanasolo
1 (1)
A scalping indicator based on mathematical patterns, which on average gives signals with relatively small SL, and also occasionally helps to catch big moves in the markets (more information in the video) This indicator has three main types of notifications: The first type warns of a possible/upcoming signal on the next bar The second type indicates the presence of a ready signal to enter the market/open a position The third type is for SL and TP levels - you will be notified every time price r
Signal Undefeated   indicator is designed for trend and signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  You can only trade with this indicator. The generated signals are displayed on the graphical screen.  Thanks to the alert features you can g
Signal Tower   indicator is designed for signal trading. This indicator generates trend signals. It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators. The indicator certainly does not repaint. The point at which the signal is given does not change. The indicator has a pips counter. You can see how
The Th3Eng PipFinite indicator is based on a very excellent analysis of the right trend direction with perfect custom algorithms. It show the true direction and the best point to start trading. With StopLoss point and Three Take Profit points. Also it show the right pivot of the price and small points to order to replace the dynamic support and resistance channel, Which surrounds the price. And Finally it draws a very helpful Box on the left side on the chart includes (take profits and Stop loss
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 patte
Real Pro Signal
Muhammed Emin Ugur
Real Pro Signal   indicator is designed for signal trading. This indicator generates trend signals. It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators. The indicator certainly does not repaint. The point at which the signal is given does not change.     Features and Suggestions Time Frame: H1 W
이 제품의 구매자들이 또한 구매함
Advanced Currency Strength28 Indicator
Bernhard Schweigert
4.9 (663)
현재 26% 할인 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 지표는 우리가 독점 기능과 새로운 공식을 통합했기 때문에 독특하고 고품질이며 저렴한 거래 도구입니다. 단 하나의 차트로 28 Forex 쌍의 통화 강도를 읽을 수 있습니다! 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오. 사용 설명서: 여기를 클릭  https://www.mql5.com/en/blogs/post/697384 그것이 첫 번째, 원본입니다! 쓸모없는 지망생 클론을 사지 마십시오. 더 스페셜  강력한 통화 모멘텀을 보여주는 하위 창의 화살표 GAP가 거래를 안내합니다! 기본 또는 호가 통화가 과매도/과매도 영역(외부 시장 피보나치 수준)에 있을 때 개별 차트의 기본 창에 경고 표시가 나타납니다. 통화 강도가 외부 범위에서 떨어질 때 풀백/반전 경고. 교차 패턴의 특별 경고 추세를 빠르게 볼 수 있는
Scalper Inside PRO
Alexey Minkov
4.75 (57)
An exclusive indicator that utilizes an innovative algorithm to swiftly and accurately determine the market trend. The indicator automatically calculates opening, closing, and profit levels, providing detailed trading statistics. With these features, you can choose the most appropriate trading instrument for the current market conditions. Additionally, you can easily integrate your own arrow indicators into Scalper Inside Pro to quickly evaluate their statistics and profitability. Scalper Inside
TPSpro RFI Levels
Roman Podpora
4.8 (15)
Reversal First Impulse levels (RFI)    INSTRUCTIONS        RUS       -       ENG              R ecommended to use with an indicator   -   TREND PRO -  Version MT5 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 functions: Displaying active zones
Advanced Supply Demand
Bernhard Schweigert
4.92 (311)
현재 33% 할인! 초보자나 전문 트레이더를 위한 최고의 솔루션! 이 보조지표는 우리가 다수의 독창적 기능과 새로운 공식을 통합한 독특하고 고품질이며 저렴한 거래 도구입니다. 이 업데이트를 통해 이중 시간대를 표시할 수 있습니다. 더 높은 TF를 표시할 수 있을 뿐만 아니라 차트 TF와 더 높은 TF 모두를 표시할 수 있습니다: 중첩 영역 표시. 모든 Supply Demand 트레이더들이 좋아할 것입니다. :) 중요한 정보 공개 Advanced Supply Demand의 잠재력을 극대화하려면 다음을 방문하십시오. https://www.mql5.com/ko/blogs/post/720245   진입 또는 목표의 명확한 트리거 포인트를 정확히 찾아냄으로 해서 거래가 어떻게 개선될지 상상해 보십시오. 새로운 알고리즘을 기반으로 매수자와 매도자 간의 잠재적인 불균형을 훨씬 더 쉽게 분간할 수 있습니다. 왜냐하면 가장 강한 공급영역과 가장 강한 수요 영역과 과거에 어떻게 진행 되었는지를(이
TrendMaestro
Stefano Frisetti
5 (3)
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
FX Volume
Daniel Stein
4.6 (35)
모닝 브리핑을 통해 세부 정보와 스크린샷으로 매일 시장 업데이트를 받으세요 여기 mql5 및 텔레그램에서 FX 거래량은 브로커의 관점에서 시장 심리에 대한 실제 통찰력을 제공하는 최초이자 유일한 거래량 지표입니다. 브로커와 같은 기관 시장 참여자가 외환 시장에서 어떤 포지션을 취하고 있는지에 대한 훌륭한 통찰력을 COT 보고서보다 훨씬 빠르게 제공합니다. 차트에서 이 정보를 직접 확인하는 것은 트레이딩의 진정한 판도를 바꾸고 획기적인 솔루션입니다. 다음과 같은 고유한 시장 데이터 인사이트의 이점 비율 는 통화의 매수/매도 포지션 비율을 백분율로 표시 비율 변화 는 선택한 기간 내 매수 비율과 비율 변화를 표시 총 거래량 는 해당 통화의 총 거래량(롱 및 숏)을 로트 단위로 보여줍니다 Volumes Long 는 해당 통화의 모든 롱 포지션의 거래량을 보여줍니다 Volumes Short 는 해당 통화의 모든 숏 포지션의 거래량을 보여줍니다 Net Long 는 순 롱 포지션의 거래량
ON Trade Optuma Astro
Abdullah Alrai
5 (4)
물론입니다. 아래는 제공해주신 텍스트의 한국어 번역입니다: MT4용 천문학 지표 소개: 귀하의 최상급 하늘 트레이딩 동반자 트레이딩 경험을 천체의 높이로 끌어올리기 준비가 되셨나요? MT4용 천문학 지표를 소개합니다. 이 혁신적인 도구는 복잡한 알고리즘의 힘을 활용하여 탁월한 천문학적 통찰과 정밀한 계산을 제공합니다. 정보의 우주를 손에 담다: 천문학적 데이터의 보물함을 드러내는 포괄적인 패널을 살펴보세요. 행성의 지오/헬리오센트릭 좌표, 태양/지구 거리, 크기, 길이, 별자리, 황도 좌표 및 적도 좌표, 심지어 수평 좌표 등 각각이 정밀하게 계산되고 아름답게 제시됩니다. 지표에 의해 생성된 수직선은 시간 값에 해당하여 트레이딩 여정에 우주적인 시각을 부여합니다. 행성 라인과 관계: 수정 가능한 스케일과 각도로 차트를 장식하는 행성 라인의 마법을 경험해보세요. 직관적인 컨트롤 패널을 통해 각 행성의 라인의 가시성을 손쉽게 전환할 수 있습니다. 쥰션이나 섹스타일, 사분각, 삼분각, 트
Gann Swing Structure
Kirill Borovskii
5 (1)
This indicator is based on the mathematics of the great trader W.D. Ganna. With its help, you can easily find strong levels by analyzing swings to find the optimal entry point. The indicator works on all instruments and all timeframes. The indicator is fully manual and has control buttons. All you need to do is press the NEW button, a segment will appear, which you can place on any movement, swing or even 1 candle that you want to analyze. By placing the segment, press the OK button. A grid (th
FX Power MT4 NG
Daniel Stein
5 (10)
모닝 브리핑 여기 mql5 와 텔레그램에서 FX Power MT4 NG 는 오랫동안 인기 있는 통화 강도 측정기인 FX Power의 차세대 버전입니다. 이 차세대 강도 측정기는 무엇을 제공합니까? 기존 FX Power에서 좋아했던 모든 것 PLUS GOLD/XAU 강도 분석 더욱 정밀한 계산 결과 개별 구성 가능한 분석 기간 더 나은 성능을 위한 사용자 정의 가능한 계산 한도 특별 멀티더 많은 것을보고 싶은 사람들을위한 특별한 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을위한 끝없는 그래픽 설정 수많은 알림 옵션, 중요한 것을 다시는 놓치지 않도록 Windows 11 및 macOS 스타일의 둥근 모서리가 있는 새로운 디자인 마법처럼 움직이는 인디케이터 패널 FX 파워 키 특징 모든 주요 통화의 완전한 강세 이력 모든 시간대에 걸친 통화 강세 이력 모든 브로커 및 차트에서 고유 계산 결과 100% 신뢰할 수있는 실시간100 % 신뢰할 수있는 실시간 계산-> 다시 칠하지 않음
현재 20% 할인 ! 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 대시보드 소프트웨어는 28개의 통화 쌍에서 작동합니다. 2가지 주요 지표(Advanced Currency Strength 28 및 Advanced Currency Impulse)를 기반으로 합니다. 전체 Forex 시장에 대한 훌륭한 개요를 제공합니다. 고급 통화 강도 값, 통화 이동 속도 및 모든(9) 시간대의 28 Forex 쌍에 대한 신호를 보여줍니다. 추세 및/또는 스캘핑 기회를 정확히 파악하기 위해 차트의 단일 지표를 사용하여 전체 시장을 볼 수 있을 때 거래가 어떻게 개선될지 상상해 보십시오! 잠재적인 거래를 식별하고 확인하면서 강력한 통화와 약한 통화를 더욱 쉽게 식별할 수 있도록 이 지표에 기능을 내장했습니다. 이 표시기는 통화의 강세 또는 약세가 증가 또는 감소하는지 여부와 모든 시간대에서 수행되는 방식을 그래픽으로 보여줍니다. 추가된 새로운 기능은 현재 시장 조건 변화에 적
Dragon Multi Indicator MT4
Mansour Babasafary
5 (4)
3 Indicators in 1 indicator Strategy based on price action Made specifically for the best forex currency pairs Can be used in the best time frame of the market at a very reasonable price This indicator is basically 3 different indicatos . But we have combined these 3 indicators in 1 indicator so that you can use 3 indicators at the lowest price. All three strategies are based on price action. But based on different trends. Long term, medium term and short term Attributes : No repaintin
Full Forex Market View Dashboard
Opengates Success International
5 (2)
전체 외환 시장 보기 대시보드 표시기 이것은 거래자에게 시장에서 일어나는 일에 대한 전체 보기를 제공하기 위해 만들어진 사용자 지정 지표입니다. 실시간 데이터를 사용하여 시장에 액세스하고 성공적인 거래에 필요한 모든 정보를 표시합니다. 설치: 이 지표를 창 차트에 첨부하기 전에 MT4의 Market Watch 패널로 이동하여 필요하지 않거나 거래하지 않는 모든 통화 쌍을 숨기고 나머지는 그대로 두십시오. 그 이유는 FFMV 대시보드가 MT4의 Market Watch에 나타나는 모든 통화 쌍을 표시하기 때문입니다. 최대 30개 이하의 통화 쌍을 표시할 수 있습니다. MT4의 Market Watch에서 그 이상이면 FFMV 대시보드의 글꼴과 이미지가 흐려지고 변형됩니다! 제대로 표시되지 않습니다. 용법:      솔로 트레이딩      바구니 거래의 경우(방법에 대한 스크린샷 참조)      다중 주문 거래에도 사용할 수 있습니다.      자신의 거래
ECM Channel MT4
Paulo Rocha
5 (1)
ECM Elite Channel is a volatility-based indicator, developed with a specific time algorithm, which consists of finding possible corrections in the market. This indicator shows two outer lines, an inner line (retracement line) and an arrow sign, where the channel theory is to help identify overbought and oversold conditions in the market. The market price will generally fall between the boundaries of the channel. If prices touch or move outside the channel, it's a trading opportunity. The
Quantum Trend Sniper Indicator MT4
Bogdan Ion Puscasu
4.6 (40)
소개       Quantum Trend Sniper Indicator는   추세 반전을 식별하고 거래하는 방식을 변화시키는 획기적인 MQL5 지표입니다! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       Quantum Trend Sniper 표시기       매우 높은 정확도로 추세 반전을 식별하는 혁신적인 방법으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. ***Quantum Trend Sniper Indicator를 구입하면 Quantum Breakout Indicator를 무료로 받을 수 있습니다!*** Quantum Trend Sniper Indicator는 추세 반전을 식별하고 세 가지 이익실현 수준을 제안할 때 경고, 신호 화살표를 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 MT5 버전:       여기를 클릭하세요
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
XQ Indicator MetaTrader 4
Marzena Maria Szmit
3 (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
Bands Sniper
Abdulkarim Karazon
5 (1)
현재 가격으로 10개만 복사하면 이후 가격은 90$가 됩니다. 화살표가 있는 엔벨로프 및 tma를 기반으로 하는 Bands Sniper 표시기는 동적 지지 및 저항을 표시하고 매수 및 매도 화살표로 진입 신호를 제공하므로 다목적 표시기입니다. 기본 설정은 상반기 기준이며 전체 안내는 구매 후 문의하시기 바랍니다. 참가 규정: 매수: 1.양봉 모두 아래에서 캔들 종가          2.양초는 2개의 위쪽 화살표(황금색 화살표와 주황색 화살표)를 사용하여 2개의 밴드 내에서 다시 닫힙니다. 매도: 1. 양봉 모두 위에서 캔들 종가          2.양초는 2개의 아래쪽 화살표(황금색 화살표와 주황색 화살표)를 사용하여 2개의 밴드 내에서 다시 닫힙니다. TP 1 : 중간 밴드 라인 TP 2 : 반대 밴드 화살표 아래 SL 커플 핍 권장 기간은 15분 이상입니다.
Currency Strength Exotics
Bernhard Schweigert
4.88 (33)
현재 20% 할인! 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 표시기는 Exotic Pairs Commodities, Indexes 또는 Futures와 같은 기호에 대한 통화 강도를 표시하는 데 특화되어 있습니다. 금, 은, 석유, DAX, US30, MXN, TRY, CNH 등의 진정한 통화 강도를 보여주기 위해 9번째 줄에 모든 기호를 추가할 수 있습니다. 이것은 독특하고 고품질이며 저렴한 거래 도구입니다. 우리는 많은 독점 기능과 새로운 공식을 통합했습니다. 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오. 사용 설명서: 여기를 클릭 https://www.mql5.com/en/blogs/post/708876 모든 시간대에 작동합니다. TREND를 빠르게 확인할 수 있습니다! 새로운 기본 알고리즘을 기반으로 설계되어 잠재적인 거래를 더욱 쉽게 식별하고 확인할 수 있습니다.
Backtesting Simulator MT4
Diego Arribas Lopez
3.5 (2)
[ MT5 Version ] Backtesting Simulator Are you tired of spending months on demo or live accounts to test your trading strategies? The Backtesting Simulator is the ultimate tool designed to elevate your backtesting experience to new heights. Utilizing Metatrader historical symbol information, it offers an unparalleled simulation of real market conditions. Take control of your testing speed, test ideas quickly or at a slower pace, and witness remarkable improvements in your testing performance. For
Quantum Breakout Indicator PRO
Bogdan Ion Puscasu
4.96 (26)
소개       Quantum Breakout PRO   , 브레이크아웃 존 거래 방식을 변화시키는 획기적인 MQL5 지표! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한   Quantum Breakout PRO는   혁신적이고 역동적인 브레이크아웃 영역 전략으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. Quantum Breakout Indicator는 5개의 이익 목표 영역이 있는 브레이크아웃 영역의 신호 화살표와 브레이크아웃 상자를 기반으로 한 손절 제안을 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 MT5 버전 :   여기를 클릭하세요 중요한! 구매 후 설치 매뉴얼을 받으려면 개인 메시지를 보내주십시오. 추천: 기간: M15 통화쌍: GBPJPY, EURJPY, USDJPY,NZDUSD, XAUUSD 계정 유형: 스프레드가 매우 낮은 ECN, Ra
Best Currency Strength Indicator
Tumelo Patrick Rakotsoane
4.6 (47)
Advanced Currency Strength Indicator The Advanced Divergence Currency Strength Indicator. Not only it breaks down all 28 forex currency pairs and calculates the strength of individual currencies across all timeframes , but, You'll be analyzing the WHOLE forex market in 1 window (In just 1 minute) . This indicator is very powerful because it reveals the true movements of the market.  It is highly recommended to  analyze charts knowing the performance of individual currencies or the countries ec
ON Trade Waves Patterns Harmonic Elliot Wolfe를 소개합니다. 이는 수동 및 자동 방법을 사용하여 다양한 시장 패턴을 감지하기 위해 개발된 고급 지표입니다. 다음은 그 작동 방식입니다: 조화적 패턴: 이 지표는 차트에 나타나는 조화적 패턴을 식별할 수 있습니다. 이러한 패턴은 Scott Carney의 "Harmonic Trading vol 1 및 2"에서 설명한 것처럼 조화적 거래 이론을 연습하는 트레이더에게 중요합니다. 수동으로 그리든 자동 감지를 사용하든 ON Trade Waves Patterns가 도움을 줄 것입니다. 컨트롤 패널: 이 지표에는 사용자 친화적인 컨트롤 패널이 있습니다. 차트 및 시간 프레임 설정을 저장하여 다양한 구성 간에 쉽게 전환할 수 있습니다. 차트 공간을 최대화하려면 최소화할 수도 있습니다. 다른 분석 도구를 사용하는 것을 선호하는 경우 닫기 버튼을 클릭하여 모든 지표 데이터를 숨길 수 있습니다. 템플릿 저장: 설정을 사
Shepherd Harmonic Pattern
Abdullah Alrai
4.68 (59)
이 지표는 수동 및 자동 방법으로 차트에 그려진 고조파 패턴을 감지합니다. 사용자 매뉴얼은 다음 링크에서 확인할 수 있습니다. 리뷰를 작성하고 문의하면 무료 버전으로 MT4에서 제품을 시도할 수 있습니다. Gartley 및 Nenstar 패턴을 감지하는 데 사용할 수 있습니다. https://www.mql5.com/en/market/product/30181 전체 MT4 버전을 구입하려면 다음에서 구입할 수 있습니다. https://www.mql5.com/en/market/product/15212 참고 사항 지표에는 제어 패널이 있으며 모든 (차트 및 시간대) 설정을 저장합니다. 차트에서 더 많은 공간을 확보하려면 최소화할 수 있으며, 다른 분석 도구로 작업하는 것이 선호되는 경우 모든 지표 데이터를 숨기려면 닫기 버튼을 누를 수 있습니다. 이 지표를 사용하고 설정을 변경하면 이동 평균 또는 볼린저 밴드와 같은 지표를 추가하면 자동으로 템플릿을 저장하고 필요할 때 언제든지 로드할 수
Indicator : RealValueIndicator Description : RealValueIndicator is a powerful tool designed specifically for trading on the EURUSD pair. This indicator analyzes all EUR and USD pairs, calculates their real currency strength values, and displays them as a single realistic value to give you a head start on price. This indicator will tell you moves before they happen if you use it right. RealValueIndicator allows you to get a quick and accurate overview of the EURUSD currency pair tops and bottoms,
All in One Trade
Alexey Minkov
4.48 (27)
The All-in-One Trade Indicator (AOTI) determines daily targets for EURUSD, EURJPY, GBPUSD, USDCHF, EURGBP, EURCAD, EURAUD, AUDJPY, GBPAUD, GBPCAD, GBPCHF, GBPJPY, AUDUSD, and USDJPY. All other modules work with any trading instruments. The indicator includes various features, such as Double Channel trend direction, Price channel, MA Bands, Fibo levels, Climax Bar detection, and others. The AOTI indicator is based on several trading strategies, and created to simplify market analysis. All-in-One
Nasdaq100 Power Indicator
Teboho Edgar Rakotsoane
5 (4)
The NASDAQ 100 Power Indicator serves with TREND and trend reversals indication using automated arrows that indicates buy or sell at that price and has built-in signal provider across all time frames with alerts and provides also the automated support and resistance that can draw technical analysis patterns like double bottom, double top, head and shoulders etc. using closing and open prices, in assistance for if a trader did not see the pattern sooner for their technical analysis. The indicator
Cycle Sniper
Elmira Memish
4.39 (36)
NEW YEAR SALE PRICE FOR LIMITED TIME!!! Please contact us after your purchase and we will send you the complimentary indicators to complete the system Cycle Sniper is not a holy grail but when you use it in a system which is explained in the videos, you will feel the difference. If you are not willing to focus on the charts designed with Cycle Sniper and other free tools we provide, we recommend not buying this indicator. We recommend watching the videos about the indiactor and system before pu
The indicator of a Professional Trader is an arrow indicator for predicting the direction of price movement. I have been working on this indicator since 2014. You can use this indicator as your main indicator, use its entry signals, and use it as your only indicator to find entry points. About the product: Recommended TF [H4-D1-W1]   . The indicator predicts the direction of the next candle. Fits a variety of tools; Flexibility in settings for different instruments and intervals through the
PZ Swing Trading
PZ TRADING SLU
5 (4)
Swing Trading is the first indicator designed to detect swings in the direction of the trend and possible reversal swings. It uses the baseline swing trading approach, widely described in trading literature. The indicator studies several price and time vectors to track the aggregate trend direction and detects situations in which the market is oversold or overbought and ready to correct. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Profit for market swings with
Weis Wave with Alert
Trade The Volume Waves Single Member P.C.
4.8 (20)
Rental/Lifetime Package Options and Privileges' * For optimum results the yearly or lifetime package is suggested due to live training and Discord  channel trading with the  creator! Rent Monthly Six Months   Yearly/Lifetime Weis Wave with Speed with Alert+Speed Index x x x Manual  x x x Quick Set up Video x x x Blog x x x Lifetime Updates x x x Setup and Training Material x x Free Rectangle Break Alert Tool      x Discord Access Channel "The SI traders" x 2-hour live methodology traini
제작자의 제품 더 보기
The indicator draws trend lines based on Thomas Demark algorithm. It draws lines from different timeframes on one chart. The timeframes can be higher than or equal to the timeframe of the chart, on which the indicator is used. The indicator considers breakthrough qualifiers (if the conditions are met, an additional symbol appears in the place of the breakthrough) and draws approximate targets (target line above/below the current prices) according to Demark algorithm. Recommended timeframes for t
This indicator calculates and displays Murrey Math Lines on the chart. This MT5 version is similar to the МТ4 version: It allows you to plot up to 4 octaves, inclusive, using data from different time frames, which enables you to assess the correlation between trends and investment horizons of different lengths. In contrast to the МТ4 version, this one automatically selects an algorithm to search for the base for range calculation. You can get the values of the levels by using the iCustom() funct
Классификатор силы тренда. Показания на истории не меняет. Изменяется классификация только незакрытого бара. По идее подобен полной системе ASCTrend, сигнальный модуль которой, точнее его аппроксимация в несколько "урезанном" виде, есть в свободном доступе, а также в терминале как сигнальный индикатор SilverTrend . Точной копией системы ASCTrend не является. Работает на всех инструментах и всех временных диапазонах. Индикатор использует несколько некоррелируемых между собой алгоритмов для класси
필터:
리뷰 없음
리뷰 답변
버전 1.1 2022.02.03
Перекомпилирован под терминал 1353 от 16.12.2021