• Panoramica
  • Recensioni (2)
  • Commenti (2)
  • Novità

Twin Range Filter by colinmck

5

To get access to MT4 version please click here.

  • - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck".
  • - This is a light-load processing and non-repaint indicator.
  • - All input options are available. 
  • - Buffers are available for processing in EAs.
  • - You can message in private chat for further changes you need.

Here is the code a sample EA that operated based on signals coming from the indicator:

#include <Trade\Trade.mqh>
CTrade trade;
int handle_twr=0;

input group "EA Setting"
input int magic_number=123456; //magic number
input double fixed_lot_size=0.01; // select fixed lot size

input group "TWR setting"
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input int per1 = 27; //Fast period
input double mult1 = 1.6; //Fast range
input int per2 = 55; //Slow period
input double mult2 = 2; //Slow range
input bool showAlerts=true; //use Alerts


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_twr=iCustom(_Symbol, PERIOD_CURRENT, "Market/Twin Range Filter by colinmck", src, per1, mult1, per2, mult2, showAlerts);
   if(handle_twr==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

void OnDeinit(const int reason)
  {
   IndicatorRelease(handle_twr);
  }

void OnTick()
  {
   if(!isNewBar()) return;
   ///////////////////////////////////////////////////////////////////
   bool buy_condition=true;
   buy_condition &= (BuyCount()==0);
   buy_condition &= (IsTWRBuy(1));
   if(buy_condition) 
   {
      CloseSell();
      Buy();
   }
      
   bool sell_condition=true;
   sell_condition &= (SellCount()==0);
   sell_condition &= (IsTWRSell(1));
   if(sell_condition) 
   {
      CloseBuy();
      Sell();
   }
  }

bool IsTWRBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_twr, 12, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsTWRSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_twr, 13, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

int BuyCount()
{
   int buy=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      buy++;
   }  
   return buy;
}

int SellCount()
{
   int sell=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      sell++;
   }  
   return sell;
}


