• Información general
  • Comentarios
  • Discusión

VolATR by barrettdenning

To get access to MT4 version please click here.

  • This is the exact conversion from TradingView: "VolATR" by "barrettdenning"
  • The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.
  • This is a light-load processing.
  • This 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.

Here is the source code of a sample EA operating based on signals from indicator:

#include <Trade\Trade.mqh>
CTrade trade;
int handle_volatr=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 "VOLATR setting"
input int atrPeriod = 20;//Period
input double atrMultiplier = 4;//Multiplier
input int len2 = 20; //Smooth
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input int vol_length = 20; //Volume SMA length

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_volatr=iCustom(_Symbol, PERIOD_CURRENT, "Market\\VolATR by barrettdenning", atrPeriod, atrMultiplier, len2, src, vol_length);
   if(handle_volatr==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsVOLATRBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_volatr, 6, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsVOLATRSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_volatr, 7, 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;
}


Productos recomendados
Market Session Pro
Kambiz Shahriarynasab
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that your
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Cumulative Delta Volume" by "LonesomeTheBlue". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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 for downloading
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Fearzone - Contrarian Indicator" by " Zeiierman ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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 for downloading
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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 tra
Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized, leaving room for you to tailor it to your unique trading preferences.
Market Session Visual
Kambiz Shahriarynasab
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that you
To get access to MT4 version please click here . This is the exact conversion from TradingView:"Heikin Ashi RSI Oscillator" by "jayRogers" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. I removed colored areas option to fit into metatrader graphics. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Smart Engulfing MT5
Ashkan Hazegh Nikrou
Introducción a Smart Engulfing MT5: Adéntrate en el mundo del trading refinado con Smart Engulfing MT5, tu indicador profesional para identificar patrones envolventes de alta calidad. Diseñada con precisión y facilidad de uso en mente, esta herramienta está creada exclusivamente para usuarios de MetaTrader 5. Descubre oportunidades de trading lucrativas sin esfuerzo, ya que Smart Engulfing MT5 te guía con alertas, flechas y tres niveles de toma de beneficios distintos, convirtiéndolo en el compa
To get access to MT4 version please click   here . This is the exact conversion from TradingView: "ZLSMA - Zero Lag LSMA" by "veryfid". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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
Manyal trading system, CovEchoTrend Robot, focuses on reliability and flexibility. By employing statistical analysis methods to study the relationships between the base indicator and market patterns, the system enables a deeper understanding of market processes. Intelligent pattern analysis: The application of statistical data processing helps identify key trend reversal points more accurately, signaling significant market shifts. Informed decision-making is based on the intersection of indicato
General Description In the simplest terms this is a contrarian intra-day scalping system. Built to try and let correct trades run as far as possible and flip the trade when indicated. The indicator looks at historical daily trading ranges to lay out levels at which it takes long and short positions based on the statistical levels. The indicator is built around index futures, mainly around S&P and the DOW but can be used an any futures contract mainly using AMP Futures to trade. The indicator is
The Price Tracker Indicator is designed to outline a dynamic price channel, showcasing areas where price movement is typically contained. The indicator highlights potential areas of interest where price may react when approaching the channel limits. Versatile for Scalping and Swing Trading The indicator adapts to all timeframes and can complement various trading strategies. It integrates seamlessly with tools such as supply and demand levels, reversal patterns, and other confluences. Key Feat
To get access to MT4 version please contact via private message. This is the exact conversion from TradingView:"ATR Trailing Stoploss" by "ceyhun" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle option is not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
¡Los 11 indicadores se apagan y encienden rápidamente! Conjunto de indicadores: 2 indicadores "TENDENCIA"   : - rápido = línea 4 colores - lento = puntos 4 colores El color de los indicadores depende de la dirección de la tendencia y del indicador RSI: 1) tendencia alcista y RSI <50% 2) tendencia alcista y RSI>50% 3) tendencia bajista RSI <50% 4) tendencia bajista RSI   >   50% Establezca períodos de indicador para cada período de tiempo: M5 M10 M15 M30 H1 H2 H4 H6 H12 D1 W1 MN No ingrese
The new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
MovingAveragePRO
Volkan Mustafaoglu
An invention that will turn your working principles upside down. Especially in horizontal and stagnant markets, annoying losses can occur. Besides, following trend lines, support and resistance can be tiring. To put an end to all this, I decided to create a professional "moving average" indicator. All you have to do is follow the colors. If you need additional support, I recommend the "Heiken-Ashi" candle indicator in my profile. I wish you lots of profit..
To get access to MT4 version click here . This is the exact conversion from "Nadaraya-Watson Envelope" by " LuxAlgo ". (with non-repaint input option) This is not a light-load processing indicator if repaint input is set to true . All input options are available.  Buffers are available for processing in EAs. I changed default input setup to non-repaint mode for better performance required for mql market validation procedure . Here is the source code of a simple Expert Advisor operating based on
Sinus wave  indicator is a extra ordinary oscillator.to find divergency.for mt5 it works all pairs and all timeframes. suitable for experienced and beginner traders.. indicator works on toward of the prices... while sinus wave go up side that means prices will up. and while sinus wave go down that means prices is going down. it gives divegency when trend reversals. there is wave to set default 500. on pictures divergency lines and letters has been drawn by hand.to explain how it works.
The indicator monitors the Dinapoli MACD trend in multiple timeframes for the all markets filtered and shows the results on Dashboard. Key Features Indicator can be used for all markets Monitors every timeframe, from 1 Min to Monthly Parameters UseMarketWatch: Set true to copy all symbols available in market watch MarketWatchCount : Set the number of symbols that you want to copy from the market watch list. CustomSymbols: Enter the custom symbols that you want to be available in dashboard. Ti
- 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.
To get access to MT4 version please click here . This is the exact conversion from TradingView: " Impulse MACD" by LazyBear. This is a light-load processing and non-repaint indicator. All input options are available except candle coloring option. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
Surf Board
Mohammadal Alizadehmadani
Benefits of the Surfboard indicator : Entry signals without repainting If a signal appears and is confirmed, it does NOT disappear anymore, unlike indicators with repainting, which lead to major financial losses because they can show a signal and then remove it. perfect opening of trades The indicator algorithms allow you to find the Peak and floor position to enter a deal (buy or sell an asset), which increases the success rate for each and every trader using it. Surfboard works with any asset
To download MT4 version please click here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
Balanced Price Range BPR Indicator ICT MT5 The Balanced Price Range BPR Indicator ICT MT5 is a specialized tool within the ICT trading framework in MetaTrader 5. This indicator detects the overlap between two Fair Value Gaps (FVG), helping traders identify key price reaction areas. It visually differentiates market zones by marking bearish BPRs in brown and bullish BPRs in green, offering valuable insights into market movements.   Balanced Price Range Indicator Overview The table below outlines
FREE
Holiday Sales Zones Indicator The Zones Indicator is your everyday Trading tool that  leverages advanced algorithms, including ICT institutional concepts like order blocks , engulfing candle patterns , and Level interactions , to identify critical levels of supply and demand (Resistance & Support). Visual signals are generated and clearly marked on the chart, providing a straightforward guide for traders to spot key opportunities. Key Features Advanced Algorithmic Analysis : Identifies supply
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
The Squat is a function of the range of a given price bar and the volume, or TIC volume, that occurs while that range is being created. The basic idea is that high volume and little price movement indicate substantial support or resistance. The idea behind the approach to this indicator is to first look for likely Fibonacci support and resistance and then see if Squat manifests when that point is reached. The indicator determines one of the high probability patterns of DiNapoli. It does not re
RRR with lines Indicator Download MT5 Effective risk management is a fundamental aspect of sustainable trading in financial markets. The RRR Indicator in MetaTrader 5 provides traders with a structured approach to calculating the Risk-to-Reward Ratio (RRR) . By drawing three adjustable horizontal lines, it assists traders in setting Stop Loss and Take Profit levels with precision. «Indicator Installation & User Guide» MT5 Indicator Installation  |  RRR with lines Indicator MT5  | ALL Products By
FREE
Adjustable Consecutive Fractals  looks for 2 or more fractals in one direction and sends out a on screen alert, sound alert and push notification, for strong reversal points . Adjustable Consecutive Fractals, shows the fractals on chart along with a color changing text for buy and sell signals when one or more fractals appear on one side of price. Adjustable Consecutive Fractals is based Bill Williams Fractals . The standard Bill Williams fractals are set at a non adjustable 5 bars, BUT withe th
Los compradores de este producto también adquieren
Trend Screener Pro MT5
STE S.S.COMPANY
4.85 (82)
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
Algo Pumping
Ihor Otkydach
5 (11)
PUMPING STATION – Tu estrategia personal "todo incluido" Te presentamos PUMPING STATION, un indicador revolucionario para Forex que transformará tu forma de operar en una experiencia emocionante y eficaz. No es solo un asistente, sino un sistema de trading completo con potentes algoritmos que te ayudarán a operar de forma más estable. Al comprar este producto, recibes GRATIS: Archivos de configuración exclusivos: para una configuración automática y un rendimiento óptimo. Manual en video paso a
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.89 (18)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
Divergence Bomber
Ihor Otkydach
5 (1)
Cada comprador de este indicador recibe adicionalmente y de forma gratuita: La utilidad exclusiva "Bomber Utility", que acompaña automáticamente cada operación, establece niveles de Stop Loss y Take Profit, y cierra operaciones según las reglas de la estrategia; Archivos de configuración (set files) para ajustar el indicador en diferentes activos; Archivos de configuración para el "Bomber Utility" en los modos: "Riesgo Mínimo", "Riesgo Balanceado" y "Estrategia de Espera"; Un manual en video pas
Support And Resistance Screener está en un indicador de nivel para MetaTrader que proporciona múltiples herramientas dentro de un indicador. Las herramientas disponibles son: 1. Cribador de estructura de mercado. 2. Zona de retroceso alcista. 3. Zona de retroceso bajista. 4. Puntos pivotes diarios 5. Puntos de pivote semanales 6. Puntos Pivotes mensuales 7. Fuerte soporte y resistencia basado en patrón armónico y volumen. 8. Zonas de nivel de banco. OFERTA POR TIEMPO LIMITADO: El indicador de so
TPSpro RFI Levels MT5
Roman Podpora
4.55 (20)
Zonas de reversión / Volúmenes máximos / Zonas activas de un jugador importante =       SISTEMA TS TPSPRO INSTRUCCIONES RUS       /       INSTRUCCIONES       ESP       /           Versión MT4        Cada comprador de este indicador recibe adicionalmente GRATIS: 3 meses de acceso a señales comerciales del servicio RFI SIGNALS: puntos de entrada listos para usar según el algoritmo TPSproSYSTEM. Materiales de formación con actualizaciones periódicas: sumérgete en la estrategia y haz crecer tu niv
RelicusRoad Pro MT5
Relicus LLC
4.78 (18)
Ahora $ 147 (aumentando a $ 499 después de algunas actualizaciones) - Cuentas ilimitadas (PC o Mac) Manual de usuario de RelicusRoad + Videos de capacitación + Acceso al grupo privado de Discord + Estado VIP UNA NUEVA MANERA DE VER EL MERCADO RelicusRoad es el indicador comercial más poderoso del mundo para divisas, futuros, criptomonedas, acciones e índices, y brinda a los comerciantes toda la información y las herramientas que necesitan para mantenerse rentables. Brindamos análisis técnico
FX Volume MT5
Daniel Stein
4.82 (17)
FX Volume: Experimente el Verdadero Sentimiento del Mercado desde la Perspectiva de un Bróker Resumen Rápido ¿Desea llevar su estrategia de trading a otro nivel? FX Volume ofrece información en tiempo real sobre cómo los traders minoristas y los brókers están posicionados, mucho antes de que aparezcan informes retrasados como el COT. Ya sea que busque beneficios consistentes o simplemente quiera una ventaja más profunda en los mercados, FX Volume le ayuda a identificar desequilibrios important
MetaForecast M5
Vahidreza Heidar Gholami
5 (3)
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 MetaForecast
Gold Stuff mt5
Vasiliy Strukov
4.93 (178)
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 Ar
FX Power MT5 NG
Daniel Stein
5 (15)
FX Power: Analiza la Fuerza de las Divisas para Decisiones de Trading Más Inteligentes Descripción General FX Power es tu herramienta esencial para comprender la fuerza real de las principales divisas y el oro en cualquier condición de mercado. Al identificar divisas fuertes para comprar y débiles para vender, FX Power simplifica las decisiones de trading y descubre oportunidades de alta probabilidad. Ya sea que quieras seguir las tendencias o anticipar reversiones utilizando valores extremos
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 beneficios
Quantum TrendPulse
Bogdan Ion Puscasu
5 (13)
Presentamos   Quantum TrendPulse   , la herramienta de trading definitiva que combina el poder de   SuperTrend   ,   RSI   y   Stochastic   en un indicador integral para maximizar su potencial de trading. Diseñado para traders que buscan precisión y eficiencia, este indicador le ayuda a identificar tendencias del mercado, cambios de impulso y puntos de entrada y salida óptimos con confianza. Características principales: Integración con SuperTrend:   siga fácilmente la tendencia predominante del
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
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
TPSproTREND PrO MT5
Roman Podpora
4.72 (18)
VERSION MT4        —        ИНСТРУКЦИЯ RUS           —        INSTRUCTIONS  ENG Funciones principales: Señales de entrada precisas ¡SIN RENDERIZACIÓN! Si aparece una señal, ¡sigue siendo relevante! Esta es una diferencia importante con respecto a los indicadores de redibujo, que pueden proporcionar una señal y luego cambiarla, lo que puede provocar una pérdida de fondos depositados. Ahora puedes ingresar al mercado con mayor probabilidad y precisión. También existe la función de colorear las v
MONEYTRON – ТВОЙ ЛИЧНЫЙ СИГНАЛ НА УСПЕХ! XAUUSD | AUDUSD | USDJPY | BTCUSD Поддержка таймфреймов: M5, M15, M30, H1 Почему трейдеры выбирают Moneytron? 82% успешных сделок — это не просто цифры, это результат продуманной логики, точного алгоритма и настоящей силы анализа. Автоматические сигналы на вход — не нужно гадать: когда покупать, когда продавать. 3 уровня Take Profit — ты сам выбираешь свой уровень прибыли: безопасный, уверенный или максимум. Четкий Stop Loss — контролируешь риск
Grabber System MT5
Ihor Otkydach
5 (5)
Te presento un excelente indicador técnico: Grabber, que funciona como una estrategia de trading "todo incluido" lista para usar. En un solo código se integran potentes herramientas de análisis técnico del mercado, señales de trading (flechas), funciones de alertas y notificaciones push. Cada comprador de este indicador recibe además de forma gratuita: Grabber Utility: una herramienta para la gestión automática de órdenes abiertas Video manual paso a paso: cómo instalar, configurar y operar con
Atomic Analyst MT5
Issam Kassas
4.32 (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
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 Interi
MTF Supply Demand Zones MT5
Georgios Kalomoiropoulos
5 (1)
Próxima generación de zonas de oferta y demanda automatizadas. Algoritmo nuevo e innovador que funciona en cualquier gráfico. Todas las zonas se crean dinámicamente de acuerdo con la acción del precio del mercado. DOS TIPOS DE ALERTAS --> 1)CUANDO EL PRECIO LLEGA A UNA ZONA 2)CUANDO SE FORMA UNA NUEVA ZONA No obtienes un indicador inútil más. Obtiene una estrategia comercial completa con resultados probados.     Nuevas características:     Alertas cuando el precio llega a la zona de ofert
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! The
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
NOTE: CYCLEMAESTRO is distributed only on this website, there are no other distributors. Demo version is for reference only and is not supported. Full versione is perfectly functional and it is supported. CYCLEMAESTRO , the first and only indicator of Cyclic Analysis, useful for giving signals of TRADING, BUY, SELL, STOP LOSS, ADDING. Created on the logic of   Serghei Istrati   and programmed by   Stefano Frisetti ;   CYCLEMAESTRO   is not an indicator like the others, the challenge was to inter
ATrend
Zaha Feiz
4.77 (13)
ATREND: Cómo Funciona y Cómo Usarlo #### Cómo Funciona El indicador "ATREND" para la plataforma MT5 está diseñado para proporcionar a los traders señales de compra y venta robustas mediante una combinación de metodologías de análisis técnico. Este indicador utiliza principalmente el Rango Verdadero Promedio (ATR) para medir la volatilidad, junto con algoritmos de detección de tendencias para identificar posibles movimientos del mercado. Deja un mensaje después de la compra y recibe un regalo es
FX Levels MT5
Daniel Stein
5 (4)
FX Levels: Zonas de Soporte y Resistencia con Precisión Excepcional para Todos los Mercados Resumen Rápido ¿Busca una manera confiable de identificar niveles de soporte y resistencia en cualquier mercado — ya sean divisas, índices, acciones o materias primas? FX Levels combina el método tradicional “Lighthouse” con un enfoque dinámico vanguardista, ofreciendo una precisión casi universal. Gracias a nuestra experiencia real con brokers y a las actualizaciones automáticas diarias más las de tiem
Introduciendo       Quantum Breakout PRO   , el innovador indicador MQL5 que está transformando la forma en que comercia con Breakout Zones. Desarrollado por un equipo de comerciantes experimentados con experiencia comercial de más de 13 años,       Desglose cuántico 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 ob
¿Está buscando un potente indicador de compraventa de divisas que pueda ayudarlo a identificar oportunidades comerciales rentables con facilidad? No busque más allá de Beast Super Signal. Este indicador basado en tendencias fácil de usar monitorea continuamente las condiciones del mercado, buscando nuevas tendencias en desarrollo o saltando sobre las existentes. Beast Super Signal da una señal de compra o venta cuando todas las estrategias internas se alinean y están en 100% de confluencia entre
Trend Hunter MT5
Andrey Tatarinov
5 (2)
Trend Hunter es un indicador de tendencias para trabajar en los mercados Forex, criptomonedas y CFD. Una característica especial del indicador es que sigue con confianza la tendencia, sin cambiar la señal cuando el precio perfora ligeramente la línea de tendencia. El indicador no se vuelve a dibujar; aparece una señal para ingresar al mercado después del cierre de la barra. Al avanzar a lo largo de una tendencia, el indicador muestra puntos de entrada adicionales en la dirección de la tendenci
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 / Low’s  
Gold Trend 5
Sergei Linskii
3.5 (2)
Tendencia del oro : se trata de un buen indicador técnico bursátil. El algoritmo del indicador analiza el movimiento del precio de un activo y refleja la volatilidad y las posibles zonas de entrada. Las mejores señales del indicador: - Para VENTA = histograma rojo + puntero rojo CORTO + flecha amarilla de señal en la misma dirección. - Para COMPRA = histograma azul + puntero azul LARGO + flecha de señal aqua en la misma dirección. Ventajas del indicador: 1. El indicador produce señales co
Otros productos de este autor
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". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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 tra
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) 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
FREE
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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  Supertrend . #include <Trade\Trade.mqh> CTrade tra
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
Strategy description Detect trend based on GoldTrader rules. Enter in both direction as much as needed to achieve acceptable amount of profit. The screenshot is the backtest EURUSD related to 2020.1.1 to 2023.1.1 in M15. ==> 30% draw-down and 30% profit over three years. This is a light load expert. Most calculations are done based on M15 candle closure. Note: Martingale is a betting system.
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 MT4 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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 b
Vortex Indicator
Yashar Seyyedin
5 (1)
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
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 rangin
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 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 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
ADX and DI
Yashar Seyyedin
To download MT5 version please click here . This is the exact conversion from TradingView indicator: "ADX and DI" By " BeikabuOyaji". This is probably the most popular implementation of Average Directional Index available. This indicator lets you read the buffers as below: index 0: DIPlusBuffer ==> Green Line by default index 1: DIMinusBuffer ==> Red Line by default index 2: ADXBuffer ==> Navy Line by default - You can message in private chat for further changes you need. Note: This is a non-rep
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
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
For MT5 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 download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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
B Xtrender
Yashar Seyyedin
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
TRAMA by LuxAlgo
Yashar Seyyedin
5 (1)
To get access to MT4 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: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download 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
- 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
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 . 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 . - This is the exact conversion from TradingView: "QQE mod" By "Mihkel00". - It can be used to detect trend direction and trend strength. - Gray bars represent weak trends. You can set thresholds to achieve better accuracy in detecting trend strength. - There is buffer index 15,16,17 to use in EA for optimization purposes. - The indicator is loaded light and non-repaint.  - You can message in private chat for further changes you need.
To download MT5 version please click  here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
Filtro:
No hay comentarios
Respuesta al comentario