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.

Önerilen ürünler
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 , yüksek kaliteli giriş noktaları elde etmenin bir göstergesidir. Gösterge, matematiksel hesaplamaları kolaylaştırmak ve bir pozisyona giriş noktalarının aranmasını basitleştirmek için geliştirildi. Göstergenin yazıldığı ticaret stratejisi uzun yıllardan beri etkinliğini kanıtlamaktadır. Ticaret stratejisinin basitliği, acemi yatırımcıların bile başarılı bir şekilde ticaret yapmasına olanak tanıyan büyük avantajıdır. VR Cub, pozisyon açılış noktalarını ve Kâr Al ve Zararı Durdur hedef sev
Alpha Trend sign has been a very popular trading tool in our company for a long time. It can verify our trading system and clearly indicate trading signals, and the signals will not drift. Main functions: Based on the market display of active areas, indicators can be used to intuitively determine whether the current market trend belongs to a trend market or a volatile market. And enter the market according to the indicator arrows, with green arrows indicating buy and red arrows indicating se
"Dinamik Scalping Osilatörü" - gelişmiş, özel bir Kripto-Forex göstergesi - MT4 için verimli bir işlem aracı! - Yeni nesil Osilatörler - nasıl kullanılacağını görmek için resimlere bakın. - Dinamik Scalping Osilatörü, uyarlanabilir Aşırı Satış/Aşırı Alım bölgelerine sahiptir. - Osilatör, dinamik Aşırı Satış/Aşırı Alım bölgelerinden kesin giriş noktalarını bulmak için yardımcı bir araçtır. - Aşırı Satış değerleri: Yeşil çizginin altında, Aşırı Alım değerleri: Turuncu çizginin üzerinde. - Bu gös
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 for t
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 candle.
This indicator works on MT4 and is very easy to use. When you receive a signal from it, you wait for that candle with the signal to close and you enter your trade at the beginning of the next new candle . A red arrow means sell and a green arrow means buy. All arrows comes with Alert  like for easy identification of trade signal. Are you okay with that? 1 minute candle 1 minute expire
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
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
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
Happy Scalping Indicator
Leandro Bernardez Camero
Bu gösterge, agresif scalping ve ikili opsiyonlarda hızlı girişler yapmak için tasarlanmıştır , her mumda sinyaller üreterek her an neler olduğunu tam olarak bilmenizi sağlar. Happy Scalping kanalına katılın: MQL5 Yeniden çizim yapmaz : Mevcut mumun sinyali gerçek ZAMAN da üretilir, bu da mum hala şekillenirken, fiyatın bir önceki mumun kapanışına göre yukarı ya da aşağı gitmesine bağlı olarak değişebileceği anlamına gelir. Ancak bir kez mum kapanınca , sinyalin rengi tamamen sabit kalır . Değ
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
Super Reversal Pattern
Parfait Mujinga Ndalika
Super Reversal Pattern Indicator Unlock the power of advanced pattern recognition with our Super Reversal Pattern Indicator. Designed for traders seeking precision and reliability, this indicator identifies one of the most effective reversal patterns in technical analysis, offering a significant edge in your trading strategy. Key Features: Non-Repainting Accuracy: Enjoy the confidence of non-repainting technology. Once a Super Reversal Pattern is detected, it remains static, providing consiste
Bu, bir mumun kapanış fiyatını tahmin eden bir göstergedir. Gösterge öncelikle D1 çizelgelerinde kullanılmak üzere tasarlanmıştır. Bu gösterge hem geleneksel forex ticareti hem de ikili opsiyon ticareti için uygundur. Gösterge, bağımsız bir ticaret sistemi olarak kullanılabilir veya mevcut ticaret sisteminize ek olarak hareket edebilir. Bu gösterge, mevcut mumu analiz ederek mumun gövdesi içindeki belirli güç faktörlerini ve önceki mumun parametrelerini hesaplar. Böylece gösterge, piyasa hareket
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.26 (38)
MT5 versiyonu  |  FAQ Owl Smart Levels Indicator ,   Bill Williams'ın gelişmiş fraktalları , piyasanın doğru dalga yapısını oluşturan Valable ZigZag ve kesin giriş seviyelerini gösteren   Fibonacci seviyeleri   gibi popüler piyasa analiz araçlarını içeren tek gösterge içinde eksiksiz bir ticaret sistemidir. pazara ve kar elde edilecek yerlere. Stratejinin ayrıntılı açıklaması Gösterge ile çalışma talimatı Baykuş Yardımcısı ticaretinde Danışman Yardımcısı Kullanıcıların özel sohbeti -> Satın ald
Night ghost
Dmitriy Kashevich
Night Ghost - İkili opsiyonlar için ok göstergesi. Bu, gelecekte sizin için güvenilir bir yardımcıdır! - Grafikte yeniden çizim yok -Tüm döviz çiftlerinde harika çalışıyor! -%90'a varan gösterge doğruluğu (Özellikle geceleri) -Uzun süre kurulum yapmaya gerek yok (İkili Opsiyonlar için mükemmel kurulum) - Geç olmayan sinyaller - Mevcut mum üzerinde bir sinyalin görünümü -M1 dönemi için mükemmel (Artık Yok!) - Göz dostu mum rengi (Kırmızı ve Mavi) -Yüklü Uyarı Onunla çalışmak: - Mavi
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
EARLY REMINDER: The Starting price is 65 price will rise soon up to 365$ and then 750$ after first 10 copies of sales. Grab this offer now! Introduction Hello, traders! Welcome to the demonstration of the Forex Beast Indicator , a comprehensive tool designed to assist aspiring traders in navigating the complexities of the forex market. This indicator incorporates seven essential components to provide a well-rounded trading experience: Moving Averages Colored Zones Support and Resistance Levels
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
"Auto FIBO Pro" Crypto_Forex göstergesi - ticarette harika bir yardımcı araçtır! - Gösterge, Fibo seviyelerini ve yerel trend çizgilerini (kırmızı renk) otomatik olarak hesaplar ve grafikte yerleştirir. - Fibonacci seviyeleri, fiyatın tersine dönebileceği önemli alanları gösterir. - En önemli seviyeler %23,6, %38,2, %50 ve %61,8'dir. - Ters scalping veya bölge ızgara ticareti için kullanabilirsiniz. - Auto FIBO Pro göstergesini kullanarak mevcut sisteminizi geliştirmek için birçok fırsat vardı
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 c
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
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
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
Quantum Balance
Adolfina Denysenko
Quantum Balance is a modern arrow indicator that identifies key price reversal points in the market with high accuracy. It is based on a combination of WPR (Williams %R) and RSI (Relative Strength Index), which allows you to identify overbought/oversold moments and enter trades at points of maximum potential. The indicator analyzes price dynamics and market conditions, generating signals only when several confirming factors coincide. This reduces the number of false signals and increases tradin
Bu ürünün alıcıları ayrıca şunları da satın alıyor
Scalper Inside PRO
Alexey Minkov
4.74 (69)
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
Miraculous Göstergesi – Gann Dokuz Kareye Dayalı %100 Tekrarlamayan Forex ve İkili Araç Bu video, Forex ve İkili Opsiyon traderları için özel olarak geliştirilmiş son derece doğru ve güçlü bir ticaret aracı olan Miraculous Göstergesi 'ni tanıtıyor. Bu göstergeyi benzersiz kılan, efsanevi Gann Dokuz Karesi ve Gann Titreşim Yasası 'na dayanmasıdır; bu da onu modern ticarette mevcut en hassas tahmin araçlarından biri yapmaktadır. Miraculous Göstergesi tamamen tekrarlamaz ; yani mum kapandıktan son
Dynamic Forex28 Navigator
Bernhard Schweigert
4.43 (7)
Dynamic Forex28 Navigator - Yeni Nesil Forex Ticaret Aracı. ŞU ANDA %49 İNDİRİM. Dynamic Forex28 Navigator, uzun zamandır popüler olan göstergelerimizin evrimidir ve üçünün gücünü tek bir göstergede birleştirir: Gelişmiş Döviz Gücü28 Göstergesi (695 inceleme) + Gelişmiş Döviz İMPULS ve UYARI (520 inceleme) + CS28 Kombo Sinyalleri (Bonus). Gösterge hakkında ayrıntılar https://www.mql5.com/en/blogs/post/758844 Yeni Nesil Güç Göstergesi Ne Sunuyor?  Orijinallerde sevdiğiniz her şey, şimdi yeni
Precautions for subscribing to indicator This indicator only supports the computer version of MT4 Does not support MT5, mobile phones, tablets The indicator only shows the day's entry arrow The previous history arrow will not be displayed (Live broadcast is for demonstration) The indicator is a trading aid Is not a EA automatic trading No copy trading function The indicator only indicates the entry position No exit (target profit)  The entry stop loss point is set at 30-50 PIPS Or the front hi
GOLD Impulse with Alert
Bernhard Schweigert
4.64 (11)
Bu gösterge, 2 ürünümüz Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics  'in süper bir kombinasyonudur. Tüm zaman dilimleri için çalışır ve 8 ana para birimi artı bir Sembol için grafiksel olarak güç veya zayıflık dürtüsünü gösterir! Bu Gösterge, Altın, Egzotik Çiftler, Emtialar, Endeksler veya Vadeli İşlemler gibi herhangi bir sembol için para birimi gücü ivmesini göstermek için uzmanlaşmıştır. Türünün ilk örneğidir, Altın, Gümüş, Petrol, DAX, US30, MXN, TRY, CNH vb. içi
Volatility Trend System - girişler için sinyaller veren bir ticaret sistemi. Oynaklık sistemi, trend yönünde doğrusal ve noktasal sinyaller ve ayrıca yeniden çizme ve gecikme olmaksızın trendden çıkmak için sinyaller verir. Trend göstergesi, orta vadeli trendin yönünü izler, yönünü ve değişimini gösterir. Sinyal göstergesi volatilitedeki değişikliklere dayalıdır ve piyasa girişlerini gösterir. Gösterge, çeşitli uyarı türleri ile donatılmıştır. Çeşitli alım satım araçlarına ve zaman dilimlerine
Currency Strength Exotics
Bernhard Schweigert
4.88 (33)
ŞU ANDA %20 INDIRIMLI! Herhangi bir Acemi veya Uzman Tüccar için En İyi Çözüm! Bu Gösterge, Egzotik Çiftler Emtialar, Endeksler veya Vadeli İşlemler gibi herhangi bir sembol için para birimi gücünü göstermek için uzmanlaşmıştır. Türünün ilk örneğidir, Altın, Gümüş, Petrol, DAX, US30, MXN, TRY, CNH vb. gerçek para birimi gücünü göstermek için 9. satıra herhangi bir sembol eklenebilir. Bu benzersiz, yüksek kaliteli ve uygun fiyatlı bir ticaret aracıdır çünkü bir dizi tescilli özelliği ve yeni b
Looking for a powerful yet lightweight swing detector that accurately identifies market structure turning points? Want clear, reliable buy and sell signals that work across any timeframe and any instrument? Buy Sell Arrow MT Swing is built exactly for that — precision swing detection made simple and effective. This indicator identifies Higher Highs (HH) , Higher Lows (HL) , Lower Highs (LH) , and Lower Lows (LL) with remarkable clarity. It is designed to help traders easily visualize market stru
Şu anda %40 İNDİRİMLİ! Herhangi bir Acemi veya Uzman Tüccar için En İyi Çözüm! Bu gösterge paneli yazılımı 28 döviz çifti üzerinde çalışıyor. Ana göstergelerimizden 2'sine (Gelişmiş Para Birimi Gücü 28 ve Gelişmiş Para Birimi Dürtüsü) dayanmaktadır. Tüm Forex piyasasına harika bir genel bakış sağlar. Gelişmiş Para Birimi Gücü değerlerini, para birimi hareket hızını ve tüm (9) zaman dilimlerinde 28 Forex çifti için sinyalleri gösterir. Trendleri ve / veya scalping fırsatlarını belirlemek için
Presenting one-of-a-kind Gann Indicator for XAUUSD IQ Gold Gann Levels is a non-repainting, precision tool designed exclusively for XAUUSD/Gold intraday trading. It uses W.D. Gann’s square root method to plot real-time support and resistance levels, helping traders spot high-probability entries with confidence and clarity. William Delbert Gann (W.D. Gann) was an exceptional market analyst whose trading technique was based on a complex blend of mathematics, geometry, astrology, and ancient calcul
Smart Sweep Sniper MT4
Vincent Georges David Ferrier
# Smart Sweep Sniper MT4 Version MT4 Midnight Pro Edition , specialized for scalping and day trading in Prop Firm, Available here MT5 Version available here ## The Institutional Edge — Detect Where Smart Money Acts, Enter When It Matters If you like it, leave a positive review to support its development. If you encounter a bug, let us know before posting a review. When you complete your challenge, share your certificate in the comments. Happy trading! Smart Sweep Sniper is a precision-engine
El indicador "MR BEAST ALERTAS DE LIQUIDEZ" es una herramienta avanzada diseñada para proporcionar señales y alertas sobre la liquidez del mercado basándose en una serie de indicadores técnicos y análisis de tendencias. Ideal para traders que buscan oportunidades de trading en función de la dinámica de precios y los niveles de volatilidad, este indicador ofrece una visualización clara y detallada en la ventana del gráfico de MetaTrader. Características Principales: Canal ATR Adaptativo: Calcula
IQ FX Gann Levels a precision trading indicator based on W.D. Gann’s square root methods . It plots real-time, non-repainting support and resistance levels to help traders confidently spot intraday and scalping opportunities with high accuracy. William Delbert Gann (W.D. Gann) was an exceptional market analyst, whose trading technique was based on a complex blend of mathematics, geometry, astrology, and ancient mathematics which proved to be extremely accurate. Setup & Guide:  Download  MT5 Ver
Step into the world of Forex trading with confidence, clarity, and precision using   Gold Indicator   a next-generation tool engineered to take your trading performance to the next level. Whether you’re a seasoned professional or just beginning your journey in the currency markets, Gold Indicator equips you with powerful insights and help you trade smarter, not harder. Built on the proven synergy of three advanced indicators, Gold Indicator focuses exclusively on medium and long-term trends eli
Meravith
Ivan Stefanov
5 (3)
Market maker aracı. Meravith şunları yapar: Tüm zaman dilimlerini analiz eder ve geçerli trendi gösterir. Alış ve satış hacimlerinin eşit olduğu likidite bölgelerini (hacim dengesi) vurgular. Farklı zaman dilimlerinden tüm likidite seviyelerini doğrudan grafiğinizde gösterir. Referansınız için metin tabanlı piyasa analizi üretir ve sunar. Mevcut trende göre hedefler, destek seviyeleri ve stop-loss noktalarını hesaplar. İşlemleriniz için risk/ödül oranını hesaplar. Hesap bakiyenize göre pozisyon
System Trend Pro
Aleksandr Makarov
5 (2)
System Trend Pro - This is the best trend trading indicator!!! The indicator no repaint!!!  The indicator has   MTF   mode, which adds confidence to trading on the trend (   no repaint   ). How to trade? Everything is very simple, we wait for the first signal (big arrow), then wait for the second signal (small arrow) and enter the market in the direction of the arrow. (See screens 1 and 2.) Exit on the opposite signal or take 20-30 pips, close half of it, and keep the rest until the opposite
No Repaint Bext is a ready-made trading system. Shows when to open and when to close trades, as well as in which direction. Every time a green arrow appears, you need to open a buy trade. Close all buy trades when a red arrow appears. The same goes for the opposite direction, every time a red arrow appears, open sell trades and close them all when a green arrow appears. We use the M5 timeframe for trading. You can trade on any cozy pair. This indicator does not repaint and practically does not
" Dynamic Scalper System " göstergesi, trend dalgaları içinde işlem yapmak için scalping yöntemi için tasarlanmıştır. Başlıca döviz çiftleri ve altın üzerinde test edilmiştir, diğer işlem araçlarıyla uyumluluğu mümkündür. Ek fiyat hareketi desteğiyle trend boyunca pozisyonların kısa vadeli açılması için sinyaller sağlar. Göstergenin prensibi. Büyük oklar trend yönünü belirler. Küçük oklar şeklinde scalping için sinyaller üreten bir algoritma trend dalgaları içinde çalışır. Kırmızı oklar yüksel
Are you looking for a simple and reliable indicator that can help you spot market swing points easily? Do you want clear buy and sell signals that work on any timeframe and any trading instrument? Buy Sell Signal Pro is designed to do exactly that. It helps traders identify important market turning points and understand the current market structure in a clear and easy way. This indicator detects Higher Highs (HH), Higher Lows (HL), Lower Highs (LH), and Lower Lows (LL) so you can quickly see wh
Trend Screener
STE S.S.COMPANY
4.79 (95)
Trend Göstergesi, Trend Alım Satım ve Filtreleme için Çığır Açan Benzersiz Çözüm, Tüm Önemli Trend Özellikleriyle Tek Bir Araç İçinde Yerleştirildi! Forex, emtialar, kripto para birimleri, endeksler ve hisse senetleri gibi tüm sembollerde/araçlarda kullanılabilen %100 yeniden boyamayan çoklu zaman çerçevesi ve Çoklu para birimi göstergesidir. SINIRLI SÜRELİ TEKLİF: Destek ve Direnç Tarama Göstergesi sadece 50$ ve ömür boyu mevcuttur. (Orijinal fiyat 250$) (teklif uzatıldı) Trend Screener, grafik
Super Signal – Skyblade Edition Profesyonel No-Repaint / Gecikmesiz Trend Sinyal Sistemi, Olağanüstü Kazanma Oranı ile | MT4 / MT5 için 1 dakika, 5 dakika ve 15 dakika gibi daha düşük zaman dilimlerinde en iyi şekilde çalışır. Temel Özellikler: Super Signal – Skyblade Edition, özellikle trend bazlı işlemler için geliştirilmiş akıllı bir sinyal sistemidir. Yalnızca güçlü, yönlü ve gerçek momentum destekli piyasa hareketlerini tespit etmek amacıyla çok katmanlı bir filtreleme yapısı kullanır. Bu s
GM Arrows Pro
Guillaume Pierre Philippe Mesplont
Product Name: GM Arrows Pro – Signals & Alerts Short Description: GM Arrows Pro is a clean, reliable MT4 indicator showing BUY/SELL arrows on the chart with unique alerts at the moment the signal appears. Full Description: GM Arrows Pro is a professional MT4 indicator designed for traders who want clear, actionable signals: BUY and SELL arrows visible on the entire chart history Unique alerts when a new signal appears (no repeated alerts) Option to disable repetitive signals ( disable_repeatin
GoldRush Trend Ok Sinyali GoldRush Trend Ok Sinyali göstergesi, XAU/USD'de yüksek hızlı, kısa vadeli scalperlar için özel olarak tasarlanmış hassas, gerçek zamanlı trend analizi sağlar. 1 dakikalık zaman dilimi için özel olarak tasarlanan bu araç, net giriş noktaları için yön okları gösterir ve scalper'ların değişken piyasa koşullarında güvenle hareket etmelerini sağlar. Gösterge, PRIMARY ve SECONDARY uyarı oklarından oluşur. PRIMARY sinyalleri, trend yönündeki değişikliği gösteren Beyaz ve
PairMaster Buy Sell Arrow Indicator for MT4 Trade Reversals Like a Pro — Catch Every Swing Point with Precision The PairMaster Buy Sell Arrow Indicator is a powerful MetaTrader 4 tool built to identify high-probability swing trading opportunities . Designed for traders who value accuracy, clarity, and simplicity, PairMaster detects key market turning points and plots intuitive buy and sell arrows directly on your chart. Key Features Accurate Swing Point Detection – Automatically identifies ma
Scalping Lines System , özellikle M1-H1 zaman dilimlerinde Altın (XAUUSD) varlığıyla işlem yapmak için tasarlanmış bir scalping işlem sistemidir. Kısa vadeli sinyalleri belirlemek için trend, volatilite ve aşırı alım/aşırı satım piyasa analizi göstergelerini tek bir osilatörde birleştirir. Sinyal çizgileri için ana dahili parametreler önceden yapılandırılmıştır. Bazı parametreler manuel olarak ayarlanabilir: MA trendini kullanarak trend yönündeki bir dizi sinyalin süresini düzenleyen "Trend D
Grafikleri yapılandıran ve döngüsel fiyat hareketlerini belirleyen teknik bir gösterge. Herhangi bir grafik üzerinde çalışabilirim. Birkaç çeşit bildirim var. Grafiğin kendisinde ek oklar var. Tarihe yeniden bakmadan, mumun kapanışına dair çalışmalar. M5 ve üzeri TF önerilir. Kullanımı ve yapılandırması kolay parametreler. Farklı parametrelere sahip 2 indikatörü kullanırken, bunları diğer indikatörler olmadan da kullanabilirsiniz. 2 giriş parametresi vardır Döngüsellik ve Sinyal Süresi Bu 2 pa
Product Name:   Quantum Regime Indicator Short Description:   A multi-engine structural regime and volatility filter. Description: Quantum Regime Indicator (QRI) is a sophisticated technical analysis algorithm designed to identify market structure shifts and volatility regimes. Unlike standard indicators that rely on immediate price action, QRI utilizes a hierarchical logic architecture to filter market noise and identify statistical extremes. The indicator is built on the philosophy of "Market
"Dragon's Tail" is an integrated trading system, not just an indicator. This system analyzes each candle on a minute-by-minute basis, which is particularly effective in high market volatility conditions. The "Dragon's Tail" system identifies key market moments referred to as "bull and bear battles". Based on these "battles", the system gives trade direction recommendations. In the case of an arrow appearing on the chart, this signals the possibility of opening two trades in the indicated directi
Rtc ML Ai | Predictor CORE MACHINE LEARNING ENGINE Adaptive ML Market Predictor – Multi-Bar Trend & Candle Forecast What This Indicator Does This indicator is a  real-time market prediction engine  designed to analyze price behavior and estimate  future market tendencies . Unlike conventional indicators, this system  does not rely on static parameters or historical curve-fitting , but adapts its internal state dynamically during live market operation. Instead of using static rules, the indic
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 ind
Yazarın diğer ürünleri
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 не является. Работает на всех инструментах и всех временных диапазонах. Индикатор использует несколько некоррелируемых между собой алгоритмов для класси
Filtrele:
İnceleme yok
İncelemeye yanıt