void Buy()
{
   double Ask=SymbolInfoDouble(_Symbol, SYMBOL_ASK);
   if(!trade.Buy(fixed_lot_size, _Symbol, Ask, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   double Bid=SymbolInfoDouble(_Symbol, SYMBOL_BID);
   if(!trade.Sell(fixed_lot_size, _Symbol, Bid, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}


void CloseBuy()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

void CloseSell()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

datetime timer=NULL;
bool isNewBar()
{
   datetime candle_start_time= (int)(TimeCurrent()/(PeriodSeconds()))*PeriodSeconds();
   if(timer==NULL) {}
   else if(timer==candle_start_time) return false;
   timer=candle_start_time;
   return true;
}


Recensioni 2
SpaciousTrader
21
SpaciousTrader 2023.07.11 22:09 
 

Great indicator and awesome support by the author Yashar !!

Prodotti consigliati
RSIScalperPro
PATRICK WENNING
Introducing RSIScalperPro - the revolutionary RSI-based indicator for Metatrader 5, specifically designed for scalping in the one-minute chart. With RSIScalperPro, you'll have a powerful toolkit for precise entry and exit signals to take your trading to the next level. RSIScalperPro utilizes two different RSI indicators that provide clear signals for overbought and oversold areas. You can customize the time periods and limit values of the two RSIs according to your preferences to achieve the be
To get access to MT4 version please click   here . This is the exact conversion from TradingView: QQE MT4 Glaz-modified by JustUncleL This is a light-load processing and non-repaint indicator. All input options are available. This is not a multi time frame indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Rocket Trend
Andriy Sydoruk
The Rocket Trend indicator is trending. The indicator draws two-color points connected by lines along the chart. This is a trend indicator, it is an algorithmic indicator. It is easy to work and understand when a blue circle appears, you need to buy, when a red one appears, sell. The indicator is used for scalping and pipsing, and has proven itself well. Rocket Trend is available for analyzing the direction of the trend for a specific period of time. Ideal for novice traders learning the laws o
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
- This is an implementation of OCC ==> open close cross - This indicator applies twelve different averaging methods to open and close prices separately to signal the trend switching. - All MA methods are set as input as well as period and different offsets applied to linear regression and ALMA averaging. - Buffers 16 and 17 can be used in EAs to detect trend direction. - You can message in private chat for further changes you need.
L'indicatore aiuta ad entrare in un trade seguendo il trend, allo stesso tempo, dopo alcune correzioni. Trova forti movimenti di tendenza di una coppia di valute su un determinato numero di barre e trova anche livelli di correzione per questa tendenza. Se la tendenza è abbastanza forte e la correzione diventa uguale a quella specificata nei parametri, l'indicatore lo segnala. È possibile impostare diversi valori di correzione, i valori di 38, 50 e 62 (livelli di Fibonacci) sono più adatti. Inol
To get access to MT4 version please click here . Also you can check this link . This is the exact conversion from TradingView: "UT Bot" by "Yo_adriiiiaan". This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
This Indicator adding power to traditional zigzag indicator. With High-Low numbers in vision it will be easier to estimate change of trend by knowing the depth of each wave. Information including points, pips, percentage%, and #bars can be displayed based on configuration. All information is real-time update. This indicator is especially useful in sideway market to buy low sell high.
Vwap Bands Auto
Ricardo Almeida Branco
The Vwap Bands Auto indicator seeks to automatically map the maximum market frequency ( automatic update of the outermost band ) and has two intermediate bands that also adjust to daily volatility. Another tool from White Trader that combines price and volume, in addition to mapping the daily amplitude. The external band is updated automatically when the daily maximum or minimum breaks the current frequency, and can be an input signal, seeking a return to the daily vwap. Thus, in ad
Xtrade Trend Detector
Dago Elkana Samuel Dadie
Xtrade Trend Detector is an indicator capable of finding the best opportunities to take a position in any stock market. Indeed, it is a great tool for scalpers but also for Daytraders. You could therefore use it to identify areas to trade, it fits easily on a chart. I use it to detect trends on Big timeframes and take positions on Small timeframes. Don't hesitate to give me a feedback if you test it.
Introduction to Fractal Pattern Scanner Fractal Indicator refers to the technical indicator that makes use of the fractal geometry found in the financial market. Fractal Pattern Scanner is the advanced Fractal Indicator that brings the latest trading technology after the extensive research and development work in the fractal geometry in the financial market. The most important feature in Fractal Pattern Scanner is the ability to measure the turning point probability as well as the trend probabil
Elevate Your Trading Experience with the famous UT Bot Alert Indicator! Summary: The UT Bot Alert Indicator by Quant Nomad has a proven track record and is your gateway to a more profitable trading journey. It's a meticulously crafted tool designed to provide precision, real-time insights, and a user-friendly experience.  Key Features: 1. Precision Analysis: Powered by advanced algorithms for accurate trend identification, pinpointing critical support and resistance levels. 2. Real-time Ale
Volume Candle MT5
Rafael Caetano Pinto
This indicator shows the candles with the highest volume in the market, based on a period and above-average growth percentage. It is also possible to activate the "Show in-depth analysis" functionality that uses algorithms to paint the candles with the probably market direction instead of painting based on the opening and closing positions. EA programmers: This indicator does not redraw.
Mean Reversal Heikin Ashi Indicator calculates special trade reversal points based on Heikin Ashi candlesticks patterns. This indicator can be used on all symbols, even in Forex or B3 Brazillian Markets. You can configure just the position of each arrow. Then, after include the indicator on the graphic, pay attention on each arrow that indicates a long or short trade.
Buy Sell Storm
Aleksandr Makarov
Buy Sell Storm Professional indicator for trading on financial markets, designed for MT5 platform . Trading on the indicator is very simple, Blue arrow to buy , Red arrow to sell. The indicator does not redraw and does not change its values. After purchase write to me and I will send you a Bonus in the form of an EA Buy Sell EA on this indicator. ( see the video of the EA on the indicator, the set file is attached). In the default settings the Period parameter is set to -
The indicator determines a special pattern of Joe Dinapoli. It gives very high probability buy and sell signals. Indicator does not repaint. Indicator Usage Buy Signal ''B'' Entry : Market buy order at signal bar close Stop : Low of signal bar Take Profit : First swing high Sell Signal ''S'' Entry : Market sell order at signal bar close Stop : High of signal bar Take Profit : First swing low Indicator Parameters Fast EMA : External Parameter (should be kept as default) Slow EMA: External Param
Drawing Pack MT5
John Louis Fernando Diamante
This indicator provides several drawing tools to assist in various methods of chart analysis. The drawings will keep their proportions (according to their handle trendline) across different chart scales, update in real time, and multiple drawings are supported. # Drawing Option Description  1 Grid box draggable boxed grid, user defines rows x colums, diagonal ray option  2 Grid partial or fullscreen grid, sized by handle line  3 Grid flex a diagonal grid, sized and sloped by handle line
VolumeSecret
Thalles Nascimento De Carvalho
VolumeSecret: Il Potere del Volume nelle Tue Mani Nel mondo sfidante della programmazione, affrontiamo costantemente ostacoli che ci spingono a crescere e ad evolverci. Comprendiamo profondamente le difficoltà imposte dal mercato e come i trader lottano per raggiungere le migliori performance. Per questo motivo, lavoriamo instancabilmente su soluzioni innovative per rendere la presa di decisioni sul mercato più fluida e precisa. VolumeSecret è il risultato di questo impegno. Si tratta di un indi
Harmonic Pro
Kambiz Shahriarynasab
Only 5 copies of the EA at $30! Next price --> $45 Find charts and signals based on harmonic patterns, which work great in 1-hour timeframes and up. Buy and sell signs based on different harmonic patterns as follows: 0: ABC_D 1: ABCD_E 2: 3Drive 3: 5_0 4: Gartley 5: Bat 6: Crab 7: Butterfly 8: Cypher 9: NenStar 10: Shark 11: AntiBat 12: AntiGartley 13: AntiCrab 14: AntiButterfly 15: AntiCypher 16: AntiNenStar 17: AntiShark How to use: When there is an opportunity to
AdvancedCandleWrapper
Douglas Mbogo Ntongai
Draw as many custom candles as possible on a single chart with this special indicator. Your analysis skill will never be the same again for those who know the power that having a hawkeye view of all price action at once provides. Optimized for performance and allows customization on the appearance of candle bodies and wicks. This is an integral part of analysis at our desks, we hope it will never leave your charts too once you can use it to its full potential.
INDICATORE basato sull'INTELLIGENZA ARTIFICIALE che genera possibili ingressi call e put per opzioni binarie. l'indicatore lavora su 3 diverse strategie: 1) attraverso la lettura dei volumi, manda un segnale quando il prezzo dovrebbe invertire 2) attraverso la divergenza tra il prezzo ed il volume, manda un segnale quando il trend dovrebbe continuare od invertire 3) attraverso la convergenza tra il prezzo ed il volume, manda un segnale quando il trend dovrebbe continuare. l'indicatore lavora s
Scissors Pattern
Kambiz Shahriarynasab
Configure scaffolding charts and signals based on the scissor pattern, which works great at low times. Buy and sell signs based on 2 previous candle patterns It works on the active time form, and when detecting the pattern in 4 time frames, 5 minutes, 15 minutes, 30 minutes and one hour, the alert can be set to notify us of the formation of this pattern. MetaTrader version 4 click here How to use: When there is an opportunity to buy or sell, the marker places a scissors mark on
Machine Learning Adaptive SuperTrend - Take Your Trading to the Next Level! Introducing the   Machine Learning Adaptive SuperTrend , an advanced trading indicator designed to adapt to market volatility dynamically using machine learning techniques. This indicator employs k-means clustering to categorize market volatility into high, medium, and low levels, enhancing the traditional SuperTrend strategy. Perfect for traders who want an edge in identifying trend shifts and market condit
To get access to MT4 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
TilsonT3
Jonathan Pereira
Tillson's T3 moving average was introduced to the world of technical analysis in the article ''A Better Moving Average'', published in the American magazine Technical Analysis of Stock Commodities. Developed by Tim Tillson, analysts and traders of futures markets soon became fascinated with this technique that smoothes the price series while decreasing the lag (lag) typical of trend-following systems.
FREE
Koala Engulf Pattern
Ashkan Hazegh Nikrou
3 (1)
Koala Engulf Pattern Introduction Professional MT5 indicator to detect engulf price action pattern. Useful in forex , cryptocurrency , CFD, Oil market. Some adjustable methods to separate qualified engulf patterns. Nice drawing on chart by fill engulf candles and draw stop loss and 3 different take profits on chart. Alert system contain pop up, mobile notification, email alert. Koala Engulf Pattern Advantages Pure Price Action pattern, engulf is one of amazing price action patterns and very
The Beta index, also known as the Beta indicator, is one of the key reference indicators for hedging institutions. It allows you to measure the relative risk of individual assets, such as currencies and commodities, in comparison to market portfolios, cross-currency pairs, the U.S. dollar index, and stock indices. By understanding how your assets perform in relation to market benchmarks, you will have a clearer understanding of your investment risk. Key Features: Accurate Risk Assessment: The Be
Note: If you want to apply this indicators on indicators which are shown in a sub-window, then consider using this indicator instead:  https://www.mql5.com/en/market/product/109066.&nbsp ; AIntel Predict - Your Gateway to Future Trading Success! Unlock the power of predictive analytics with AIntel Predict. Say goodbye to the guesswork and hello to improved forecasting, as AIntel Predict leverages historical data to unveil the future of your trades like never before. Whether you're a seasoned tra
This indicator is a perfect wave automatic analysis indicator for practical trading! 黄金实战 案例... The standardized definition of the band is no longer a wave of different people, and the art of man-made interference is eliminated, which plays a key role in strict analysis of the approach.=》Increase the choice of international style mode, (red fall green rise style) The  purchase discount is currently in progress! Index content: 1.Basic wave: First, we found the inflection point of the ba
VWAP Indicator MT5
Kyra Nickaline Watson-gordon
Description : VWAP (Volume-Weighted Average Price) is the ratio of the value traded to total volume traded over a particular time horizon. It is a measure of the average price at which pair is traded over the trading horizon. Read More. All Symbols and All Timeframes are supported. Indicator Inputs :     VWAP Mode : Mode of VWAP Calculation. Options can be selected : Single,Session,Daily,Weekly,Monthly     Volumes : Real Volumes,Tick Volumes     Price Type : Used price for cal
Gli utenti di questo prodotto hanno anche acquistato
TPSpro RFI Levels MT5
Roman Podpora
4.75 (12)
ISTRUZIONI       RUS   -   INGLESE       Si   consiglia di utilizzare con un indicatore       -       TPSpro   TENDENZA PRO -   Versione MT4         Un elemento chiave nel trading sono le zone o i livelli da cui vengono prese le decisioni di acquisto o vendita di uno strumento di trading. Nonostante i tentativi dei principali attori di nascondere la loro presenza sul mercato, lasciano inevitabilmente delle tracce. Il nostro compito era imparare a identificare queste tracce e interpretarle corre
TPSproTREND PrO MT5
Roman Podpora
4.89 (9)
TPSpro TREND PRO   è un indicatore di tendenza che analizza automaticamente il mercato, fornisce informazioni sulla tendenza e sui rispettivi cambiamenti e fornisce segnali per entrare nelle operazioni senza ridisegnare. L'indicatore utilizza ciascuna candela e la analizza separatamente. Si riferisce a vari shock al rialzo o al ribasso. Punto di ingresso preciso per il trading di valute, criptovalute, metalli, azioni e indici! Versione MT5                   Descrizione completa dell'indicatore
Trend Screener Pro MT5
STE S.S.COMPANY
4.87 (63)
Indicatore di tendenza, soluzione unica rivoluzionaria per il trading di tendenze e il filtraggio con tutte le importanti funzionalità di tendenza integrate in un unico strumento! È un indicatore multi-timeframe e multi-valuta al 100% non ridipingibile che può essere utilizzato su tutti i simboli/strumenti: forex, materie prime, criptovalute, indici e azioni. Trend Screener è un indicatore di tendenza che segue un indicatore efficiente che fornisce segnali di tendenza a freccia con punti nel gra
Atomic Analyst MT5
Issam Kassas
4.32 (19)
Innanzitutto, vale la pena sottolineare che questo indicatore di trading non è repaint, non è ridisegno e non presenta ritardi, il che lo rende ideale sia per il trading manuale che per quello automatico. Manuale utente: impostazioni, input e strategia. L'Analista Atomico è un indicatore di azione del prezzo PA che utilizza la forza e il momentum del prezzo per trovare un miglior vantaggio sul mercato. Dotato di filtri avanzati che aiutano a rimuovere rumori e segnali falsi, e aumentare il pote
Innanzitutto è importante sottolineare che questo sistema di trading è un indicatore Non-Repainting, Non-Redrawing e Non-Lagging, il che lo rende ideale sia per il trading manuale che per quello automatico. Corso online, manuale e download di preset. Il "Sistema di Trading Smart Trend MT5" è una soluzione completa pensata sia per i trader principianti che per quelli esperti. Combina oltre 10 indicatori premium e offre più di 7 robuste strategie di trading, rendendolo una scelta versatile per div
Quantum TrendPulse
Bogdan Ion Puscasu
5 (1)
Ecco   Quantum TrendPulse   , lo strumento di trading definitivo che combina la potenza di   SuperTrend   ,   RSI   e   Stocastico   in un unico indicatore completo per massimizzare il tuo potenziale di trading. Progettato per i trader che cercano precisione ed efficienza, questo indicatore ti aiuta a identificare con sicurezza le tendenze di mercato, i cambiamenti di momentum e i punti di entrata e uscita ottimali. Caratteristiche principali: Integrazione SuperTrend:   segui facilmente l'andame
Top indicator for MT5   providing accurate signals to enter a trade without repainting! It can be applied to any financial assets:   forex, cryptocurrencies, metals, stocks, indices .  Watch  the video  (6:22) with an example of processing only one signal that paid off the indicator! MT4 version is here It will provide pretty accurate trading signals and tell you when it's best to open a trade and close it. Most traders improve their trading results during the first trading week with the help of
FX Power MT5 NG
Daniel Stein
5 (6)
Ricevi il tuo aggiornamento quotidiano sul mercato con dettagli e schermate tramite il nostro Morning Briefing qui su mql5 e su Telegram ! FX Power MT5 NG è la nuova generazione del nostro popolare misuratore di forza delle valute, FX Power. Cosa offre questo misuratore di forza di nuova generazione? Tutto ciò che avete amato dell'FX Power originale IN PIÙ Analisi della forza di ORO/XAU Risultati di calcolo ancora più precisi Periodi di analisi configurabili individualmente Limite di calcolo pe
Gold Stuff mt5
Vasiliy Strukov
4.92 (169)
Gold Stuff mt5 è un indicatore di tendenza progettato specificamente per l'oro e può essere utilizzato anche su qualsiasi strumento finanziario. L'indicatore non ridisegna e non è in ritardo. Periodo consigliato H1. Contattami subito dopo l'acquisto per avere le impostazioni e un bonus personale!   I risultati in tempo reale possono essere visualizzati qui.  Puoi ottenere una copia gratuita del nostro indicatore Strong Support e Trend Scanner, per favore scrivi in ​​privato. M   IMPOSTAZION
FX Volume MT5
Daniel Stein
4.93 (14)
Ricevi il tuo aggiornamento quotidiano sul mercato con dettagli e schermate tramite il nostro Morning Briefing qui su mql5 e su Telegram ! FX Volume è il PRIMO e UNICO indicatore di volume che fornisce una visione REALE del sentiment del mercato dal punto di vista del broker. Fornisce informazioni straordinarie su come gli operatori di mercato istituzionali, come i broker, sono posizionati sul mercato Forex, molto più velocemente dei rapporti COT. Vedere queste informazioni direttamente sul vo
Presentazione       Quantum Breakout PRO   , l'innovativo indicatore MQL5 che sta trasformando il modo in cui scambi le zone di breakout! Sviluppato da un team di trader esperti con un'esperienza di trading di oltre 13 anni,       Quantum Breakout PRO       è progettato per spingere il tuo viaggio di trading a nuovi livelli con la sua strategia innovativa e dinamica della zona di breakout. Quantum Breakout Indicator ti fornirà frecce di segnalazione sulle zone di breakout con 5 zone target
Questo cruscotto mostra gli ultimi   pattern armonici   disponibili per i simboli selezionati, in modo da risparmiare tempo ed essere più efficienti /   versione MT4 . Indicatore gratuito:   Basic Harmonic Pattern Colonne dell'indicatore Symbol :   vengono visualizzati i simboli selezionati Trend:   rialzista o ribassista Pattern:   tipo di pattern (gartley, butterfly, bat, crab, shark, cypher o ABCD) Entry:   prezzo di ingresso SL:   prezzo di stop loss TP1:   1 prezzo di take profit TP
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 Trad
Blahtech Supply Demand MT5
Blahtech Limited
4.54 (13)
Was: $299  Now: $99   Supply Demand uses previous price action to identify potential imbalances between buyers and sellers. The key is to identify the better odds zones, not just the untouched ones. Blahtech Supply Demand indicator delivers functionality previously unavailable on any trading platform. This 4-in-1 indicator not only highlights the higher probability zones using a multi-criteria strength engine, but also combines it with multi-timeframe trend analysis, previously confirmed swings
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals 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 customers. The first "The Basics"
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Matrix Arrow Indicator MT5   è un trend unico 10 in 1 che segue un indicatore multi-timeframe al   100% non ridipinto   che può essere utilizzato su tutti i simboli/strumenti:   forex ,   materie prime ,   criptovalute ,   indici ,   azioni .  Matrix Arrow Indicator MT5  determinerà la tendenza attuale nelle sue fasi iniziali, raccogliendo informazioni e dati da un massimo di 10 indicatori standard, che sono: Indice di movimento direzionale medio (ADX) Indice del canale delle materie prime (CCI
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   -  MTF      ( Multi Time Frame )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High
Quantum Trend Sniper
Bogdan Ion Puscasu
4.8 (49)
Presentazione       Quantum Trend Sniper Indicator   , l'innovativo indicatore MQL5 che sta trasformando il modo in cui identifichi e scambi le inversioni di tendenza! Sviluppato da un team di trader esperti con un'esperienza di trading di oltre 13 anni,       Indicatore Quantum Trend Sniper       è progettato per spingere il tuo viaggio di trading verso nuove vette con il suo modo innovativo di identificare le inversioni di tendenza con una precisione estremamente elevata. *** Acquista Quant
Ora $ 147 (aumentando a $ 499 dopo alcuni aggiornamenti) - account illimitati (PC o MAC) Manuale utente di RelicusRoad + Video di formazione + Accesso al gruppo Discord privato + Stato VIP UN NUOVO MODO DI GUARDARE IL MERCATO RelicusRoad è l'indicatore di trading più potente al mondo per forex, futures, criptovalute, azioni e indici, fornendo ai trader tutte le informazioni e gli strumenti di cui hanno bisogno per rimanere redditizi. Forniamo analisi tecniche e piani di trading per aiutar
PTS - Divergence Buy Finder di Precision Trading Systems Il Precision Divergence Finder è stato progettato per individuare i minimi di mercato con estrema precisione e lo fa frequentemente. Nell'analisi tecnica, l'arte di individuare i minimi di mercato è generalmente molto più semplice rispetto a individuare i massimi, e questo strumento è progettato appositamente per questa finalità. Dopo aver identificato una divergenza rialzista, è saggio attendere che la tendenza si inverta prima di ac
Advanced Supply Demand MT5
Bernhard Schweigert
4.5 (14)
La migliore soluzione per qualsiasi principiante o trader esperto! Questo indicatore è uno strumento di trading unico, di alta qualità e conveniente perché abbiamo incorporato una serie di funzionalità proprietarie e una nuova formula. Con questo aggiornamento, sarai in grado di mostrare fusi orari doppi. Non solo potrai mostrare una TF più alta, ma anche entrambe, la TF del grafico, PIÙ la TF più alta: SHOWING NESTED ZONES. Tutti i trader di domanda di offerta lo adoreranno. :) Informazioni imp
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance,   HH/LL/HL/LH,    Fair Value Gap, FVG,  Premium  &   Discount   Zones, Fibonacci Retracement, OTE, Buy Side Liquidity, Sell Side Liquidity, BSL/SSL Taken, Equal Highs & Lows, MTF Dashboard, Multiple Time Frame, BigBar, HTF OB, HTF Market Structure
Was: $249  Now: $99   Market Profile defines a number of day types that can help the trader to determine market behaviour. A key feature is the Value Area, representing the range of price action where 70% of trading took place. Understanding the Value Area can give traders valuable insight into market direction and establish the higher odds trade. It is an excellent addition to any system you may be using. Inspired by Jim Dalton’s book “Mind Over Markets”, this indicator is designed to suit the
FxaccurateLS
Shiv Raj Kumawat
WHY IS OUR FXACCCURATE LS MT5 THE PROFITABLE ? PROTECT YOUR CAPITAL WITH RISK MANAGEMENT Gives entry, stop and target levels from time to time. It finds Trading opportunities by analyzing what the price is doing during established trends. POWERFUL INDICATOR FOR A RELIABLE STRATEGIES We have made these indicators with a lot of years of hard work. It is made at a very advanced level. Established trends provide dozens of trading opportunities, but most trend indicators completely ignore them!
Trend Line Map Pro MT5
STE S.S.COMPANY
4.09 (11)
Trend Line Map indicator is an addons for   Trend Screener Indicator . It's working as a scanner for all signals generated by Trend screener ( Trend Line Signals ) . It's a Trend Line Scanner based on Trend Screener Indicator.  If you don't have Trend Screener Pro Indicator,   the Trend Line Map Pro will not work.     LIMITED TIME OFFER : Trend Line Map Indicator is available for only 50 $ and lifetime. ( Original price 125$ ) By accessing to our MQL5 Blog,  you can find all our premium indica
Introducing the POWER TRADE indicator created by a small group of traders with a few years trading trading the financial market profitably . This is a plug and play indicator that provides you with  POWERFUL Entry signals with Profit Taking and rebound zones. The indicator Works with all MT5 trading instruments. The indicator uses previous  chart data as receipt to speculate on future market moves.
Trend Forecaster
Alexey Minkov
5 (6)
The Trend Forecaster indicator utilizes a unique proprietary algorithm to determine entry points for a breakout trading strategy. The indicator identifies price clusters, analyzes price movement near levels, and provides a signal when the price breaks through a level. The Trend Forecaster indicator is suitable for all financial assets, including currencies (Forex), metals, stocks, indices, and cryptocurrencies. You can also adjust the indicator to work on any time frames, although it is recommen
Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breakouts. Many false breakouts start with a candlestick that breaks out of a level but ends with an immediate candlestick that brings the price back into the level. T
First of all Its worth emphasizing here that this Trading indicator is   Non-Repainting   , Non Redrawing and Non Lagging Indicator   Which makes it ideal from both manual and robot trading .  Viking Strategy Signal Indicator  - 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! . Exact entry points into transactions for currencies, crypto, metals, stock
PZ Swing Trading MT5
PZ TRADING SLU
5 (4)
Protect against whipsaws: revolutionize your swing trading approach Special Offer: Purchase now to receive free bonuses worth $135! (Read more for details) Swing Trading is the first indicator designed to detect swings in the direction of the trend and possible reversal swings. It uses the baseline swing trading approach, widely described in trading literature. The indicator studies several price and time vectors to track the aggregate trend direction and detects situations in which the market i
Altri dall’autore
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
For MT4 version please click here . This is the exact conversion from TradingView: "Range Filter 5min" By "guikroth". - This indicator implements Alerts as well as the visualizations. - Input tab allows to choose Heiken Ashi or Normal candles to apply the filter to. It means it is a (2 in 1) indicator. - This indicator lets you read the buffers for all data on the window. For details on buffers please message me. - This is a non-repaint and light processing load indicator. - You can message in p
Hull Suite By Insilico
Yashar Seyyedin
5 (1)
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
B Xtrender
Yashar Seyyedin
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To download MT4 version please click here . - This is the exact conversion from TradingView: "QQE mod" By "Mihkel00". - It can be used to detect trend direction and trend strength. - Gray bars represent weak trends. You can set thresholds to achieve better accuracy in detecting trend strength. - There is buffer index 15 to use in EA for optimization purposes. - The indicator is loaded light and non-repaint.  - You can message in private chat for further changes you need.  
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Zero Lag MACD Enhanced - Version 1.2" by "   Albert.Callisto ". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Range Identifier" By "Mango2Juice". - All twelve averaging options are available:  EMA, DEMA, TEMA, WMA, VWMA, SMA, SMMA, RMA, HMA, LSMA, Kijun, McGinley - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart and not for thresholds.  - You can message in private chat for further changes you need.
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
For MT4 version please click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
To get access to MT5 version please click here . This is the exact conversion from TradingView: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows on chart. - You can message in private chat for further changes you need. Thanks for downloading
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
Choppy Trader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
IntradayTrader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT5 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
FREE
MacroTrendTrader
Yashar Seyyedin
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
To download MT4 version please click here . This is the exact conversion from TradingView: "RSI versus SMA" By "JayRogers". This indicator lets you read the buffers for all Lines on chart.  Note: This is an indicator, Not an expert. Meaning It does not take trades. If you want the EA please contact via message. You can easily use the indicator to understand the logic behind trades that the TradingView strategy takes. The strategy is profitable if this indicator is applied to the right symbol at
FREE
Filtro:
Muhammad Nasrullah
24
Muhammad Nasrullah 2023.11.26 12:34 
 

L'utente non ha lasciato alcun commento sulla valutazione.

Yashar Seyyedin
41283
Risposta dello sviluppatore Yashar Seyyedin 2023.11.26 12:35
Thanks for the positive review.
SpaciousTrader
21
SpaciousTrader 2023.07.11 22:09 
 

Great indicator and awesome support by the author Yashar !!

Yashar Seyyedin
41283
Risposta dello sviluppatore Yashar Seyyedin 2023.07.11 22:26
Thanks for the positive review.
Rispondi alla recensione
Versione 1.10 2023.02.14
Added Alert option.