• Información general
  • Comentarios (1)
  • Discusión (3)
  • Novedades

Twin Range Filter by colinmck MT4

5

To get access to MT5 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 sample code of EA that operates based on signals coming from indicator:

#property strict

input string EA_Setting="";
input int magic_number=1234;
input double fixed_lot_size=0.01; // select fixed lot size

input string    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

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 index)
{
   double value_buy=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\Twin Range Filter by colinmck MT4",
    src, per1, mult1, per2, mult2, showAlerts, 12, index);
   return value_buy!=EMPTY_VALUE;
}

bool IsTWRSell(int index)
{
   double value_sell=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\Twin Range Filter by colinmck MT4",
    src, per1, mult1, per2, mult2, showAlerts, 13, index);
   return value_sell!=EMPTY_VALUE;
}

int BuyCount()
{
   int counter=0;
   for(int i=0;i<OrdersTotal();i++)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_BUY) counter++;
   }
   return counter;
}

int SellCount()
{
   int counter=0;
   for(int i=0;i<OrdersTotal();i++)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_SELL) counter++;
   }
   return counter;
}

void Buy()
{
   if(OrderSend(_Symbol, OP_BUY, fixed_lot_size, Ask, 3, 0, 0, NULL, magic_number, 0, clrNONE)==-1)
   {
      Print("Error Executing Order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   if(OrderSend(_Symbol, OP_SELL, fixed_lot_size, Bid, 3, 0, 0, NULL, magic_number, 0, clrNONE)==-1)
   {
      Print("Error Executing Order: ", GetLastError());
      //ExpertRemove();
   }
}

void CloseBuy()
{
   for(int i=OrdersTotal()-1;i>=0;i--)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_BUY) 
         if(OrderClose(OrderTicket(), OrderLots(), Bid, 3, clrNONE)==false)
         {
            Print("Error Closing Position: ", GetLastError());
         }
   }
}

void CloseSell()
{
   for(int i=OrdersTotal()-1;i>=0;i--)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_SELL) 
         if(OrderClose(OrderTicket(), OrderLots(), Ask, 3, clrNONE)==false)
         {
            Print("Error Closing Position: ", GetLastError());
         }
   }
}

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 1
Golden Joy
139
Golden Joy 2023.07.16 18:31 
 

waiting for you to export it as EA, I am used to trading with this indicator, and I love it

