• Genel bakış
  • İncelemeler
  • Yorumlar
  • Yenilikler

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
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
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
Atomic Analyst
Issam Kassas
5 (1)
Öncelikle belirtmek gerekir ki bu Ticaret Göstergesi Yeniden Çizim Yapmaz, Gecikmez ve Gecikme Göstermez, bu da hem manuel hem de robot ticareti için ideal hale getirir. Atom Analisti, Piyasada Daha İyi Bir Avantaj Bulmak İçin Fiyatın Gücünü ve Momentumunu Kullanan PA Fiyat Hareketi Göstergesidir. Gürültüleri ve Yanlış Sinyalleri Kaldırmaya ve Ticaret Potansiyelini Artırmaya Yardımcı Olan Gelişmiş Filtrelerle Donatılmıştır. Birden fazla katmanlı karmaşık göstergeler kullanarak, Atom Analisti
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 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ış
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   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
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
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 Fram
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
Super Gator
Agustinus Biotamalo Lumbantoruan
This indi shows the following 1. Supertrend 2. Alligator (Not a regular alligator) 3. ZigZag 4. Moving Average 5. Trend Continuation/Mini correction Signal (plotted in X) (See screenshots in green background color 6. Early Signal Detection (See screenshots in green background color) You may treat Alligator as the lagging indicator The leading indicator is the supertrend. The zig zag is based on the leading indicator where it gets plotted when the leading indicator got broken to the opposite.
Automated Trendlines
Georgios Kalomoiropoulos
5 (16)
Trend çizgileri, forex ticaretinde en önemli teknik analiz aracıdır. Ne yazık ki, çoğu tüccar onları doğru şekilde çizmez. Otomatik Trend Çizgileri göstergesi, piyasaların trend hareketini görselleştirmenize yardımcı olan ciddi tüccarlar için profesyonel bir araçtır. İki tür Trend Çizgisi, Boğa Trend Çizgisi ve Ayı Trend Çizgisi vardır. Yükseliş trendinde, Forex trend çizgisi, fiyat hareketinin en düşük salınım noktalarından geçer. En az iki "en düşük düşük"ü birleştirmek, bir trend çiz
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
Bu ürünün alıcıları ayrıca şunları da satın alıyor
TPSproTREND PrO
Roman Podpora
5 (15)
TPSpro TRENDPRO  - 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 MT5               DETAILED DESCRIPTION        /       TRADING SETUPS           
Tanıtım       Kuantum Trend Keskin Nişancı Göstergesi   , trend tersine dönmeleri belirleme ve ticaret yapma şeklinizi değiştiren çığır açan MQL5 Göstergesi! 13 yılı aşkın ticaret tecrübesine sahip deneyimli tüccarlardan oluşan bir ekip tarafından geliştirilmiştir.       Kuantum Trend Keskin Nişancı Göstergesi       trend dönüşlerini son derece yüksek doğrulukla belirlemenin yenilikçi yolu ile ticaret yolculuğunuzu yeni zirvelere taşımak için tasarlanmıştır. ***Kuantum Trend Keskin Nişancı Gö
ŞU ANDA %26 INDIRIMLI Yeni Başlayanlar veya Uzman Tüccarlar için En İyi Çözüm! Bu Gösterge benzersiz, yüksek kaliteli ve uygun fiyatlı bir ticaret aracıdır çünkü bir dizi tescilli özellik ve yeni bir formül ekledik. Sadece BİR grafik ile 28 Forex çifti için Döviz Gücünü okuyabilirsiniz! Yeni bir trendin veya scalping fırsatının tam tetik noktasını belirleyebildiğiniz için ticaretinizin nasıl gelişeceğini hayal edin? Kullanım kılavuzu: buraya tıklayın Bu ilk olan, orijinal! Değersiz bir
TPSpro RFI Levels
Roman Podpora
5 (13)
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. Reversal First Impulse levels (RFI)   -  Version MT5                INSTRUCTIONS                 RUS                 ENG                                       R ecommended to use with an indicator   -  
Advanced Supply Demand
Bernhard Schweigert
4.92 (310)
CURRENTLY 26% OFF !! Best Solution for any Newbie or Expert Trader! This indicator is a unique, high quality and affordable trading tool because we have incorporated a number of proprietary features and a new formula. With this update, you will be able to show double timeframe zones. You will not only be able to show a higher TF but to show both, the chart TF, PLUS the higher TF: SHOWING NESTED ZONES. All Supply Demand traders will love it. :) Important Information Revealed Maximize the potenti
TrendMaestro
Stefano Frisetti
5 (2)
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link: 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 and therefore the moment in which prices have strong probability of f
Şu anda %20 İ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çi
Mucizevi Forex Göstergesi Tanıtımı: Keskin Ticaretin Gücünü Serbest Bırakın Tüm zaman dilimlerinde gerçekten olağanüstü sonuçlar sunan en iyi Forex göstergesini aramaktan sıkıldınız mı? Artık aramayın! Mucizevi Forex Göstergesi, ticaret deneyiminizi devrimleştirip kazançlarınızı yeni zirvelere taşımak için burada. Gelişmiş teknoloji ve yılların özenli geliştirmesi temelinde Mucizevi Forex Göstergesi, döviz piyasasında güç ve keskinlik açısından doruğa çıkar. Bu olağanüstü araç, tüm seviyelerdeki
FX Power MT4 NG
Daniel Stein
5 (8)
Sabah Brifingimiz burada mql5 ve on Telegram! FX Power MT4 NG , uzun zamandır çok popüler olan döviz gücü ölçerimiz FX Power'ın yeni neslidir. Peki bu yeni nesil güç ölçer ne sunuyor? Orijinal FX Power hakkında sevdiğiniz her şey PLUS GOLD/XAU güç analizi Daha da hassas hesaplama sonuçları Ayrı ayrı yapılandırılabilir analiz dönemleri Daha da iyi performans için özelleştirilebilir hesaplama limiti Özel çokluDaha fazlasını görmek isteyenler için örnek ayarlar Her grafikte en sevdiğiniz renkler i
Quantum Breakout Indicator PRO
Bogdan Ion Puscasu
4.96 (26)
Tanıtım       Quantum Breakout PRO   , Breakout Bölgeleri ile ticaret yapma şeklinizi değiştiren çığır açan MQL5 Göstergesi! 13 yılı aşkın ticaret deneyimine sahip deneyimli tüccarlardan oluşan bir ekip tarafından geliştirilen   Quantum Breakout PRO   , yenilikçi ve dinamik koparma bölgesi stratejisiyle ticaret yolculuğunuzu yeni zirvelere taşımak için tasarlanmıştır. Kuantum Breakout Göstergesi, size 5 kar hedefi bölgesi ile kırılma bölgelerinde sinyal okları ve kırılma kutusuna dayalı ol
FX Volume
Daniel Stein
4.6 (35)
Sabah Brifingimiz aracılığıyla ayrıntılar ve ekran görüntüleri ile günlük piyasa güncellemenizi alın burada mql5 ve on Telegram ! FX Volume, bir brokerin bakış açısından piyasa duyarlılığı hakkında GERÇEK bir fikir veren İLK ve TEK hacim göstergesidir. COT raporlarından çok daha hızlı bir şekilde, brokerlar gibi kurumsal piyasa katılımcılarının Forex piyasasında nasıl konumlandıklarına dair harika bilgiler sağlar. Bu bilgileri doğrudan grafiğinizde görmek, ticaretiniz için gerçek oyun değiştir
Shepherd Harmonic Pattern
Abdullah Alrai
4.68 (59)
Bu gösterge, manuel ve otomatik yöntemlerle çizilen harmonik desenleri algılar. Kullanım kılavuzuna şu bağlantıdan erişebilirsiniz: İncelemenizi ekleyin ve ürünü almak için bizimle iletişime geçin. Bu ürünü mt4'te denemek için ücretsiz bir sürümü vardır. Gartley ve Nenstar desenlerini algılamak için kullanabilirsiniz: https://www.mql5.com/en/market/product/30181 Tam MT4 sürümünü şuradan satın alabilirsiniz: https://www.mql5.com/en/market/product/15212 Notlar Gösterge kontrol paneline sahiptir ve
TakePropips Donchian Trend Pro
Eric John Pajarillaga Aldana
4.82 (17)
TakePropips Donchian Trend Pro   (MT4), Donchian Kanalı'nı kullanarak trendin yönünü otomatik olarak tespit eden ve size ticarete giriş ve çıkış sinyalleri sağlayan güçlü ve etkili bir araçtır! Bu çok işlevli gösterge, bir trend tarayıcı, ticaret sinyalleri, istatistiksel panel, tarayıcı, ticaret oturumları ve uyarı geçmişi panosu içerir. Size ticaret sinyalleri sağlamak ve çizelgeleri analiz ederek saatlerce tasarruf etmenizi sağlamak için tasarlanmıştır! Kullanım kılavuzunu ve kurulum kılavuzu
How to use Pair Trading Station Pair Trading Station is recommended for H1 time frame and you can use it for any currency pairs. To generate buy and sell signal, follow few steps below to apply Pair Trading Station to your MetaTrader terminal. When you load Pair Trading Station on your chart, Pair Trading station will assess available historical data in your MetaTrader platforms for each currency pair. On your chart, the amount of historical data available will be displayed for each currency pai
RelicusRoad Pro
Relicus LLC
4.78 (139)
Şimdi 147 $ (birkaç güncellemeden sonra 499 $ 'a yükseliyor) - Sınırsız Hesaplar (PC'ler veya Mac'ler) RelicusRoad Kullanım Kılavuzu + Eğitim Videoları + Özel Discord Grubuna Erişim + VIP Durumu PİYASAYA BAKMAK İÇİN YENİ BİR YOL RelicusRoad, forex, vadeli işlemler, kripto para birimleri, hisse senetleri ve endeksler için dünyanın en güçlü ticaret göstergesidir ve yatırımcılara kârlı kalmaları için ihtiyaç duydukları tüm bilgileri ve araçları sağlar. Başlangıç ​​seviyesinden ileri seviyey
Precision Index Osilatörü (Pi-Osc) - Precision Trading Systems'dan Roger Medcalf Sürüm 2, grafiklerinizde hızlı bir şekilde yüklenmek üzere dikkatle yeniden kodlandı ve deneyimi artırmak için bazı teknik geliştirmeler de içerdi. Pi-Osc, herkesin stoplarını almak için zorlanan pazarların gitmek zorunda kaldığı aşırı yorgunluk noktalarını bulmak için tasarlanmış doğru ticaret zamanlama sinyalleri sunmak amacıyla oluşturuldu. Bu ürün, aşırı noktaların nerede olduğunu bilmek gibi yaşlı bir so
Cycle Sniper
Elmira Memish
4.41 (34)
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
Sizlere ON Trade Waves Patterns Harmonic Elliot Wolfe'u tanıtmaktan mutluluk duyarız. Bu, manuel ve otomatik yöntemleri kullanarak piyasada çeşitli desenleri tespit etmek için tasarlanmış gelişmiş bir göstergedir. İşte nasıl çalıştığı: Harmonik Desenler: Bu gösterge, grafiğinizde görünen harmonik desenleri tanımlayabilir. Bu desenler, Scott Carney'in "Harmonic Trading vol 1 & 2" adlı kitabında açıklandığı gibi harmonik ticaret teorisini uygulayan tüccarlar için önemlidir. Onları manuel olarak ç
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
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
Th3Eng PipFinite PRO Indicator This product is distinct from the Th3Eng PipFinite Original, utilizing a different logic and algorithms. The Th3Eng PipFinite Pro indicator offers analysis of trend directions using custom algorithms. It provides indications of trend direction, entry points, a stop loss point, and three take profit points. The indicator also displays pivot points, dynamic support and resistance channels, and a side-box with detailed current signal information. How to Trade with
This Indicator does not repaint itself at all, it's 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 and therefore the moment in which prices have strong probability of following a new TREND. CandleBarColorate never misses a beat, he always identifies a new TREND in the bud without error. This indicator facilitates the reading of charts on METATRADER; on a single wi
Ultimate Sniper Dashboard
Hispraise Chinedum Abraham
4.84 (25)
İndirimli fiyatı 299$! Fiyatlar gelecekte artabilir! Aşağıdaki açıklamayı okuyun! Ultimate Sniper Dashboard için En İyi Giriş Sistemi: NIHAI DINAMIK SEVIYELER. (Lütfen Ürünlerimi Kontrol Edin) Ultimate Sniper Dashboard, MT4 çoklu para birimi test limitleri nedeniyle SADECE canlı piyasalarda çalışır. Ultimate-Sniper Dashboard ile tanışın! Hem HA-Sniper hem de MA-Sniper içeren en iyimiz. ve birçok özel mod. Ultimate Sniper Dashboard mutlak bir canavar! Herhangi bir Acemi veya Uzman Tüccar
MT4 için Astronomi Göstergesini Tanıtıyoruz: En İleri Göksel Ticaret Arkadaşınız Ticaret deneyiminizi göksel seviyelere yükseltmeye hazır mısınız? MT4 için devrim niteliğindeki Astronomi Göstergemizi arayın. Bu yenilikçi araç karmaşık algoritmaları kullanarak eşsiz astronomik içgörüler ve hassas hesaplamalar sunmak için geleneksel ticaret göstergelerini aşmaktadır. Bilgi Evreni Parmaklarınızın Ucunda: Göksel verilerin hazinelerini açığa çıkaran kapsamlı bir paneli gözlemleyin. Gezegenlerin geo/h
GOLD Impulse with Alert
Bernhard Schweigert
4.56 (9)
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.
Supply and Demand Dashboard PRO
Bernhard Schweigert
4.82 (22)
Şu anda %20 İNDİRİMLİ! Bu gösterge paneli, birden fazla sembol ve 9 zaman dilimine kadar çalışan çok güçlü bir yazılım parçasıdır. Ana göstergemize dayanmaktadır (En iyi yorumlar: Advanced Supply Demand ).     Gösterge paneli harika bir genel bakış sağlar. Gösterir:    Bölge mukavemet derecesi dahil filtrelenmiş Arz ve Talep değerleri, Bölgelere/ve bölgeler içindeki pip mesafeleri, İç içe geçmiş bölgeleri vurgular, Tüm (9) zaman dilimlerinde seçilen semboller için 4 çeşit uyarı verir. Kişis
Price Action Entry Alerts
Stephen Sanjeeve Sahayam
5 (3)
Bu gösterge, alış veya satış baskısı için her çubuğu tarar ve en yüksek hacme sahip 4 tip mum modelini tanımlar. Bu mumlar daha sonra Alış veya Satış sinyallerini göstermek için birkaç doğrusal filtre kullanılarak filtrelenir. Sinyaller, daha yüksek zaman çerçevesi yönüyle bağlantılı olarak ve yüksek hacimli saatlerde alım satım yapıldığında en iyi sonucu verir. Tüm filtreler özelleştirilebilir ve bağımsız çalışır. Bir düğmeyi tıklayarak tek bir yönün sinyallerini görüntüleyebilir. Bu gösterge
MonsterDash Harmonic Indicator is a harmonic pattern dashboard. It recognizes all major patterns. MonsterDash is a dashboard that displays all detected patterns for all symbols and (almost) all timeframes in sortable and scrollable format. Users can add their own user defined patterns . MonsterDash can open and update charts with the pattern found. Settings MonsterDash's default settings are good enough most of the time. Feel free to fine tune them to your needs. The color settings are for tho
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals (except early signals mode) 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 custo
PZ Day Trading
PZ TRADING SLU
3.67 (3)
This indicator detects price reversals in a zig-zag fashion, using only price action analysis and a donchian channel. It has been specifically designed for short-term trading, without repainting or backpainting at all. It is a fantastic tool for shrewd traders aiming to increase the timing of their operations. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Amazingly easy to trade It provides value on every timeframe It provides suitable SL and TP levels It impl
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
Sürüm 1.1 2022.02.03
Перекомпилирован под терминал 1353 от 16.12.2021