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.

Prodotti consigliati
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 è un indicatore per ottenere punti di ingresso di alta qualità. L'indicatore è stato sviluppato per facilitare i calcoli matematici e semplificare la ricerca dei punti di ingresso in una posizione. La strategia di trading per la quale è stato scritto l'indicatore ha dimostrato la sua efficacia per molti anni. La semplicità della strategia di trading è il suo grande vantaggio, che consente anche ai trader alle prime armi di commerciare con successo con essa. VR Cub calcola i punti di apert
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
"Dynamic Scalping Oscillator" - è un indicatore Crypto_Forex personalizzato avanzato - uno strumento di trading efficiente per MT4! - Nuova generazione di oscillatori - guarda le immagini per vedere come usarlo. - L'oscillatore Dynamic Scalping ha zone di ipervenduto/ipercomprato adattive. - L'oscillatore è uno strumento ausiliario per trovare punti di ingresso esatti dalle aree dinamiche di ipervenduto/ipercomprato. - Valori di ipervenduto: sotto la linea verde, valori di ipercomprato: sopra
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
Questo indicatore è stato progettato per uno scalping aggressivo e per entrate rapide nelle opzioni binarie , generando segnali su ogni candela in modo da sapere esattamente cosa sta succedendo in ogni momento. Unisciti al canale Happy Scalping: MQL5 Non ripinta : il segnale della candela attuale viene generato in tempo reale , il che significa che può cambiare mentre la candela è ancora in formazione, a seconda che il prezzo salga o scenda rispetto alla chiusura della candela precedente. Tutt
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
Daily Candle Predictor è un indicatore che prevede il prezzo di chiusura di una candela. L'indicatore è destinato principalmente all'uso sui grafici D1. Questo indicatore è adatto sia per il trading forex tradizionale che per il trading di opzioni binarie. L'indicatore può essere utilizzato come sistema di trading autonomo o può fungere da aggiunta al sistema di trading esistente. Questo indicatore analizza la candela corrente, calcolando alcuni fattori di forza all'interno del corpo della cande
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.24 (37)
Versione MT5  |  FAQ L' indicatore Owl Smart Levels   è un sistema di trading completo all'interno dell'unico indicatore che include strumenti di analisi di mercato popolari come i   frattali avanzati di Bill Williams , Valable ZigZag che costruisce   la corretta struttura a onde   del mercato, e i   livelli di Fibonacci che segnano i livelli esatti di entrata nel mercato e luoghi per prendere profitti. Descrizione dettagliata della strategia Istruzioni per lavorare con l'indicatore Consulente-
Night ghost
Dmitriy Kashevich
Night Ghost - Indicatore a freccia per opzioni binarie. Questo è un assistente affidabile per te in futuro! - Nessun ridisegno sul grafico -Funziona alla grande su tutte le coppie di valute! -Precisione dell'indicatore fino al 90% (soprattutto di notte) -Non c'è bisogno di impostare per molto tempo (impostato perfettamente per le opzioni binarie) - Segnali non in ritardo - La comparsa di un segnale sulla candela corrente -Perfetto per il periodo M1 (non più!) - Colore della candela ad
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 m
DMITRII GRIDASOV
Indicatore "Auto FIBO Pro" Crypto_Forex: è un ottimo strumento ausiliario nel trading! - L'indicatore calcola e posiziona automaticamente sul grafico i livelli di Fibo e le linee di tendenza locali (colore rosso). - I livelli di Fibonacci indicano le aree chiave in cui il prezzo può invertirsi. - I livelli più importanti sono 23,6%, 38,2%, 50% e 61,8%. - Puoi usarlo per lo scalping di inversione o per il trading di zone grid. - Ci sono molte opportunità per migliorare il tuo sistema attuale us
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
Gli utenti di questo prodotto hanno anche acquistato
Attualmente 40% di sconto! La soluzione migliore per ogni principiante o trader esperto! Questo software per cruscotti funziona su 28 coppie di valute. Si basa su 2 dei nostri indicatori principali (Advanced Currency Strength 28 e Advanced Currency Impulse). Offre un'ottima panoramica dell'intero mercato Forex. Mostra i valori di forza delle valute avanzate, la velocità di movimento delle valute e i segnali per 28 coppie Forex in tutti i (9) timeframe. Immaginate come migliorerà il vostro tra
Volatility Trend System - un sistema di trading che fornisce segnali per le voci. Il sistema di volatilità fornisce segnali lineari e puntuali nella direzione del trend, nonché segnali per uscirne, senza ridisegnare e ritardi. L'indicatore di tendenza monitora la direzione della tendenza a medio termine, mostra la direzione e il suo cambiamento. L'indicatore di segnale si basa sui cambiamenti della volatilità e mostra gli ingressi nel mercato. L'indicatore è dotato di diversi tipi di avvisi. Pu
Indicatore Miraculous – Strumento Forex e Binario 100% Non-Repaint Basato sul Quadrato di Nove di Gann Questo video presenta l' Indicatore Miraculous , uno strumento di trading altamente accurato e potente, sviluppato specificamente per i trader di Forex e Opzioni Binarie . Ciò che rende unico questo indicatore è la sua base sul leggendario Quadrato di Nove di Gann e sulla Legge della Vibrazione di Gann , rendendolo uno degli strumenti di previsione più precisi disponibili nel trading moderno. L
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
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
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
Super Signal – Skyblade Edition Sistema professionale di segnali di tendenza senza repaint / senza ritardo con tasso di vincita eccezionale | Per MT4 / MT5 Funziona meglio su timeframe più bassi, come 1 minuto, 5 minuti e 15 minuti. Caratteristiche principali: Super Signal – Skyblade Edition è un sistema intelligente di segnali progettato specificamente per il trading di tendenza. Utilizza una logica di filtraggio multilivello per identificare esclusivamente i movimenti direzionali forti, supp
Un indicatore tecnico che struttura i grafici e identifica i movimenti ciclici dei prezzi. Può funzionare su qualsiasi grafico. Diversi tipi di notifiche. Ci sono altre frecce sul grafico stesso. Senza ridisegnare la storia, lavora sulla chiusura della candela. TF consigliati da M5 in su. Parametri facili da usare e configurare. Se si utilizzano 2 indicatori con parametri diversi, è possibile utilizzarli senza altri indicatori. Ha 2 parametri di input Ciclicità e durata del segnale Questi 2 pa
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
Introducing a powerful, precision-engineered indicator that seamlessly combines Pivot Points, Moving Averages, and Multi-Timeframe Analysis to deliver high-probability Buy and Sell signals in real-time. This tool is your strategic edge, designed to identify trend reversals, market momentum, and optimal trade entries, no matter your preferred trading style. Our algorithm goes beyond standard indicators—by analyzing multiple timeframes simultaneously, it spots true market turning points while fi
The Super Arrow Indicator provides non-repainting buy and sell signals with exceptional accuracy. Key Features No repainting – confirmed signals remain fixed Clear visual arrows: green for buy, red for sell Real-time alerts via pop-up, sound, and optional email Clean chart view with no unnecessary clutter Works on all markets: Forex, gold, oil, indices, crypto Adjustable Parameters TimeFrame Default: "current time frame" Function: Sets the time frame for indicator calculation Options: Can be set
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
Meravith
Ivan Stefanov
5 (3)
Strumento per market maker. Meravith: Analizzerà tutti i timeframe e mostrerà il trend attualmente in corso. Evidenzierà le zone di liquidità (equilibrio dei volumi) dove i volumi rialzisti e ribassisti sono uguali. Mostrerà tutti i livelli di liquidità dei diversi timeframe direttamente sul grafico. Genererà e presenterà un’analisi di mercato testuale a scopo di riferimento. Calcolerà obiettivi, livelli di supporto e punti di stop-loss in base al trend attuale. Calcolerà il rapporto rischio/ren
L'indicatore " Dynamic Scalper System " è progettato per il metodo di scalping, ovvero per il trading all'interno di onde di trend. Testato sulle principali coppie di valute e sull'oro, è compatibile con altri strumenti di trading. Fornisce segnali per l'apertura di posizioni a breve termine lungo il trend, con ulteriore supporto al movimento dei prezzi. Il principio dell'indicatore. Le frecce grandi determinano la direzione del trend. Un algoritmo per generare segnali per lo scalping sotto fo
Supply and Demand Dashboard PRO
Bernhard Schweigert
4.8 (20)
Attualmente 40% di sconto! Questo cruscotto è un software molto potente che lavora su più simboli e fino a 9 timeframe. Si basa sul nostro indicatore principale (migliori recensioni: Advanced Supply Demand ).   Il cruscotto offre un'ottima panoramica. Mostra:    Valori filtrati di domanda e offerta, compresa la valutazione della forza delle zone, distanze dei pip da/all'interno delle zone, Evidenzia le zone annidate, Fornisce 4 tipi di allarmi per i simboli scelti in tutti i (9) time-frames.
CyberZingFx Volume Plus
Afsal Meerankutty
4.94 (17)
Advanced version of CyberZingFx Volume Plus, the ultimate MT4 indicator for traders seeking highly accurate buy and sell signals. With an additional strategy and price action dot signals that enhances its effectiveness, this indicator offers a superior trading experience for professionals and beginners alike. The CyberZingFx Volume Plus Advanced version combines the power of volume analysis and historical price data with an additional strategy, resulting in even more precise and reliable signals
Segnale GoldRush Trend Arrow L'indicatore GoldRush Trend Arrow Signal fornisce un'analisi precisa e in tempo reale dei trend, pensata appositamente per gli scalper ad alta velocità e a breve termine nel mercato XAU/USD. Progettato specificamente per il timeframe di 1 minuto, questo strumento mostra frecce direzionali che indicano chiari punti di ingresso, consentendo agli scalper di navigare con sicurezza nelle condizioni di mercato volatili. L'indicatore è composto da frecce di avviso PRIMA
Dynamic Forex28 Navigator
Bernhard Schweigert
4.43 (7)
Dynamic Forex28 Navigator - Lo strumento di trading Forex di nuova generazione. ATTUALMENTE SCONTATO DEL 49%. Dynamic Forex28 Navigator è l'evoluzione dei nostri indicatori popolari di lunga data, che combinano la potenza di tre in uno: Advanced Currency Strength28 Indicator (695 recensioni) + Advanced Currency IMPULSE con ALERT (520 recensioni) + CS28 Combo Signals (Bonus). Dettagli sull'indicatore https://www.mql5.com/en/blogs/post/758844 Cosa offre l'indicatore di forza di nuova generazione?
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
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
MetaForecast M4
Vahidreza Heidar Gholami
5 (2)
MetaForecast predice e visualizza il futuro di qualsiasi mercato basandosi sull'armonia dei dati dei prezzi. Sebbene il mercato non sia sempre prevedibile, se esiste un modello nei prezzi, MetaForecast può prevedere il futuro con la massima precisione possibile. Rispetto ad altri prodotti simili, MetaForecast può generare risultati più accurati analizzando le tendenze di mercato. Parametri di input Past size (Dimensione passata) Specifica il numero di barre che MetaForecast utilizza per creare
GOLD Impulse with Alert
Bernhard Schweigert
4.64 (11)
Questo indicatore è una super combinazione dei nostri 2 prodotti Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Funziona per tutti i time frame e mostra graficamente l'impulso di forza o debolezza per le 8 valute principali più un simbolo! Questo indicatore è specializzato nel mostrare l'accelerazione della forza delle valute per qualsiasi simbolo come oro, coppie esotiche, materie prime, indici o futures. Primo nel suo genere, qualsiasi simbolo può essere aggiunto all
"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
Innanzitutto, vale la pena sottolineare che questo Strumento di Trading è un Indicatore Non-Ridipingente, Non-Ridisegnante e Non-Laggante, il che lo rende ideale per il trading professionale. Corso online, manuale utente e demo. L'Indicatore Smart Price Action Concepts è uno strumento molto potente sia per i nuovi che per i trader esperti. Racchiude più di 20 utili indicatori in uno solo, combinando idee di trading avanzate come l'Analisi del Trader del Circolo Interno e le Strategie di Trading
Currency Strength Exotics
Bernhard Schweigert
4.88 (33)
ATTUALMENTE SCONTATO DEL 20%! La soluzione migliore per qualsiasi principiante o trader esperto! Questo indicatore è specializzato nel mostrare la forza della valuta per qualsiasi simbolo come coppie esotiche, materie prime, indici o futures. È il primo nel suo genere, qualsiasi simbolo può essere aggiunto alla nona riga per mostrare la vera forza della valuta di Oro, Argento, Petrolio, DAX, US30, MXN, TRY, CNH ecc. Si tratta di uno strumento di trading unico, di alta qualità e conveniente pe
Beast Super Signal
Dustin Vlok
4.73 (89)
Alla ricerca di un potente indicatore di trading forex che possa aiutarti a identificare facilmente opportunità di trading redditizie? Non guardare oltre il Super Segnale Bestia. Questo indicatore basato sulle tendenze di facile utilizzo monitora continuamente le condizioni del mercato, cercando nuove tendenze in via di sviluppo o saltando su quelle esistenti. Il Beast Super Signal fornisce un segnale di acquisto o di vendita quando tutte le strategie interne sono allineate e sono al 100% in con
OrderFlow Absorption – Indicatore professionale di Delta e Segnali di Assorbimento per MT4 Sblocca la potenza della vera analisi del flusso degli ordini con OrderFlow Absorption – l’indicatore definitivo di istogramma delta e segnali di assorbimento per MetaTrader 4. Progettato per i trader che vogliono vedere cosa succede davvero dietro ogni movimento di prezzo, questo strumento rivela la pressione nascosta di acquisto/vendita e gli eventi di assorbimento che muovono il mercato. Caratteristiche
Pip Storm Signal
Camila Bernardez Camero
Segnale PIP STORM PIP STORM è un sistema avanzato basato su frecce, progettato per un'esecuzione ultra-frequente durante le fasi di alta volatilità del mercato. Il suo obiettivo principale è mantenere un flusso costante di segnali di scalping utilizzabili, senza fare affidamento su indicatori ritardati o abusati. Non predice — reagisce con precisione alle zone di transizione del prezzo, catturando micro-rotture e squilibri di liquidità con un motore di conferma minimalista in tempo reale. Rim
POWR Rise Coming
Trade Indicators LLC
This indicator is SO SIMPLE… when the green Rise Coming arrow appears, a price drop may be on the way! Plain and easy profits! As you receive more than one 'Rise Coming' text signal in a downtrend, it means momentum is building larger for a bull run. HOW TO USE 1. When the green "Rise Coming" text appears, a price jump may be on the way! This indicator Never Repaints! To get the best setting it's a matter of tweaking the indicator until it gives you the best results. Our recommendation, and what
Advanced Arrow
Alfred Kamal
3.9 (39)
This indicator depends on some secrets equations to draw Signals with Stop loss and maximum 4 Take profits. There is a free EA depends on this indicator as a gift when you purchase/rent it. Features Simply it gives you entry point as Ready sign (Buy / Sell) and arrow (Buy / Sell) after candle closed, also SL line and 4 TP lines or less. Once SL-TP lines are shown with the arrow, they remains as they are until signal change. It is historical indicator. No Repaint. user manual for V5 please click
Altri dall’autore
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 не является. Работает на всех инструментах и всех временных диапазонах. Индикатор использует несколько некоррелируемых между собой алгоритмов для класси
Filtro:
Nessuna recensione
Rispondi alla recensione