Productos recomendados
This system never paints.   This system created by using Envolpes bands and reverse bar count.   This indicator is only working in M5 period.   This system is for long term and profitable.   Signals are shown as arrows. as an optional limit orders.   You can set a voice alarm or email notification.   You can fins our other products from link : https://www.mql5.com/en/users/drbastem/seller   Also, you can ask all your questins from email : haskayafx@gmail.com or mobile : +90 530 867 5076 or @Meh
-   Real price is 70$   - 50% Discount ( It is 35$ now ) Contact me for instruction, any questions! Related Product:   Gold Expert Introduction A flag can be used as an entry pattern for the continuation of an established trend. The formation usually occurs after a strong trending move. The pattern usually forms at the midpoint of a full swing and shows the start of moving. Bullish flags can form after an uptrend, bearish flags can form after a downtrend. Flag Pattern Scanner Indicator It
Market Profile
Artem Titarenko
5 (1)
The "Market Profile" indicator displays the profiles and volumes of periods – weekly, daily, session (8-hour), 4-hour, hour, summary. The VAH/VAL price area is automatically highlighted by a dotted line for each profile (except for the summary). The indicator includes chroma Delta, which colors the profile areas. The areas of prevailing Buys is colored in green, that of Sells - in red. The intensity histogram features blue/red respectively. In the filter mode, the indicator displays the volume a
This indicator is meant for Harmonic Traders, it helps them in identifying the formed patterns by analyzing the market past data, looking for Harmonic Patterns. The Patterns that this indicator can detect are: AB=CD Butterfly Gartely Crab Bat The indicator shows the following: The completed pattern, with the critical zone highlighted in Gray box The suggested 3 take profit levels (in green) The Suggested Stop Loss level (in Red) The formed pattern ratios can be checked by hovering the mouse on t
To get access to MT5 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.
MetaForecast M4
Vahidreza Heidar Gholami
5 (1)
MetaForecast predice y visualiza el futuro de cualquier mercado basándose en las armonías de los datos de precios. Aunque el mercado no siempre es predecible, si existe un patrón en el precio, MetaForecast puede predecir el futuro con la mayor precisión posible. En comparación con otros productos similares, MetaForecast puede generar resultados más precisos al analizar las tendencias del mercado. Parámetros de entrada Past size (Tamaño del pasado) Especifica el número de barras que MetaForecas
Everyday trading represents a battle of buyers ("Bulls") pushing prices up and sellers ("Bears") pushing prices down. Depending on what party scores off, the day will end with a price that is higher or lower than that of the previous day. Intermediate results, first of all the highest and lowest price, allow to judge about how the battle was developing during the day. It is very important to be able to estimate the Bears Power balance since changes in this balance initially signalize about possi
American Hunters
Mehmet Ozhan Hastaoglu
This indicator guides you like a hunter. Tacheprofit and StopLoss levels. See the difference in the experiment. Works in all periods. Works at all rates. You can win with this system. The crossing of the mean and the re-test were done according to the rule. You can see the transactions by moving backwards on the strategy test screen. The whole system is automatically calculated.
Cloud Power
Andriy Sydoruk
Implementation of indication of trend movement with moments for potential stops in the Cloud Power indicator. The transition to the shadow warns of a possible reversal. The entry of the price inside the shadow speaks of a flat movement. The indicator tracks the market trend with unmatched reliability, ignoring sharp market fluctuations and noise around the average price. Simple, visual and efficient use. The indicator does not redraw and does not lag. It can be easily used as an independent
My indicator is 1000%, it never repaints, it works in every time period, there is only 1 variable, it sends notifications to your phone even if you are on vacation instead of at work, in a meeting, and there is also a robot version of this indicator With a single indicator you can get rid of indicator garbage It is especially suitable for scalping in the m1 and m5 time frames on the gold chart, and you can see long trends in the h1 time frame.
'Zig Zag Percentage strenght'   This indicator is awesome. Why? It's able to show the percentage of the last leg, compared with the previous leg. In this way you have a better understanding of the forces in play in that moment.   In fact, for example, if you see that the up extensions are, in percentage, greater of the down legs, that means that there is more bullish pressure or maybe the market is starting to reverse from downtrend to uptrend.   Hope you will ind it useful !
Everyday trading represents a battle of buyers ("Bulls") pushing prices up and sellers ("Bears") pushing prices down. Depending on what party scores off, the day will end with a price that is higher or lower than that of the previous day. Intermediate results, first of all the highest and lowest price, allow to judge about how the battle was developing during the day. It is very important to be able to estimate the Bears Power balance since changes in this balance initially signalize about possi
This product shows you a different view of the market by examining the performance of volume and continuous patterns in the market, then by calculating the behavior of traders and market patterns, calculates the probability of the next movement of the market by calculations. Function. How to receive the signal: If the candlestick is currently a bullish candlestick, according to a market scan, if the next bullish candlestick is below 5%, you can open a free trade by hitting the wisdom areas.
To get access to MT5 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
ABCD Harmonic Patterns
Mehmet Ozhan Hastaoglu
Thanks to this indicator, you can easily see the new ABCD harmonic patterns in the chart. If the two price action lengths are equal, the system will give you a signal when it reaches the specified level. You can set the limits as you wish. For example, You can get the signal of the price, which occurs in the Fibonaci 38.2 and 88.6 retracements, and then moves for the same length, at the level you specify. For example, it will alarm you when the price reaches 80% as a percentage. In vertic
Delta AG
Yurij Kozhevnikov
The difference between the arithmetic and geometric means at the specified range. Since the greater is the difference between the values, the greater the resulting figure is, actually the indicator shows volatility fluctuations. The arithmetic mean of a certain number of values ​​is the sum of the values ​​divided by their number. The geometric mean is the root of the power of the number of values ​​extracted from the product of these values. If all values ​​are equal, the arithmetic mean and th
Global Trend
Vitalii Zakharuk
Global Trend Indicator, shows the signals for entry. Displays both entry points and the trend itself. Shows statistically calculated moments for entering the market with arrows. When using the indicator, the risk factor can be optimally distributed. Settings: Uses all one parameter for settings. Choosing a parameter, it is necessary to visually resemble it so that the appropriate graph has a projection of extremes. Parameters: Length - the number of bars for calculating the indicator.
NO REPAINT ADVANCED CHART PATTERN INDICATOR By definition, a price ( chart)  pattern is a recognizable configuration of price movement that is identified using a series of  trendlines  and/or curves. When a price pattern signals a change in trend direction, it is known as a reversal pattern; a continuation pattern occurs when the trend continues in its existing direction following a brief pause. Advanced Chart Pattern Tracker is designed to find the MOST ACCURATE patterns. A special script is
Rhino NW
Sergei Shishaev
Нестандартный индикатор определения текущего тренда. Альтернативный подход к определению текущей рыночной тенденции. В основе лежит уникальный алгоритм. Не используются   скользящие средние , осцилляторы , супер-тренды и прочие стандартные индикаторы. Для таймфреймов:   от M15 до D1 . Для стилей торговли:  интрадэй, свинг, долгосрок . Может стать готовой торговой стратегией совместно с любым канальным индикатором. Например таким, как индикатор   "Snake" . Внимание! Это индикатор, а не советни
Trend Suffer
Philip Effiong Philip
Alerts you on new trends, with ENTRY and EXIT points. INSTRUCTIONS  Select asset of choice, activate the indicator on the chart and just follow the signals from the arrows. ITS FREE, GIVE ME A GOOD RATING! Platform : Metatrader4 Asset : All Currencies, Gold, BTCUSD, NASDAQ PS : F or newbie and pro traders. Used by more 3,000 traders around the world. Send  a mail for further help and information...........
Using the Arrow Effect forex indicator algorithm, you can quickly understand what kind of trend is currently developing in the market. The Elephant indicator accompanies long trends, can be used without restrictions on instruments or timeframes. With this indicator, you can try to predict future values. But the main use of the indicator is to generate buy and sell signals. The indicator tracks the market trend, ignoring sharp market fluctuations and noises around the average price. The indicator
Trend Sim
Ivan Simonika
This is a professional Trend Sim indicator. The intelligent algorithm of the Trend Sim indicator accurately detects the trend, filters out market noise and generates input signals and exit levels. Functions with advanced statistical calculation rules improve the overall performance of this indicator. The indicator displays signals in a simple and accessible form in the form of arrows (when to buy and when to sell). Knowing the entry point of each of the currencies is very important for every
The  RSI Basket Currency Strenght  brings the RSI indicator to a new level.  Expanding the boundaries of TimeFrames and mono-currency analysis, the RSI Multi Time Frame Currency Strenght take the movements of each currency that composes the cross and confront them in the whole basket of 7 crosses.  The indicator works with any combination of  AUD, CAD, CHF, EUR, GBP, JPY, NZD, USD  pairs and with full automation takes in account every RSI value for the selected Time Frame.  After that, the indic
FREE
PTW NON REPAINT TRADING SYSTEM + HISTOGRAM Non-Repainting ,   Non-Redrawing   and   Non-Lagging  Trading System. Does the following: - Gives Accurate Entry and Exit Points - Scalping, Day and Swing Trading  - 95% Accuracy  - Targets, where to take profits. - Shows Trends, Support and resistance levels - Works on All Brokers - Works on All Currencies, CFDs and Stocks - It does not place trades for you, it only shows you what trades to place. - It works on All Timeframes - It is for Trend or ra
Trading with the Transition to quality indicator is as simple as possible, if a blue arrow appears on the chart pointing up, a buy deal is opened. In the same case, if you see a red arrow pointing down, open a sell order. That is, everything is as simple as possible, positions are closed according to the reverse scheme, that is, as soon as a signal is received to open an order in the opposite direction from your position. For example, you opened a long position (sell), close it when a red arr
Risk Reward Tool , It is easy to use. With this tool you can see the rates of profit loss profit. You can see your strategy and earnings reward status of your goals.Double calculation can be done with single tool. Move with drag and drop.  You can adjust the lot amount for calculations. The calculation results are shown in the comment section. There may sometimes be graphical errors during movements. Calculations works at all currency. Calculations All CFD works. Updates and improvements will co
JapaneseBreakout
Ahmet Metin Yilmaz
Instructions Attach the indicator to any chart (advised H4) Use input tabs (defaults are 5 and false ) Press ok and continue trading. Description The indicator uses a kind of pattern breakout strategy to help your trading strategy. I am using this strategy on H4 charts for many of pairs with a trailing stop and default indicator settings. Better results are shown on USDJPY, EURJPY, CADJPY, EURGBP, EURUSD, USDCAD, USDCHF, NZDUSD and GBPUSD. Trailing stops should be different for each pair. The
LQEV Oscillator
Ahmet Metin Yilmaz
LINEAR QUADRATIC ESTIMATION OF VELOCITY OSCILLATOR Linear quadratic estimation (LQE) is an algorithm that generates predictions of unknown variables observed over time using statistical noise and other inaccuracies and predicts a single measurement more accurately than those based on it. linear quadratic estimation of velocity oscillator shows trend. You can use this oscillator all pairs and on all timeframes. Better results are H1 and H4.
Snake NW
Sergei Shishaev
5 (1)
Канальный индикатор "Snake" . Отлично показывает точки входа и выхода. Не перерисовывает! Хорошо подойдет для стратегий с сетками (усреднения), стратегий с пирамидами (стратегий добора), обычной торговли по тренду, торговли на коррекции. Для любых типов инструментов:   валюты, нефть, металлы, криптовалюты. Для любых таймфреймов:   от M1 до D1 . Для любых стилей торговли:   скальпинг, интрадэй, свинг, долгосрок . Используйте в сочетании с трендовым индикатором, чтобы исключить риски вх
Dragon Trend
Marco Fornero Monia
Trend indicator with Multi-level Take Profit indication. Possibility to setting in normal or Aggressive mode. Fully customizable in color and alarm. Very useful to understand the trend and where price could go No need to explain, see the images. You'll se the trend, 3 possibly target and stop loss (or other take profit) when the trend change. You can adopt various strategy, for example. 1) Open trade and try to close it at target 1 2) Open 2 trade, close 1 at target 1, stop in profit for 2 and t
Los compradores de este producto también adquieren
Gann Made Easy
Oleg Rodin
4.85 (82)
Gann Made Easy es un sistema de comercio de Forex profesional y fácil de usar que se basa en los mejores principios de comercio utilizando la teoría del Sr. W. D. Gann. El indicador proporciona señales precisas de COMPRA y VENTA, incluidos los niveles de Stop Loss y Take Profit. Puede comerciar incluso sobre la marcha utilizando notificaciones PUSH. ¡Por favor, póngase en contacto conmigo después de la compra! ¡Compartiré mis consejos comerciales con usted y excelentes indicadores de bonificació
- Real price is 80$ - 40% Discount ( It is 49$ now ) Contact me for instruction, add group and any questions! Related Product:  Bitcoin Expert , Gold Expert 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 wi
Atomic Analyst
Issam Kassas
5 (2)
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
Enigmera
Ivan Stefanov
5 (3)
ENIGMERA: El núcleo del mercado https://www.enigmera.com Introducción Este indicador y sistema de negociación es un enfoque extraordinario de los mercados financieros. ENIGMERA utiliza los ciclos fractales para calcular con precisión los niveles de soporte y resistencia. Muestra la auténtica fase de acumulación y proporciona dirección y objetivos.  Un sistema que funciona tanto si estamos en una tendencia como en una corrección.  ¿Cómo funciona? ENIGMERA consta de tres líneas: la línea de s
Trend Punch
Mohamed Hassan
4.95 (19)
This indicator is unstoppable when combined with our other indicator called  Support & Resistance . After purchase, send us a message and you will get it   for  FREE as a BONUS! Introducing Trend Punch , the revolutionary forex trend indicator that will transform the way you trade! Trend Punch is uniquely designed to provide precise buy and sell arrows during strong market trends, making your trading decisions clearer and more confident. Whether you're trading major currency pairs or exotic sym
Trend Screener
STE S.S.COMPANY
4.8 (87)
Indicador de tendencia, solución única e innovadora para el comercio y filtrado de tendencias con todas las funciones de tendencias importantes integradas en una sola herramienta. Es un indicador 100% sin repintar de marcos temporales y monedas múltiples que se puede usar en todos los símbolos/instrumentos: divisas, materias primas, criptomonedas, índices y acciones. OFERTA POR TIEMPO LIMITADO: El indicador de detección de soporte y resistencia está disponible por solo 50$ y de por vida. (Precio
Scalper Inside PRO
Alexey Minkov
4.73 (56)
An exclusive indicator that utilizes an innovative algorithm to swiftly and accurately determine the market trend. The indicator automatically calculates opening, closing, and profit levels, providing detailed trading statistics. With these features, you can choose the most appropriate trading instrument for the current market conditions. Additionally, you can easily integrate your own arrow indicators into Scalper Inside Pro to quickly evaluate their statistics and profitability. Scalper Inside
TPSpro RFI Levels
Roman Podpora
4.82 (22)
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 principales: ¡Mo
Dynamic Forex28 Navigator: la herramienta de trading de Forex de última generación. ACTUALMENTE CON UN 49 % DE DESCUENTO. Dynamic Forex28 Navigator es la evolución de nuestros indicadores populares de larga data, que combina el poder de tres en uno: Indicador avanzado Currency Strength28 (695 reseñas) + Indicador avanzado Currency IMPULSE con ALERT (520 reseñas) + Señales combinadas CS28 (bonificación). Detalles sobre el indicador https://www.mql5.com/en/blogs/post/758844 ¿Qué ofrece el i
TPSproTREND PrO
Roman Podpora
4.79 (19)
TPSpro TREND PRO   es un indicador de tendencia que analiza automáticamente el mercado y proporciona información sobre la tendencia y cada uno de sus cambios, además de dar señales para ingresar operaciones sin volver a dibujar. El indicador utiliza cada vela, analizándolas por separado. refiriéndose a diferentes impulsos: impulso hacia arriba o hacia abajo. ¡Puntos de entrada exactos a transacciones de divisas, criptomonedas, metales, acciones e índices! Versión MT5                   DESCRIPCI
FX Power MT4 NG
Daniel Stein
5 (13)
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 MT4 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
¡Actualmente 20% OFF ! ¡La mejor solución para cualquier novato o trader experto! Este software funciona con 28 pares de divisas. Se basa en 2 de nuestros principales indicadores (Advanced Currency Strength 28 y Advanced Currency Impulse). Proporciona una gran visión general de todo el mercado de divisas. Muestra los valores de Advanced Currency Strength, la velocidad de movimiento de las divisas y las señales para 28 pares de divisas en todos los (9) marcos temporales. Imagine cómo mejorar
MetaBands M4
Vahidreza Heidar Gholami
5 (2)
MetaBands utiliza algoritmos potentes y únicos para dibujar canales y detectar tendencias para que pueda proporcionar a los traders puntos potenciales para entrar y salir de operaciones. Es un indicador de canal junto con un potente indicador de tendencia. Incluye diferentes tipos de canales que se pueden fusionar para crear nuevos canales simplemente utilizando los parámetros de entrada. MetaBands utiliza todos los tipos de alertas para notificar a los usuarios sobre eventos del mercado. Caract
TrendMaestro
Stefano Frisetti
5 (3)
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
Stratos Pali
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! D
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 Interio
Scalper Vault
Oleg Rodin
5 (27)
Scalper Vault es un sistema profesional de reventa que le brinda todo lo que necesita para una reventa exitosa. Este indicador es un sistema comercial completo que puede ser utilizado por operadores de divisas y opciones binarias. El marco de tiempo recomendado es M5. El sistema le proporciona señales de flecha precisas en la dirección de la tendencia. También le proporciona señales superiores e inferiores y niveles de mercado de Gann. Los indicadores proporcionan todo tipo de alertas, incluidas
ACTUALMENTE 31% DE DESCUENTO Este indicador es una herramienta de transacción única, de alta calidad y asequible porque hemos incorporado una serie de características propias y una fórmula secreta. Con solo un gráfico, da Alertas para los 28 pares de divisas. ¡Imagina cómo mejorarás porque puedes identificar el punto de activación exacto de una nueva tendencia u oportunidad de crecimiento! Basado en nuevos algoritmos subyacentes , hace que sea aún más fácil identificar y confirmar operaciones po
Matrix Arrow Indicator MT4
Juvenille Emperor Limited
5 (3)
Matrix Arrow Indicator MT4 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 MT4 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 productos básicos (CCI) Ve
Ultimate Gold Advisor para MetaTrader 4 – ¡Tu Herramienta de Trading de Vanguardia para el Éxito Garantizado! Ultimate Gold Advisor es mucho más que un simple indicador: es la joya tecnológica que revolucionará tu enfoque en el trading con MetaTrader 4. Diseñado para satisfacer las necesidades de los traders más exigentes, este avanzado indicador combina precisión quirúrgica, análisis sofisticado y potentes funciones para ofrecerte una ventaja competitiva inigualable en los mercados. Perfecto pa
Currency Strength Wizard es un indicador muy poderoso que le proporciona una solución todo en uno para operar con éxito. El indicador calcula el poder de este o aquel par de divisas utilizando los datos de todas las monedas en múltiples marcos de tiempo. Estos datos se representan en forma de índice de moneda fácil de usar y líneas eléctricas de moneda que puede usar para ver el poder de esta o aquella moneda. Todo lo que necesita es adjuntar el indicador al gráfico que desea operar y el indicad
FX Volume
Daniel Stein
4.58 (33)
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
Entry Points Pro
Yury Orlov
4.62 (175)
Este es un genial indicador para MT4 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
Quantum Breakout Indicator PRO
Bogdan Ion Puscasu
4.96 (25)
Introduciendo       Quantum Breakout PRO   , el innovador indicador MQL5 que está transformando la forma en que comercia con Breakout Zones. Desarrollado por un equipo de operadores experimentados con experiencia comercial de más de 13 años,   Quantum Breakout PRO   está diseñado para impulsar su viaje comercial a nuevas alturas con su innovadora y dinámica estrategia de zona de ruptura. El indicador de ruptura cuántica le dará flechas de señal en las zonas de ruptura con 5 zonas objetivo de
ACTUALMENTE 26% DE DESCUENTO ¡La mejor solución para cualquier operador novato o experto! Este indicador es una herramienta única, de alta calidad y asequible porque hemos incorporado una serie de características propias y una nueva fórmula. ¡Con sólo UN gráfico puede leer la Fuerza de la Divisa para 28 pares de Divisas! Imagínese cómo mejorará su operativa porque podrá señalar el punto exacto de activación de una nueva tendencia o de una oportunidad de scalping. Manual del usuario: haga
IX Power MT4
Daniel Stein
5 (5)
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 repintado -
PowerBall Signals es un indicador de señales de COMPRA/VENTA basado en la idea de utilizar zonas de soporte/resistencia. El indicador detecta patrones de reversión especiales basados ​​en zonas de soporte/resistencia y proporciona estas señales en su gráfico. La idea principal del indicador es utilizar el análisis MTF (Multi Time Frame) y proporcionar señales basadas en los niveles de su marco de tiempo actual y del siguiente superior. Este método permite predecir posibles reversiones de precios
Deja un comentario después de la compra para recibir 4 indicadores de alta calidad como bono. El indicador Chart Patterns All-in-One ayuda a los traders a visualizar varios patrones de gráficos comúnmente utilizados en el análisis técnico. Este indicador apoya la identificación de posibles comportamientos del mercado, pero no garantiza rentabilidad. Se recomienda probar el indicador en modo demo antes de comprar. Oferta actual : Descuento del 50% en el indicador "Chart Patterns All in One". Patr
Blahtech Supply Demand
Blahtech Limited
4.61 (33)
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
Trend Pulse
Mohamed Hassan
5 (4)
Please contact me after purchase to immediately get your PDF strategy + documentation for Trend Pulse !  Introducing Trend Pulse , a unique and robust indicator capable of detecting bullish, bearish, and even ranging trends! Trend Pulse uses a special algorithm to filter out market noise with real precision. If the current symbol is moving sideways, Trend Pulse will send you a ranging signal, letting you know that it's not a good time to enter a trade. This excellent system makes Trend Pulse
Otros productos de este autor
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.
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.
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
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "ZLSMA - Zero Lag LSMA" by "veryfid". 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
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
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 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 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 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: " 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.
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
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 . 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
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
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 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 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
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: "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 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 . 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
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
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
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
Filtro:
Golden Joy
139
Golden Joy 2023.07.16 18:31 
 

waiting for you to export it as EA, I am used to trading with this indicator, and I love it

Yashar Seyyedin
40216
Respuesta del desarrollador Yashar Seyyedin 2023.07.16 18:47
Thanks for the positive review. Wish you happy trading.
Respuesta al comentario
Versión 1.50 2023.05.29
alerts are back.
Versión 1.40 2023.05.29
a serious bug fix!
Versión 1.30 2023.02.22
push notifications added.
Versión 1.20 2023.02.14
Added Alert details: Time Frame and Symbol
Versión 1.10 2023.02.14
Added Alerts option.