• Información general
  • Comentarios (2)
  • Discusión (2)
  • Novedades

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;
}


Comentarios 2
SpaciousTrader
21
SpaciousTrader 2023.07.11 22:09 
 

Great indicator and awesome support by the author Yashar !!

Productos recomendados
** All Symbols x All Time frames scan just by pressing scanner button ** *** Contact me  to send you instruction and add you in "Harmonic Scanner group" for sharing or seeing experiences with other users. Introduction Harmonic Patterns are best used to predict turning point. Harmonic Patterns give you high win rate and high opportunities for trade in during one day. This indicator detects the best and successful patterns based on Harmonic Trading concepts . The   Harmonic Patterns   Scanner   Sc
¡Presentamos RSIScalperPro - un revolucionario indicador basado en RSI para MetaTrader 5, diseñado específicamente para el scalping en gráficos de un minuto! Con RSIScalperPro, tendrás una herramienta poderosa para señales precisas de entrada y salida, lo que mejorará tu eficiencia de trading. RSIScalperPro utiliza dos diferentes indicadores de RSI que proporcionan señales claras para los niveles de sobrecompra y sobreventa. Puedes ajustar los periodos de tiempo y los valores límite de los dos
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.
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.
El indicador ayuda a entrar en una operación siguiendo la tendencia, al mismo tiempo, después de alguna corrección. Encuentra fuertes movimientos de tendencia de un par de divisas en un número determinado de barras y también encuentra niveles de corrección para esta tendencia. Si la tendencia es lo suficientemente fuerte y la corrección se vuelve igual a la especificada en los parámetros, entonces el indicador lo señala. Puede establecer diferentes valores de corrección, 38, 50 y 62 (niveles de
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.
CLICK HERE FOR FREE DOWNLOAD This trading indicator Automatically identifies and plots contract blocks, which are essential zones marked by significant levels of support and resistance. This powerful tool provides traders with a clear and intuitive visualization of critical market points where prices are likely to bounce or reverse. The contract blocks, represented by distinct colored rectangles, highlight support zones (at the bottom) and resistance zones (at the top), enabling traders not onl
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.
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: El Poder del Volumen en tus Manos En el desafiante mundo de la programación, constantemente enfrentamos obstáculos que nos hacen crecer y evolucionar. Entendemos profundamente las dificultades que impone el mercado y cómo los traders luchan para alcanzar el máximo rendimiento. Por eso, trabajamos incansablemente para desarrollar soluciones innovadoras que hagan que la toma de decisiones en el mercado sea más fluida y precisa. VolumeSecret es el resultado de esta dedicación. Este av
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.
INDICADOR basado en INTELIGENCIA ARTIFICIAL que genera posibles entradas de compra y venta de opciones binarias. El indicador funciona con 3 estrategias diferentes: 1) al leer volúmenes, envía una señal cuando el precio debería revertirse 2) a través de la divergencia entre precio y volumen, envía una señal de cuándo la tendencia debe continuar o revertirse 3) a través de la convergencia entre precio y volumen, envía una señal de cuándo debe continuar la tendencia. el indicador fu
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
La media móvil T3 de Tillson se introdujo al mundo del análisis técnico en el artículo '' A Better Moving Average '', publicado en la revista estadounidense Technical Analysis of Stock Commodities. Desarrollada por Tim Tillson, los analistas y operadores de los mercados de futuros pronto quedaron fascinados con esta técnica que suaviza las series de precios al tiempo que disminuye el retraso (lag) típico de los sistemas de seguimiento de tendencias.
FREE
Koala Engulf Pattern
Ashkan Hazegh Nikrou
3 (1)
Plan de precios del patrón Koala Engulf     Paso 1: Gratis para las primeras 20 descargas.     Paso 2: Alquile 10 $ / año para las próximas 20 descargas.     Paso 3: Alquile 20 $ / año para las próximas 20 descargas.     Paso 4 ; Precio de compra para uso de por vida para los próximos 100 descargas 39 $.     Paso 5: El precio final de vida útil de este producto es de 99 $. Introducción al patrón Koala Engulf     Indicador MT5 profesional para detectar el patrón de acción del precio
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
¡Este indicador es un indicador de análisis automático de ondas perfecto para el comercio práctico! La definición estandarizada de la banda ya no es una ola de personas diferentes, y se elimina el dibujo de interferencia provocada por el hombre, que juega un papel clave en el análisis riguroso del enfoque. =>Increase the choice of international style mode, (red fall green rise style)           ¡Descuento de compra actual!   Contenido del índice: 1.       Onda básica:   Primero, encontra
Los compradores de este producto también adquieren
TPSpro RFI Levels MT5
Roman Podpora
4.73 (11)
INSTRUCCIONES       RUSO   -   ING        Se   recomienda utilizar con un indicador.       -       TPSpro   TENDENCIA PRO -   Versión MT5 Un elemento clave en el trading son las zonas o niveles desde los que se toman las decisiones de compra o venta de un instrumento de trading. A pesar de los intentos de los principales actores de ocultar su presencia en el mercado, inevitablemente dejan rastros. Nuestra tarea era aprender a identificar estos rastros e interpretarlos correctamente. Funciones p
TPSproTREND PrO MT5
Roman Podpora
4.89 (9)
TPSpro TREND PRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  Version MT4               DETAILED DESCRIPTION               R ecommended to use with an
Primero que todo, vale la pena enfatizar que este Sistema de Trading es un Indicador No Repintado, No Redibujado y No Retrasado, lo que lo hace ideal tanto para el trading manual como para el automatizado. Curso en línea, manual y descarga de ajustes preestablecidos. El "Sistema de Trading Inteligente MT5" es una solución completa de trading diseñada para traders nuevos y experimentados. Combina más de 10 indicadores premium y presenta más de 7 estrategias de trading robustas, lo que lo convie
Atomic Analyst MT5
Issam Kassas
4.42 (19)
En primer lugar, vale la pena enfatizar que este Indicador de Trading no repinta, no redibuja y no se retrasa, lo que lo hace ideal tanto para el trading manual como para el automatizado. Manual del usuario: configuraciones, entradas y estrategia. El Analista Atómico es un Indicador de Acción del Precio PA que utiliza la fuerza y el impulso del precio para encontrar una mejor ventaja en el mercado. Equipado con filtros avanzados que ayudan a eliminar ruidos y señales falsas, y aumentan el poten
Gold Stuff mt5
Vasiliy Strukov
4.92 (165)
Gold Stuff mt5: un indicador de tendencia diseñado específicamente para el oro, también se puede usar en cualquier instrumento financiero. El indicador no se vuelve a dibujar ni se retrasa. El marco de tiempo recomendado es H1. IMPORTANTE! Póngase en contacto conmigo inmediatamente después de la compra para obtener instrucciones y bonificación!   Puede obtener una copia gratuita de nuestro indicador Strong Support y Trend Scanner, por favor envíe un mensaje privado. ¡a mí! PARÁMETROS Draw
FX Power MT5 NG
Daniel Stein
5 (5)
Obtenga su actualización diaria del mercado con detalles y capturas de pantalla a través de nuestro Morning Briefing aquí en mql5 y en Telegram ! FX Power MT5 NG es la nueva generación de nuestro popular medidor de fuerza de divisas, FX Power. ¿Y qué ofrece este medidor de fuerza de nueva generación? Todo lo que le encantaba del FX Power original PLUS Análisis de fuerza de ORO/XAU Resultados de cálculo aún más precisos Períodos de análisis configurables individualmente Límite de cálculo persona
Quantum Trend Sniper
Bogdan Ion Puscasu
4.8 (49)
Introduciendo       Indicador Quantum Trend Sniper   , el innovador indicador MQL5 que está transformando la forma en que identificas y negocias los cambios de tendencia. Desarrollado por un equipo de comerciantes experimentados con experiencia comercial de más de 13 años,       Indicador de francotirador de tendencia cuántica       está diseñado para impulsar su viaje comercial a nuevas alturas con su forma innovadora de identificar cambios de tendencia con una precisión extremadamente alta.
Trend Screener Pro MT5
STE S.S.COMPANY
4.87 (63)
Desbloquee el poder del comercio de tendencias con el indicador Trend Screener: ¡su solución definitiva para el comercio de tendencias impulsada por lógica difusa y un sistema multidivisa!Mejore su comercio de tendencias con Trend Screener, el revolucionario indicador de tendencias impulsado por lógica difusa. Es un poderoso indicador de seguimiento de tendencias que combina más de 13 herramientas y funciones premium y 3 estrategias comerciales, lo que lo convierte en una opción versátil para co
Ante todo, vale la pena enfatizar que esta Herramienta de Trading es un Indicador No Repintado, No Redibujado y No Retrasado, lo que la hace ideal para el trading profesional. Curso en línea, manual del usuario y demostración. El Indicador de Conceptos de Acción del Precio Inteligente es una herramienta muy potente tanto para traders nuevos como experimentados. Combina más de 20 indicadores útiles en uno solo, combinando ideas avanzadas de trading como el Análisis del Trader del Círculo Inte
AT Forex Indicator MT5
Marzena Maria Szmit
5 (4)
The AT Forex Indicator MT5 is a sophisticated trading tool designed to provide traders with a comprehensive analysis of multiple currency pairs. This powerful indicator simplifies the complex nature of the forex market, making it accessible for both novice and experienced traders. AT Forex Indicator uses advanced algorithms to detect trends, patterns and is an essential tool for traders aiming to enhance their forex trading performance. With its robust features, ease of use, and reliable signal
TrendMaestro5
Stefano Frisetti
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link:  https://www.mql5.com/it/market/product/108106 TRENDMAESTRO ver 2.4 TRENDMAESTRO recognizes a new TREND in the bud, he never makes mistakes. The certainty of identifying a new TREND is priceless. DESCRIPTION TRENDMAESTRO identifies a new TREND in the bud, this indicator examines the volatility, volumes and momentum to identify the moment in which there is an explosion of one or more of these data a
Este tablero muestra los últimos   patrones armónicos   disponibles para los símbolos seleccionados, por lo que ahorrará tiempo y será más eficiente /   versión MT4 . Indicador gratuito:   Basic Harmonic Pattern Columnas del indicador Symbol:   aparecerán los símbolos seleccionados Trend :   alcista o bajista Pattern :   tipo de patrón (gartley, mariposa, murciélago, cangrejo, tiburón, cifrado o ABCD) Entry :   precio de entrada SL:   precio de stop loss TP1:   1er precio de toma de benefici
Este es un genial indicador para MT5 que ofrece señales precisas para entrar en una transacción sin redibujar. Se puede aplicar a cualquier activo financiero: fórex, criptomonedas, metales, acciones, índices. Nos dará valoraciones bastante precisas y nos dirá cuándo es mejor abrir y cerra una transacción. Eche un vistazo  al vídeo  (6:22), ¡contiene un ejemplo de procesamiento de una sola señal que ha amortizado el indicador! La mayoría de los tráders mejoran sus resultados comerciales durante l
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!
Advanced Supply Demand MT5
Bernhard Schweigert
4.5 (14)
¡Actualmente con 33% de descuento! ¡La mejor solución para cualquier tráder principiante o experto! Este indicador es una herramienta comercial única, de alta calidad y asequible, porque incorpora una serie de características patentadas y una nueva fórmula. Con esta actualización, podrá mostrar zonas de doble marco temporal. No solo podrá mostrar un marco temporal más alto, sino también mostrar ambos, el marco temporal del gráfico MÁS el marco temporal más alto: MOSTRANDO ZONAS ANIDADAS. A todos
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"
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
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
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
IX Power MT5
Daniel Stein
4.17 (6)
IX Power   lleva por fin la insuperable precisión de FX Power a los símbolos que no son de Forex. Determina con exactitud la intensidad de las tendencias a corto, medio y largo plazo de tus índices, acciones, materias primas, ETF e incluso criptodivisas favoritas. Puede   analizar todo lo   que su terminal le ofrece. Pruébalo y experimenta cómo   tu timing mejora significativamente   a la hora de operar. Características principales de IX Power Resultados de cálculo 100% precisos y sin rep
XQ Indicator MetaTrader 5
Marzena Maria Szmit
3 (2)
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
FX Volume MT5
Daniel Stein
4.93 (14)
Obtenga su actualización diaria del mercado con detalles y capturas de pantalla a través de nuestro Morning Briefing aquí en mql5 y en Telegram ! FX Volume es el PRIMER y ÚNICO indicador de volumen que proporciona una visión REAL del sentimiento del mercado desde el punto de vista de un bróker. Proporciona una visión impresionante de cómo los participantes institucionales del mercado, como los brokers, están posicionados en el mercado Forex, mucho más rápido que los informes COT. Ver esta info
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
Gartley Hunter Multi
Siarhei Vashchylka
5 (8)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. A
Este panel descubre y muestra las zonas de   Oferta   y   Demanda   en el gráfico, tanto en modo scalping como a largo plazo, dependiendo de su estrategia de trading para los símbolos seleccionados. Además, el modo de escáner del tablero le ayuda a comprobar todos los símbolos deseados de un vistazo y no perder ninguna posición adecuada /   Versión MT4 Indicador gratuito:   Basic Supply Demand Características Le permite ver las oportunidades de negociación en   múltiples pares de divisa
Stratos Pali mt5
Michela Russo
5 (1)
Stratos Pali Indicator is a revolutionary tool designed to enhance your trading strategy by accurately identifying market trends. This sophisticated indicator uses a unique algorithm to generate a complete histogram, which records when the trend is Long or Short. When a trend reversal occurs, an arrow appears, indicating the new direction of the trend. Important Information Revealed Leave a review and contact me via mql5 message to receive My Top 5 set files for Stratos Pali at no cost ! Do
The Price Action Finder Multi indicator is an indicator of entry points that searches for and displays Price Action system patterns on dozens of trading instruments and on all standard time frames: (m1, m5, m15, m30, H1, H4, D1, Wk, Mn). The indicator places the found patterns in a table at the bottom of the screen. By clicking on the pattern names in the table, you can move to the chart where this pattern is located. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Pa
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (12)
Matrix Arrow Indicator MT5   es una tendencia única 10 en 1 que sigue un indicador   100% sin repintado   de marcos temporales múltiples que se puede usar en todos los símbolos/instrumentos:   divisas ,   materias primas ,   criptomonedas ,   índices ,   acciones .  Matrix Arrow Indicator MT5  determinará la tendencia actual en sus primeras etapas, recopilando información y datos de hasta 10 indicadores estándar, que son: Índice de movimiento direccional promedio (ADX) Índice de canales de prod
Market Structure MT5
Reza Aghajanpour
5 (3)
**   All Symbols   x   All Timeframes   scan just by pressing scanner button ** *** Contact me  to send you instruction and add you in "Market Structure group" for sharing or seeing experiences with other users. Introduction: Market structure is important for both new and professional traders since it can influence the liquidity and price action of a market. It’s also one of the most commonly used techniques to understand trends, identify potential reversal points, and get a feel for current mar
Golden Spikes Premium
Kwaku Bondzie Ghartey
5 (1)
Golden Spikes Detector Acknowledgement and Dedications:  The name of this indicator was Inspired by an Original; Mr Grant Koopman; a Knowledgeable and experienced Synthetics trader. I dedicate this indicator to Mr Grant.  Overview: The Golden Spikes Premium is a groundbreaking trading indicator meticulously crafted for the Boom and Crash indices on the Deriv market. Tailored to meet the needs of discerning traders, this powerful tool operates exclusively on the one-minute timeframe, providin
Otros productos de este autor
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
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 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 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
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.
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
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 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: "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
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.
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
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
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
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 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=
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By "   LuxAlgo   ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line 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: "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
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 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 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 . 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 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 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
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". 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.
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
- This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
FREE
RSI versus SMA
Yashar Seyyedin
4 (1)
To download MT5 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 
 

El usuario no ha dejado ningún comentario para su valoración

Yashar Seyyedin
40374
Respuesta del desarrollador 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
40374
Respuesta del desarrollador Yashar Seyyedin 2023.07.11 22:26
Thanks for the positive review.
Respuesta al comentario
Versión 1.10 2023.02.14
Added Alert option.