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.

Produits recommandés
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 est un indicateur permettant d'obtenir des points d'entrée de haute qualité. L'indicateur a été développé pour faciliter les calculs mathématiques et simplifier la recherche de points d'entrée dans un poste. La stratégie de trading pour laquelle l'indicateur a été rédigé prouve son efficacité depuis de nombreuses années. La simplicité de la stratégie de trading est son grand avantage, qui permet même aux traders débutants de négocier avec succès avec elle. VR Cub calcule les points d'ouve
Alpha Trend sign est notre outil de Trading très populaire depuis longtemps, il valide notre système de Trading et invite clairement les signaux de Trading sans dérive. Fonctions principales: • En fonction de la zone active du marché, selon les indicateurs, il est intuitif de déterminer si le cours actuel appartient à la tendance ou à la tendance. Et coupez le marché selon les flèches d'indication de l'indicateur, les flèches vertes suggèrent d'acheter et les flèches rouges suggèrent de vend
« Dynamic Scalping Oscillator » est un indicateur Crypto Forex personnalisé avancé, un outil de trading efficace pour MT4 ! - Nouvelle génération d'oscillateurs : voir les images pour comprendre leur utilisation. - L'oscillateur de scalping dynamique dispose de zones de survente/surachat adaptatives. - L'oscillateur est un outil auxiliaire permettant de trouver des points d'entrée précis dans les zones dynamiques de survente/surachat. - Valeurs de survente : inférieures à la ligne verte ; vale
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
Ce indicateur a été conçu pour un scalping agressif et des entrées rapides dans les options binaires , générant des signaux sur chaque bougie afin que vous puissiez savoir exactement ce qui se passe à tout moment. Rejoignez le canal Happy Scalping : MQL5 Ne repince pas : le signal de la bougie actuelle est généré en temps réel , ce qui signifie qu'il peut changer pendant que la bougie est encore en formation, selon que le prix monte ou descend par rapport à la clôture de la bougie précédente.
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
M5 Scalperin – Professional Intraday Scalping System for MetaTrader 4 M5 Scalperin is a professional scalping indicator designed for intraday trading on the Forex market . The system automatically identifies optimal entry points and displays clear buy and sell arrows directly on the chart , allowing traders to quickly react to short-term market movements. The indicator is optimized for high-probability pullback entries within a strong trend , helping traders capture fast profits in active market
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 est un indicateur qui prédit le cours de clôture d'une bougie. L'indicateur est principalement destiné à être utilisé sur les graphiques D1. Cet indicateur convient à la fois au trading forex traditionnel et au trading d'options binaires. L'indicateur peut être utilisé comme un système de trading autonome, ou il peut servir de complément à votre système de trading existant. Cet indicateur analyse la bougie actuelle, calcule certains facteurs de force à l'intérieur du corps
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
Night ghost
Dmitriy Kashevich
Night Ghost - Indicateur de flèche pour les options binaires. Ceci est un assistant fiable pour vous à l'avenir! - Pas de redessin sur le graphique -Fonctionne très bien sur toutes les paires de devises ! -Précision de l'indicateur jusqu'à 90% (surtout la nuit) -Pas besoin de configurer pendant une longue période (configurer parfaitement pour les options binaires) - Pas de signaux en retard - L'apparition d'un signal sur la bougie en cours -Parfait pour la période M1 (Pas Plus !) - Cou
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 indicator - est un excellent outil auxiliaire dans le trading ! - L'indicateur calcule et place automatiquement sur le graphique les niveaux de Fibo et les lignes de tendance locales (couleur rouge). - Les niveaux de Fibonacci indiquent les zones clés où le prix peut s'inverser. - Les niveaux les plus importants sont 23,6 %, 38,2 %, 50 % et 61,8 %. - Vous pouvez l'utiliser pour le scalping inversé ou pour le trading en grille de zones. - Il existe également de nomb
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
Les acheteurs de ce produit ont également acheté
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
Actuellement 40% de réduction ! La meilleure solution pour tout débutant ou trader expert ! Ce logiciel de tableau de bord fonctionne sur 28 paires de devises. Il est basé sur 2 de nos principaux indicateurs (Advanced Currency Strength 28 et Advanced Currency Impulse). Il donne un excellent aperçu de l'ensemble du marché Forex. Il montre les valeurs de l'Advanced Currency Strength, la vitesse de mouvement des devises et les signaux pour 28 paires de devises dans tous les (9) délais. Imaginez
RFI levels PRO
Roman Podpora
5 (1)
L'indicateur montre avec précision les points de retournement et les zones de retour des prix où le       Acteurs majeurs   . Vous repérez les nouvelles tendances et prenez des décisions avec une précision maximale, en gardant le contrôle de chaque transaction. VERSION MT5     -     Révèle son potentiel maximal lorsqu'il est combiné à l'indicateur   TREND LINES PRO Ce que l'indicateur montre : Structures et niveaux d'inversion avec activation au début d'une nouvelle tendance. Affichage des nive
The Nihilist 5.0 Indicator includes Forexalien and Nihilist Easy Trend trading strategies and systems. It is composed of an MTF Dashboard where you can analyze the different input possibilities of each strategy at a glance. It has an alert system with different types of configurable filters. You can also configure which TF you want to be notified on your Metatrader 4 platform and Mobile application The indicator has the option to view how could be a TP and SL by using ATR or fixed points, even w
GOLD Impulse with Alert
Bernhard Schweigert
4.64 (11)
Cet indicateur est une super combinaison de nos 2 produits Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Il fonctionne pour tous les cadres temporels et montre graphiquement l'impulsion de force ou de faiblesse pour les 8 principales devises plus un symbole ! Cet indicateur est spécialisé pour montrer l'accélération de la force des devises pour tout symbole comme l'or, les paires exotiques, les matières premières, les indices ou les contrats à terme. C'est le premier
Dynamic Forex28 Navigator
Bernhard Schweigert
4.43 (7)
Dynamic Forex28 Navigator - L'outil de trading Forex de nouvelle génération. ACTUELLEMENT 49 % DE RÉDUCTION. Dynamic Forex28 Navigator est l'évolution de nos indicateurs populaires de longue date, combinant la puissance de trois en un : Advanced Currency Strength28 Indicator (695 avis) + Advanced Currency IMPULSE avec ALERT (520 avis) + CS28 Combo Signals (Bonus). Détails sur l'indicateur https://www.mql5.com/en/blogs/post/758844 Qu'offre l'indicateur de force de nouvelle génération ? Tout
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
GEM Signal Pro - Indicateur de Trading Professionnel Entrées de précision. Zéro repaint. Une décision à la fois. GEM Signal Pro est un indicateur professionnel de suivi de tendance conçu pour MetaTrader 4 et MetaTrader 5. Il est destiné aux traders qui exigent des signaux propres et exploitables, sans le bruit, le retard ni les fausses promesses qui affectent la plupart des indicateurs grand public. Chaque signal est évalué par un moteur de confirmation propriétaire à plusieurs couches. Ce qui r
MetaBands M4
Vahidreza Heidar Gholami
3.5 (6)
MetaBands uses powerful and unique algorithms to draw channels and detect trends so that it can provide traders with potential points for entering and exiting trades. It’s a channel indicator plus a powerful trend indicator. It includes different types of channels which can be merged to create new channels simply by using the input parameters. MetaBands uses all types of alerts to notify users about market events. Features Supports most of the channel algorithms Powerful trend detection algorith
Volatility Trend System - un système de trading qui donne des signaux pour les entrées. Le système de volatilité donne des signaux linéaires et ponctuels dans le sens de la tendance, ainsi que des signaux pour en sortir, sans redessiner ni retarder. L'indicateur de tendance surveille la direction de la tendance à moyen terme, montre la direction et son changement. L'indicateur de signal est basé sur les changements de volatilité et montre les entrées sur le marché. L'indicateur est équipé de pl
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 custom
Adaptive Volatility Range [AVR] is a powerful tool for identifying key trend reversal points. AVR accurately reflects the Average True Range (ATR) of volatility, taking into account the Volume-Weighted Average Price (VWAP). The indicator adapts to any market volatility by calculating the average volatility over a specific period, ensuring a stable rate of profitable trades. You receive not just an indicator but a professional automated trading system , AVR-EA . Advantages: Automated Trading Sys
Trend Screener
STE S.S.COMPANY
4.79 (95)
Indicateur de tendance, solution unique révolutionnaire pour le trading et le filtrage des tendances avec toutes les fonctionnalités de tendance importantes intégrées dans un seul outil ! Il s'agit d'un indicateur multi-période et multi-devises 100 % non repeint qui peut être utilisé sur tous les symboles/instruments : forex, matières premières, crypto-monnaies, indices et actions. OFFRE À DURÉE LIMITÉE : L'indicateur Support and Resistance Screener est disponible pour seulement 50 $ et à vie. (
Currency Strength Exotics
Bernhard Schweigert
4.88 (33)
ACTUELLEMENT 20% DE RÉDUCTION ! La meilleure solution pour tout débutant ou trader expert ! Cet indicateur est spécialisé pour montrer la force de la devise pour tous les symboles comme les paires exotiques, les matières premières, les indices ou les contrats à terme. C'est le premier de son genre, n'importe quel symbole peut être ajouté à la 9ème ligne pour montrer la force réelle de la devise de l'or, l'argent, le pétrole, DAX, US30, MXN, TRY, CNH etc. Il s'agit d'un outil de trading unique
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
Indicateur Miraculous – Outil Forex et Binaire 100% Non-Repaint Basé sur le Carré de Neuf de Gann Cette vidéo présente l' Indicateur Miraculous , un outil de trading très précis et puissant, spécifiquement développé pour les traders du Forex et des Options Binaires . Ce qui rend cet indicateur unique est sa fondation sur le légendaire Carré de Neuf de Gann et la Loi de Vibration de Gann , en faisant l'un des outils de prévision les plus précis disponibles dans le trading moderne. L'Indicateur Mi
Supply and Demand Dashboard PRO
Bernhard Schweigert
4.8 (20)
Actuellement 40% de réduction ! Ce tableau de bord est un logiciel très puissant qui fonctionne sur plusieurs symboles et jusqu'à 9 horizons temporels. Il est basé sur notre indicateur principal (Best reviews : Advanced Supply Demand ).   Le tableau de bord donne une excellente vue d'ensemble. Il montre :  Les valeurs d'offre et de demande filtrées, y compris l'évaluation de la force de la zone, Les distances en pips vers/et dans les zones, Il met en évidence les zones imbriquées, Il donne 4
Sniper Delta Imbalance is a professional tool for deep delta analysis — the difference between buyer and seller volumes. It takes volume analysis to the next level, allowing traders to see in real time who controls the price — buyers or sellers — and to find precise entry points based on the actions of major market participants. This tool represents a unique style of analysis based on the ratio of demand and supply volumes and can be used to detect who holds control over price. At the core o
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
# CurrencyMeter Pro - Professional Multi-Market Strength Analyzer ## Overview CurrencyMeter Pro is a powerful real-time momentum analyzer that tracks the strength of currencies, cryptocurrencies, indices, metals, and energy markets at a glance. Make smarter trading decisions by instantly identifying the strongest and weakest instruments across multiple asset classes. Whether you're a forex trader looking to pair strong currencies against weak ones, or a multi-asset trader seeking momentum co
Meravith
Ivan Stefanov
5 (3)
Outil des market makers. Meravith va : Analyser toutes les unités de temps et afficher la tendance actuellement en vigueur. Mettre en évidence les zones de liquidité (équilibre des volumes) où le volume haussier et baissier est égal. Afficher tous les niveaux de liquidité provenant de différentes unités de temps directement sur votre graphique. Générer et présenter une analyse de marché sous forme de texte pour votre référence. Calculer les objectifs, les niveaux de support et les points de stop
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
Cet indicateur est un indicateur d'analyse automatique des vagues, parfait pour le trading pratique ! Cas... Remarque :   je n'ai pas l'habitude d'utiliser des noms occidentaux pour l'évaluation des vagues. En raison de l'influence de la convention de dénomination de Tang Lun (Tang Zhong Shuo Zen), j'ai nommé la vague de base comme   un stylo   et la bande d'onde secondaire comme   un segment   . en même temps, le segment a la direction de la tendance.Le   segment de tendance principal   est no
Un indicateur technique qui structure les graphiques et identifie les mouvements de prix cycliques. Peut fonctionner sur n'importe quel graphique. Plusieurs types de notifications. Il y a des flèches supplémentaires sur le graphique lui-même. Sans revenir sur l'histoire, fonctionne sur la fermeture de la bougie. TF recommandé à partir de M5 et plus. Facile à utiliser et à configurer les paramètres. Lorsque vous utilisez 2 indicateurs avec des paramètres différents, vous pouvez les utiliser sans
No Repaint Bext
Andrey Kozak
1 (1)
No Repaint Bext est un système de trading complet. Il indique quand ouvrir et fermer une position ainsi que la direction de la transaction. Chaque fois qu'une flèche verte apparaît, vous devez ouvrir une position d'achat . Toutes les positions d'achat sont fermées lorsqu'une flèche rouge apparaît. De même, chaque fois qu'une flèche rouge apparaît, une position de vente est ouverte et sera fermée lorsque la flèche verte apparaît. Le trading se fait sur l' unité de temps M5 et peut être utilisé s
L'indicateur « Dynamic Scalper System » est conçu pour la méthode de scalping, permettant de trader au sein des vagues de tendance. Testé sur les principales paires de devises et l'or, il est compatible avec d'autres instruments de trading. Fournit des signaux pour l'ouverture de positions à court terme le long de la tendance, avec un support supplémentaire pour les fluctuations de prix. Principe de l'indicateur : De grandes flèches déterminent la direction de la tendance. Un algorithme de gén
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
GM Arrows Pro
Guillaume Pierre Philippe Mesplont
Nom du produit : GM Arrows Pro – Signaux & Alertes Description courte : GM Arrows Pro est un indicateur MT4 clair et fiable, affichant des flèches BUY/SELL sur le graphique avec des alertes uniques à l’apparition du signal. Description complète : GM Arrows Pro est un indicateur professionnel MT4 conçu pour les traders souhaitant des signaux clairs et exploitables : Flèches BUY et SELL visibles sur tout l’historique Alertes uniques à l’apparition d’un signal (pas de répétition) Option pour désa
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
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
Plus de l'auteur
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 не является. Работает на всех инструментах и всех временных диапазонах. Индикатор использует несколько некоррелируемых между собой алгоритмов для класси
Filtrer:
Aucun avis
Répondre à l'avis