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

Hull Suite By Insilico

5

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 fixed_lot_size=0.01; // select fixed lot size

enum MA_TYPE{HMA, THMA, EHMA};
input group "HULL setting"
input MA_TYPE modeSwitch = HMA; //Hull Variation
input ENUM_APPLIED_PRICE src =PRICE_CLOSE; //Source
input int length = 55 ; //Length
input int lengthMult = 1; //Multiplier
input bool candleCol = false;

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_hull=iCustom(_Symbol, PERIOD_CURRENT, 
   "Market/Hull Suite By Insilico",
    modeSwitch, src, length, lengthMult, candleCol);
   if(handle_hull==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsHULLBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_hull, 0, i, 1, array);
   double val1=array[0];
   CopyBuffer(handle_hull, 1, i, 1, array);
   double val2=array[0];
   return val1>val2;
}

bool IsHULLSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_hull, 0, i, 1, array);
   double val1=array[0];
   CopyBuffer(handle_hull, 1, i, 1, array);
   double val2=array[0];
   return val1<val2;
}

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

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


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

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


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

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

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


Comentarios 1
Khulani
146
Khulani 2023.08.02 18:42 
 

Great!

Productos recomendados
To get access to MT4 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 MT4 version please click here . This is the exact conversion from TradingView: "[SHK] Schaff Trend Cycle (STC)" by "shayankm". 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
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 
B Xtrender
Yashar Seyyedin
5 (1)
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.
Este indicador le mostrará los valores TP y SL (en esa moneda) que ya configuró para cada pedido en los gráficos (cerrados a la línea de transacción/pedido) que lo ayudarán mucho a estimar sus ganancias y pérdidas para cada pedido. Y también te muestra los valores de PIP. el formato que se muestra es "Valores de moneda de nuestros valores de ganancias o pérdidas / PIP". El valor TP se mostrará en color verde y el valor SL se mostrará en color rojo. Para cualquier pregunta o más información, n
The best time to trade Using this Indicator is when the time reach exactly hour,half,45 minutes,15 minutes and sometimes 5 minutes.. This indicators is helpful to those who trade boom and crash indecies.How to read this indicator first you'll see Blue allow and Red allow all these allows used to indicate or to detect the spike which will happen so the allow happens soon before the spike happen.This indicator works properly only in boom and crash trading thing which you have to consider when
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation.
HMA Trend Professional MT5
Pavel Zamoshnikov
4.4 (5)
Improved version of the free HMA Trend indicator (for MetaTrader 4) with statistical analysis. HMA Trend is a trend indicator based on the Hull Moving Average (HMA) with two periods. HMA with a slow period identifies the trend, while HMA with a fast period determines the short-term movements and signals in the trend direction. The main differences from the free version: Ability to predict the probability of a trend reversal using analysis of history data. Plotting statistical charts for analyz
Was: $249  Now: $99   Market Profile defines a number of day types that can help the trader to determine market behaviour. A key feature is the Value Area, representing the range of price action where 70% of trading took place. Understanding the Value Area can give traders valuable insight into market direction and establish the higher odds trade. It is an excellent addition to any system you may be using. Inspired by Jim Dalton’s book “Mind Over Markets”, this indicator is designed to suit the
No Demand No Supply MT5
Trade The Volume Waves Single Member P.C.
No Demand No Supply   This indicator identifies   No Demand –No Supply candles  to your chart and plots volume bars colored according to the signal. It can be applied to all timeframes or to a specific one only. It can also be used as regular volume indicator  with exceptional future of WEIGHTED VOLUME. Furthermore is has an alert notification, sound and email when a signals occurs. The indicator does not repaint but the alert will come on two candles back due to the definition of No Demand No S
- This is the exact conversion from TradingView: "Support/Resistance" By "BarsStallone". - This indicator lets you read the buffers for R/S values. - This is a non-repaint and light processing load indicator. - This is not a multi time frame indicator If you want the multi time frame version you should create a personal order and I deliver two files that you need them both to have the multi time frame indicator running on your system. - The MT4 version of the indicator is not light load from pr
Your Trend Friend
Luigi Nunes Labigalini
The trend is your friend! Look at the color of the indicator and trade on that direction. It does not  repaint. After each candle is closed, that's the color of the trend. You can focus on shorter faster trends or major trends, just test what's most suitable for the symbol and timeframe you trade. Simply change the "Length" parameter and the indicator will automatically adapt. You can also change the color, thickness and style of the lines. Download and give it a try! There are big movements
Volality Index scalper indicator  Meant for Volality pairs such as Volality 10, 25, 50, 75 and 100 The indicator works on all timeframes from the 1 minute to the monthly timeframe the indicator is non repaint the indicator has 3 entry settings 1 color change on zero cross 2 color change on slope change 3 color change on signal line cross Orange line is your sell signal Blue line is your buy signal.
The Gann Box (or Gann Square) is a market analysis method based on the "Mathematical formula for market predictions" article by W.D. Gann. This indicator can plot three models of Squares: 90, 52(104), 144. There are six variants of grids and two variants of arcs. You can plot multiple squares on one chart simultaneously. Parameters Square — selection of a square model: 90 — square of 90 (or square of nine); 52 (104) — square of 52 (or 104); 144 — universal square of 144; 144 (full) — "full"
Wapv Price and volume
Eduardo Da Costa Custodio Santos
El indicador de precio y volumen WAPV para MT5 es parte del conjunto de herramientas (Wyckoff Academy Wave Market) y (Wyckoff Academy Price and Volume). El indicador de precio y volumen WAPV para MT5 se creó para facilitar la visualización del movimiento del volumen en el gráfico de forma intuitiva. Con ella podrás observar los momentos de pico de volumen y momentos en los que el mercado no tiene interés profesional Identificar momentos en los que el mercado se mueve por inercia y no por movimie
Upgraded - Stars added to indentify Areas you can scale in to compound on your entry  when buying or selling version 2.4 Upgraded Notifications and alerts added version 2.3 *The indicator is suitable for all pairs fromm  Deriv pairs (Vix,jump,boom & crash indices) , Currencies, cryptos , stocks(USA100, USA30 ), and metals like gold etc. How does it work? Increasing the period make it more stable hence will only focus on important entry points However  lowering the period will mean the indica
Waves PRO
Flavio Javier Jarabeck
For those who appreciate Richard Wyckoff approach for reading the markets, we at Minions Labs designed a tool derived - yes, derived, we put our own vision and sauce into this indicator - which we called Waves PRO . This indicator provides a ZigZag controlled by the market volatility (ATR) to build its legs, AND on each ZigZag leg, we present the vital data statistics about it. Simple and objective. This indicator is also derived from the great book called " The Secret Science of Price and Volum
PipFinite Exit EDGE MT5
Karlo Wilson Vendiola
4.89 (35)
Did You Have A Profitable Trade But Suddenly Reversed? In a solid strategy, exiting a trade is equally important as entering. Exit EDGE helps maximize your current trade profit and avoid turning winning trades to losers. Never Miss An Exit Signal Again Monitor all pairs and timeframes in just 1 chart www.mql5.com/en/blogs/post/726558 How To Trade You can close your open trades as soon as you receive a signal Close your Buy orders if you receive an Exit Buy Signal. Close your Sell orde
US30NinjaMT5
Satyaseelan Shankarananda Moodley
US30 Ninja is a 5 minute scalping indicator that will let know you when there is a trade set up (buy or sell). Once the indicator gives the trade direction, you can open a trade and use a 30 pip stop loss and a 30 pip to 50 pip take profit. Please trade at own own risk. This indicator has been created solely for the US30 market and may not yield positive results on any other pair. 
Provided Trend is a complex signal formation indicator. As a result of the work of internal algorithms, you can see only three types of signals on your chart. The first is a buy signal, the second is a sell signal, and the third is a market exit signal. Options: CalcFlatSlow - The first parameter that controls the main function of splitting the price chart into waves. CalcFlatFast - The second parameter that controls the main function of splitting the price chart into waves. CalcFlatAvg - Par
For a trader, trend is our friend. This is a trend indicator for MT5, can be used on any symbol. just load it to the terminal and you will see the current trend. green color means bullish trend and red means bearlish trend. you can also change the color by yourself when the indicator is loaded to the MT5 terminal the symbol and period is get from the terminal automaticly. How to use: I use this trend indicator on 2 terminals with different period  for the same symbol at same time. for example M5
Elevate Your Trading Experience with Wamek Trend Consult!   Unlock the power of precise market entry with our advanced trading tool designed to identify early and continuation trends. Wamek Trend Consult empowers traders to enter the market at the perfect moment, utilizing potent filters that reduce fake signals, enhancing trade accuracy, and ultimately increasing profitability.   Key Features: 1. Accurate Trend Identification: The Trend Consult indicator employs advanced algorithms and unparall
KT Renko Patterns MT5
KEENBASE SOFTWARE SOLUTIONS
KT Renko Patterns scans the Renko chart brick by brick to find some famous chart patterns that are frequently used by traders across the various financial markets. Compared to the time-based charts, patterns based trading is easier and more evident on Renko charts due to their uncluttered appearance. KT Renko Patterns features multiple Renko patterns, and many of these patterns are extensively explained in the book titled Profitable Trading with Renko Charts by Prashant Shah. A 100% automate
Una de las secuencias numéricas se llama "Secuencia de incendios forestales". Ha sido reconocida como una de las secuencias nuevas más bellas. Su característica principal es que esta secuencia evita tendencias lineales, incluso las más cortas. Es esta propiedad la que formó la base de este indicador. Al analizar una serie de tiempo financiera, este indicador intenta rechazar todas las opciones de tendencia posibles. Y solo si falla, entonces reconoce la presencia de una tendencia y da la señal
Double HMA MTF for MT5
Pavel Zamoshnikov
5 (2)
This is an advanced multi-timeframe version of the popular Hull Moving Average (HMA) Features Two lines of the Hull indicator of different timeframes on the same chart. The HMA line of the higher timeframe defines the trend, and the HMA line of the current timeframe defines the short-term price movements. A graphical panel with HMA indicator data from all timeframes at the same time . If the HMA switched its direction on any timeframe, the panel displays a question or exclamation mark with a tex
Mini Chart Indicators
Flavio Javier Jarabeck
The Metatrader 5 has a hidden jewel called Chart Object, mostly unknown to the common users and hidden in a sub-menu within the platform. Called Mini Chart, this object is a miniature instance of a big/normal chart that could be added/attached to any normal chart, this way the Mini Chart will be bound to the main Chart in a very minimalist way saving a precious amount of real state on your screen. If you don't know the Mini Chart, give it a try - see the video and screenshots below. This is a gr
Pipfinite creates unique, high quality and affordable trading tools. Our tools may or may not work for you, so we strongly suggest to try the Demo Version for MT4 first. Please test the indicator prior to purchasing to determine if it works for you. We want your good reviews, so hurry up and test it for free...we hope you will find it useful. Combo Channel Flow with Strength Meter Strategy: Increase probability by confirming signals with strength Watch Video: (Click Here) Features Detects ch
Bienvenido al indicador de reconocimiento Ultimate Harmonic Patterns Este indicador detecta el patrón de Gartley, el patrón de murciélago y el patrón de cifrado en función de HH y LL de la estructura de precios y los niveles de Fibonacci, y cuando se alcanzan ciertos niveles de fib, el indicador mostrará el patrón en el gráfico. Este indicador es una combinación de mis otros 3 indicadores que detecta patrones avanzados Características : Algoritmo avanzado para detectar el patrón con alta precisi
This MT5 version indicator is a unique, high quality and affordable trading tool. The calculation is made according to the author's formula for the beginning of a possible trend. MT4 version is here  https://www.mql5.com/ru/market/product/98041 An accurate   MT5   indicator that gives signals to enter trades without redrawing! Ideal trade entry points for currencies, cryptocurrencies, metals, stocks, indices! The indicator builds   buy/sell   arrows and generates an alert. Use the standart  
Owl Smart Levels MT5
Sergey Ermolov
4.47 (36)
Versión MT4  |  FAQ El Indicador Owl Smart Levels es un sistema comercial completo dentro de un indicador que incluye herramientas de análisis de mercado tan populares como los fractales avanzados de Bill Williams , Valable ZigZag que construye la estructura de onda correcta del mercado y los niveles de Fibonacci que marcan los niveles exactos de entrada. en el mercado y lugares para tomar ganancias. Descripción detallada de la estrategia Instrucciones para trabajar con el indicador Asesor de c
Los compradores de este producto también adquieren
Quantum Trend Sniper
Bogdan Ion Puscasu
5 (31)
Introduciendo       Indicador Quantum Trend Sniper   , el innovador indicador MQL5 que está transformando la forma en que identificas y negocias los cambios de tendencia. Desarrollado por un equipo de comerciantes experimentados con experiencia comercial de más de 13 años,       Indicador de francotirador de tendencia cuántica       está diseñado para impulsar su viaje comercial a nuevas alturas con su forma innovadora de identificar cambios de tendencia con una precisión extremadamente alta.
First of all Its worth emphasizing here that this Trading System is Non-Repainting, Non-Redrawing and Non-Lagging Indicator, Which makes it ideal from both manual and robot trading.  The “Smart Trend Trading System MT5” is a comprehensive trading solution tailored for new and experienced traders. It combines over 10 premium indicators and features more than 7 robust trading strategies, making it a versatile choice for diverse market conditions. Trend Following Strategy: Provides precise entry an
First of all Its worth emphasizing here that this Trading Indicator is   Non-Repainting ,   Non-Redrawing   and   Non-Lagging   Indicator, Which makes it ideal from both manual and robot trading.  The Atomic Analyst  is a PA Price Action Indicator that uses Strength and Momentum of the price to find a better edge in the market. Equipped with an AI filter which help remove noises and false signals, and Increase Trading Potential. Using Multiple layers of complex Indicators, the Atomic Analyst
Trend Screener Pro MT5
STE S.S.COMPANY
4.89 (56)
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
RelicusRoad Pro MT5
Relicus LLC
4.81 (21)
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éc
First of all Its worth emphasizing here that this Trading Tool is Non-Repainting, Non-Redrawing and Non-Lagging Indicator, Which makes it ideal for professional trading. The Smart Price Action Concepts Indicator is a very powerful tool for both new and experienced traders. It packs more than 20 useful indicators into one, combining advanced trading ideas like Inner Circle Trader Analysis and Smart Money Concepts Trading Strategies. This indicator focuses on Smart Money Concepts, providing i
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
FX Power MT5 NG
Daniel Stein
5 (4)
Obtenga su actualización diaria del mercado con detalles y capturas de pantalla a través de nuestro Morning Briefing aquí en mql5 y en Telegram ! FX Power MT5 NG es la nueva generación de nuestro popular medidor de fuerza de divisas, FX Power. ¿Y qué ofrece este medidor de fuerza de nueva generación? Todo lo que le encantaba del FX Power original PLUS Análisis de fuerza de ORO/XAU Resultados de cálculo aún más precisos Períodos de análisis configurables individualmente Límite de cálculo persona
FX Volume MT5
Daniel Stein
4.94 (16)
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
Conviértase en un Breaker Trader y obtenga beneficios de los cambios en la estructura del mercado a medida que se invierte el precio. El indicador de ruptura de bloque de órdenes identifica cuándo una tendencia o movimiento de precio se acerca al agotamiento y está listo para revertirse. Le alerta sobre cambios en la estructura del mercado que generalmente ocurren cuando una reversión o un retroceso importante están a punto de suceder. El indicador utiliza un cálculo patentado que identific
XQ Indicator MetaTrader 5
Marzena Maria Szmit
5 (1)
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
TPSpro TRENDPRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  -    To maximize the potential and learn how to trade using this indicator, read the full
AW Trend Predictor MT5
AW Trading Software Limited
4.76 (54)
La combinación de niveles de tendencia y ruptura en un sistema. Un algoritmo de indicador avanzado filtra el ruido del mercado, determina la tendencia, los puntos de entrada y los posibles niveles de salida. Las señales indicadoras se registran en un módulo estadístico, que le permite seleccionar las herramientas más adecuadas, mostrando la efectividad del historial de señales. El indicador calcula las marcas Take Profit y Stop Loss. Manual e instrucciones ->   AQUÍ   / Versión MT4 ->   AQUÍ Có
Golden Gate Algo MT5
James David Lane
4 (6)
¡40% DE DESCUENTO PARA NAVIDAD! ¡AUMENTO DE PRECIO A $250 EL 1 DE ENERO! Presentamos GoldenGate Entries: ¡Una Solución de Trading de Vanguardia! Descubre un enfoque revolucionario para el trading con GoldenGate Entries (GGE), un indicador avanzado diseñado para elevar tu experiencia de trading. GGE proporciona un conjunto completo de características para capacitar a los usuarios con precisión y confianza en sus decisiones comerciales. Pares: Cualquiera (FX - Materias primas - Acciones - A
IX Power   lleva por fin la insuperable precisión de FX Power a los símbolos que no son de Forex. Determina con exactitud la intensidad de las tendencias a corto, medio y largo plazo de tus índices, acciones, materias primas, ETF e incluso criptodivisas favoritas. Puede   analizar todo lo   que su terminal le ofrece. Pruébalo y experimenta cómo   tu timing mejora significativamente   a la hora de operar. Características principales de IX Power Resultados de cálculo 100% precisos y sin rep
¡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   clic aquí Ese es el primero
IVISTscalp5
Vadym Zhukovskyi
5 (2)
Te presentamos el indicador iVISTscalp5, que no solo es único sino también efectivo en operaciones de trading. Este indicador se basa en datos temporales y es el resultado de muchos años de experiencia y análisis profundo de los mercados financieros. El indicador iVISTscalp5 es una excelente herramienta para el trading manual. La conveniencia, simplicidad y visualización, toda la complejidad está oculta en su interior. Hemos simplificado al máximo la configuración y uso del indicador iVISTscalp5
TrendMaestro5
Stefano Frisetti
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link:  https://www.mql5.com/it/market/product/108106 TRENDMAESTRO 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 and therefore the mome
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance,   HH/LL/HL/LH,    Fair Value Gap, FVG,  Premium  &   Discount   Zones, Fibonacci Retracement, OTE, Buy Side Liquidity, Sell Side Liquidity, BSL/SSL Taken, Equal Highs & Lows, MTF Dashboard, Multiple Time Frame, BigBar, HTF OB, HTF Market Structure
Trend Line Map Pro MT5
STE S.S.COMPANY
4.88 (8)
El indicador Trend Line Map es un complemento para Trend Screener Indicator. Funciona como un escáner para todas las señales generadas por el evaluador de tendencias (Trend Line Signals). Es un escáner de líneas de tendencia basado en el indicador de evaluación de tendencias. Si no tiene el indicador Trend Screener Pro, Trend Line Map Pro no funcionará. It's a Trend Line Scanner based on Trend Screener Indicator. If you don't have Trend Screener Pro Indicator,     the Trend Line Map Pro will
Professional Scalping Tool on Deriv Attention! The indicator will be sold in limited quantities!!! Description: This trading indicator is designed for professional traders focused on scalping. Designed with the market in mind, it provides highly accurate spike trading signals. It works on the M1 timeframe and supports the following symbols: Boom 300 Index, Boom 500 Index, Boom 1000 Index, Crash 300 Index, Crash 500 Index, Crash 1000 Index. Functional Features: - Direction: - Trading is ca
¿Cansado de trazar líneas de soporte y resistencia? La resistencia de soporte es un indicador de marco de tiempo múltiple que detecta y traza automáticamente los soportes y las líneas de resistencia en el gráfico con un giro muy interesante: a medida que los niveles de precios se prueban con el tiempo y aumenta su importancia, las líneas se vuelven más gruesas y oscuras. [ Guía de instalación | Guía de actualización | Solución de problemas | FAQ | Todos los productos ] Mejora tu análisis técnic
Blahtech Supply Demand MT5
Blahtech Limited
4.57 (14)
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
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
Auto Order Block with break of structure based on ICT and Smart Money Concepts 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 )    Volume Imbalance     ,  MTF          vIMB Gap’s Equal High / Low’s     ,  MTF             EQH / EQL Liquidity               Current Day High / Low           HOD /
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
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 potenciales . Esto se d
El indicador de reversión de ADR le muestra de un vistazo dónde se cotiza actualmente el precio en relación con su rango diario promedio normal. Recibirá alertas instantáneas a través de una ventana emergente, correo electrónico o push cuando el precio exceda su rango promedio y los niveles por encima de su elección para que pueda saltar rápidamente a retrocesos y reversiones. El indicador dibuja líneas horizontales en el gráfico en los extremos del rango promedio diario y también extensiones p
Was: $259 Now: $120 — The Volume by Price Indicator for MetaTrader 5 features Volume Profile and Market Profile TPO (Time Price Opportunity). Get valuable insights out of currencies, equities and commodities data. Gain an edge trading financial markets. Volume and TPO histogram bar and line charts. Volume Footprint charts. TPO letter and block marker charts including split structures. Versatile segmentation and compositing methods. Static, dynamic and flexible ranges with relative and/or absolu
Quantum Heiken Ashi PRO MT5
Bogdan Ion Puscasu
4.5 (8)
Presentamos el   Quantum Heiken Ashi PRO Diseñadas para brindar información clara sobre las tendencias del mercado, las velas Heiken Ashi son reconocidas por su capacidad para filtrar el ruido y eliminar las señales falsas. Diga adiós a las confusas fluctuaciones de precios y dé la bienvenida a una representación gráfica más fluida y confiable. Lo que hace que Quantum Heiken Ashi PRO sea realmente único es su fórmula innovadora, que transforma los datos de velas tradicionales en barras de colore
Otros productos de este autor
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
For MT4 version please send private message. - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - For bar color option please send private message. - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need.
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
B Xtrender
Yashar Seyyedin
5 (1)
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please contact via private message. This is the exact conversion from TradingView: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". 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 trade; int handle_supertrend= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input dou
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
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 is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
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 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. Thanks for downloading
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
This is a two in one indicator implementation of Average Directional Index based on heiken ashi and normal candles. Normal candles and Heiken Ashi is selectable via input tab. The other inputs are ADX smoothing and DI length. This indicator lets you read the buffers: +di: buffer 6 -di: buffer 7 -adx: buffer 10 Note: This is a non-repaint indicator with light load processing. - You can message in private chat for further changes you need.
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
TRAMA by LuxAlgo
Yashar Seyyedin
5 (2)
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 contact via private message. This is the exact conversion from TradingView:Nadaraya-Watson Envelope" by " LuxAlgo ". This is not a light-load processing indicator. It is a REPAINT indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". 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 signal alerts. 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: "Range Identifier" By "Mango2Juice". - All twelve averaging options are available:  EMA, DEMA, TEMA, WMA, VWMA, SMA, SMMA, RMA, HMA, LSMA, Kijun, McGinley - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart and not for thresholds.  - You can message in private chat for further changes you need.
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 . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT5 version please click here . - 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 Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
To download 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
Filtro:
Khulani
146
Khulani 2023.08.02 18:42 
 

Great!

Yashar Seyyedin
30280
Respuesta del desarrollador Yashar Seyyedin 2023.08.02 22:28
Thanks for the review.
Respuesta al comentario
Versión 1.10 2024.03.11
Update to include all sources (TYPICAL, MEDIAN, WEIGHTED) prices.