• Visão global
  • Comentários (2)
  • Discussão (2)

UT Bot Alerts by QuantNomad

5

To get access to MT4 version please click here.

  • This is the exact conversion from TradingView: "UT Bot Alerts" by "QuantNomad".
  • 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.

Here is the source code of a simple Expert Advisor operating based on signals from UT Bot Alerts.

#include <Trade\Trade.mqh>
CTrade trade;
int handle_utbot=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 "UTBOT setting"
input double a = 1; //Key Vaule
input int c = 10; //ATR Period
input bool h = false; //Signals from Heikin Ashi Candles

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_utbot=iCustom(_Symbol, PERIOD_CURRENT, "Market/UT Bot Alerts by QuantNomad", a, c, h);
   if(handle_utbot==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

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

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




Comentários 2
Anthony Arundell
98
Anthony Arundell 2024.02.25 12:30 
 

It is a very nice indicator Does exactly what I wanted and thought it would do

sigmasas
84
sigmasas 2023.09.08 14:46 
 

I have purchased 3 indicators from Yashar Seyyedin which I have thoroughly tested they work perfectly. He has his own indicators for sale in the market and also codes according to customer requirements. There are no words to describe his efficiency in the field, his punctuality, speed and communication. We are now working on a new EA the financial results of which are unbelievable. Highly recommended. Thank you Yashar

Produtos recomendados
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.
O nível Premium é um indicador único com mais de 80% de precisão nas previsões corretas! Este indicador foi testado pelos melhores Especialistas em Negociação por mais de dois meses! O indicador do autor você não encontrará em nenhum outro lugar! A partir das imagens você pode ver por si mesmo a precisão desta ferramenta! 1 é ótimo para negociar opções binárias com um tempo de expiração de 1 vela. 2 funciona em todos os pares de moedas, ações, commodities, criptomoedas Instruções:
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
Indicator and Expert Adviser  EA Available in the comments section of this product. Download with Indicator must have indicator installed for EA to work. Mt5 indicator alerts for bollinger band and envelope extremes occurring at the same time. Buy signal alerts occur when A bullish candle has formed below both the lower bollinger band and the lower envelope  Bar must open and close below both these indicators. Sell signal occur when A bear bar is formed above the upper bollinger band and upp
MACDivergence MTF MT5
Pavel Zamoshnikov
4.17 (6)
Advanced ideas of the popular MACD indicator: It detects and displays classic and reverse divergences (two methods of detecting divergences). It uses different color to highlight an uptrend and a downtrend. Two methods of determining a trend: а) MACD crosses the 0 level (classic signal); б) MACD crosses its own average (early signal). This is a multi-timeframe indicator: it can display MACD data from other timeframes. Two methods of drawing: classic histogram and line. It generates sound and vis
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
Cumulative delta indicator As most traders believe, the price moves under the pressure of market buying or selling. When someone redeems an offer standing in the cup, the deal is a "buy". If someone pours into the bid standing in the cup - the deal goes with the direction of "sale". The delta is the difference between purchases and sales. A cumulative delta - the difference between the cumulative sum of purchases and sales for a certain period of time. It allows you to see who is currently contr
Owl Smart Levels MT5
Sergey Ermolov
4.47 (36)
Versão MT4  |  FAQ O Indicador Owl Smart Levels é um sistema de negociação completo dentro de um indicador que inclui ferramentas populares de análise de mercado, como fractais avançados de Bill Williams , Valable ZigZag que constrói a estrutura de onda correta do mercado e níveis de Fibonacci que marcam os níveis exatos de entrada no mercado e lugares para obter lucros. Descrição detalhada da estratégia Instruções para trabalhar com o indicador Consultor de negociação Owl Helper Chat privado d
Tipo: Osciladores Este é o indicador de Índice de Força Relativa (IFR) customizado da Gekko Trading, a versão customizada do famoso IFR. Use o IFRtradicional mas com a vantagem de configurar diferentes tipos de sinal de entrada e várias formas de ser alertado todas vez que houver um possível ponto de entrada ou saída do mercado. Parâmetros de Entrada Period: Período do RSI; How will the indicator calculate entry (swing) signals: Modo de cálculo de sinal de entrada ou saída (mudança de tendênci
This indicator obeys the popular maxim that: "THE TREND IS YOUR FRIEND" It paints a Blue line for BUY and also paints a RED line for SELL. (you can change the colors). It gives alarms and alerts of all kinds. IT DOES NOT REPAINT COLOR and can be used for all currency pairs and timeframes. Yes, as easy and simple as that. Even a newbie can use it to make great and reliable trades. https://www.mql5.com/en/market/product/115553
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
Rainbow EA MT5
Jamal El Alama
Description : Rainbow EA MT5 is a simple Expert advisor based on   Rainbow MT5 indicator witch is based on Moving average with period 34. The indicator is incorporated in the EA, therefore, it is not required for the EA to operate, but if you wish, you can download it from   my product page . The Expert Advisor settings are as follows : Suitable for Timeframes up to H1 The parameters below can be set according to your trading rules. StopLoss ( Stop Loss in pips) TakeProfit ( Take Profit in pi
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  
QM Pattern Scanner MT5
Reza Aghajanpour
5 (3)
QM (Quasimodo) Pattern is based on Read The Market(RTM) concepts. The purpose of this model is to face the big players of the market (financial institutions and banks), As you know in financial markets, big traders try to fool small traders, but RTM prevent traders from getting trapped. This style is formed in terms of price candles and presented according to market supply and demand areas and no price oscillator is used in it. RTM concepts are very suitable for all kinds of investments, includi
Laguerre SuperTrend Clouds   adds an Adaptive Laguerre averaging algorithm and alerts to the widely popular SuperTrend indicator. As the name suggests,   Laguerre SuperTrend Clouds (LSC)   is a trending indicator which works best in trendy (not choppy) markets. The SuperTrend is an extremely popular indicator for intraday and daily trading, and can be used on any timeframe. Incorporating Laguerre's equation to this can facilitate more robust trend detection and smoother filters. The LSC uses the
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 asse
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
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"
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
Gartley Projections D
Oleksandr Medviediev
3 (2)
The indicator identifies the harmonic patterns (XABCD) according to developments of H.M.Gartley ( "Profits in the Stock Market" , 1935г). It projects D-point as a point in the perspective projection (specify ProjectionD_Mode = true in the settings). Does not redraw. When a bar of the working timeframe closes, if the identified pattern point has not moved during Patterns_Fractal_Bars bars, an arrow appears on the chart (in the direction of the expected price movement). From this moment on, the ar
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
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.
Introducing "X Marks the Spot" – Your Ultimate MetaTrader 5 Indicator for Perfect Trades! Are you tired of the guesswork in trading? Ready to take your MetaTrader 5 experience to a whole new level? Look no further – "X Marks the Spot" is here to revolutionize your trading strategy! What is "X Marks the Spot"? "X Marks the Spot" is not just another indicator – it's your personal trading compass that works seamlessly on all timeframes . Whether you're a beginner or an experienced trader,
O 123 Pattern é um dos padrões de gráficos mais populares, poderosos e flexíveis. O padrão é composto por três pontos de preço: fundo, pico ou vale e retração de Fibonacci entre 38,2% e 71,8%. Um padrão é considerado válido quando as quebras de preços além do último pico ou vale, momento em que o indicador traça uma flecha, sobe um alerta, e o comércio pode ser colocado. [ Guia de instalação | Guia de atualização | Solução de problemas | FAQ | Todos os produtos ] Sinais de negociação claros
Trend Monitor MT5
Pavel Zamoshnikov
3.67 (3)
The indicator generates early signals basing on ADX reading data combined with elements of price patterns. Works on all symbols and timeframes. The indicator does not redraw its signals. You see the same things on history and in real time. For better visual perception signals are displayed as arrows (in order not to overload the chart). Features The best results are obtained when the indicator works on two timeframes. For example: M30 – the indicator shows the main trend; M5 – the indicator ge
Este indicador mostrará os valores de TP e SL (naquela moeda) que você já definiu para todos os pedidos nos gráficos (fechados na linha de transação/pedido) que o ajudarão muito a estimar seus lucros e perdas para cada pedido. E também mostra os valores de PIPs. o formato mostrado é "Valores de moeda de nossos valores de Lucro ou Perda / PIPs". O valor TP será mostrado na cor verde e o valor SL será mostrado na cor vermelha. Para qualquer dúvida ou mais informações, sinta-se à vontade para en
TrendDetect
Pavel Gotkevitch
The Trend Detect indicator combines the features of both trend indicators and oscillators. This indicator is a convenient tool for detecting short-term market cycles and identifying overbought and oversold levels. A long position can be opened when the indicator starts leaving the oversold area and breaks the zero level from below. A short position can be opened when the indicator starts leaving the overbought area and breaks the zero level from above. An opposite signal of the indicator can
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
VR Cub MT 5
Vladimir Pastushak
VR Cub é um indicador para obter pontos de entrada de alta qualidade. O indicador foi desenvolvido para facilitar cálculos matemáticos e simplificar a busca por pontos de entrada em uma posição. A estratégia de negociação para a qual o indicador foi escrito tem provado a sua eficácia há muitos anos. A simplicidade da estratégia de negociação é a sua grande vantagem, o que permite que até mesmo os comerciantes novatos negociem com sucesso com ela. VR Cub calcula os pontos de abertura de posição e
Atomic Analyst MT5
Issam Kassas
5 (11)
Primeiramente, vale ressaltar que este Indicador de Negociação não repinta, não redesenha e não apresenta atrasos, tornando-o ideal tanto para negociação manual quanto automatizada. O Analista Atômico é um Indicador de Ação de Preço PA que utiliza a força e o momentum do preço para encontrar uma vantagem melhor no mercado. Equipado com filtros avançados que ajudam a remover ruídos e sinais falsos, e aumentam o potencial de negociação. Utilizando múltiplas camadas de indicadores complexos, o A
Os compradores deste produto também adquirem
Primeiramente, vale ressaltar que este Sistema de Trading é um Indicador Não Repintado, Não Redesenho e Não Atrasado, o que o torna ideal tanto para o trading manual quanto para o automatizado. O "Sistema de Trading Inteligente MT5" é uma solução completa de trading projetada para traders novos e experientes. Ele combina mais de 10 indicadores premium e apresenta mais de 7 estratégias de trading robustas, tornando-o uma escolha versátil para diversas condições de mercado. Estratégia de Seguime
FX Volume MT5
Daniel Stein
4.94 (17)
Receba a sua atualização diária do mercado com detalhes e screenshots através do nosso Morning Briefing aqui no mql5 e no Telegram ! O Volume FX é o PRIMEIRO e ÚNICO indicador de volume que fornece uma visão REAL do sentimento do mercado do ponto de vista de um corretor. Ele fornece uma visão incrível de como os participantes do mercado institucional, como corretores, estão posicionados no mercado Forex, muito mais rápido do que os relatórios COT. Ver essas informações diretamente no seu gráfi
Quantum Trend Sniper
Bogdan Ion Puscasu
5 (37)
Apresentando       Quantum Trend Sniper Indicator   , o inovador Indicador MQL5 que está transformando a maneira como você identifica e negocia as reversões de tendência! Desenvolvido por uma equipe de traders experientes com experiência comercial de mais de 13 anos,       Indicador de Atirador de Tendência Quântica       foi projetado para impulsionar sua jornada de negociação a novos patamares com sua forma inovadora de identificar reversões de tendência com precisão extremamente alta. ***C
Trend Screener Pro MT5
STE S.S.COMPANY
4.89 (61)
Desbloqueie o poder da negociação de tendências com o indicador Trend Screener: sua solução definitiva de negociação de tendências, alimentada por lógica difusa e sistema de múltiplas moedas! Eleve sua negociação de tendências com o Trend Screener, o revolucionário indicador de tendências alimentado por lógica difusa. É um poderoso indicador de acompanhamento de tendências que combina mais de 13 ferramentas e recursos premium e 3 estratégias de negociação, tornando-o uma escolha versátil para to
FX Power MT5 NG
Daniel Stein
5 (4)
Receba a sua atualização diária do mercado com detalhes e screenshots através do nosso Morning Briefing aqui no mql5 e no Telegram ! O FX Power MT5 NG é a próxima geração do nosso medidor de força de moeda muito popular de longa data, o FX Power. E o que é que este medidor de força da próxima geração oferece? Tudo o que adorou no FX Power original MAIS Análise de força GOLD/XAU Resultados de cálculo ainda mais precisos Períodos de análise configuráveis individualmente Limite de cálculo personal
Este é um indicador para MT5 que fornece sinais precisos para entrar em uma negociação sem redesenhar. Ele pode ser aplicado a qualquer ativo financeiro: forex, criptomoedas, metais, ações, índices. Ele fornecerá estimativas bastante precisas e informará quando é melhor abrir e fechar um negócio. Assista o vídeo (6:22) com um exemplo de processamento de apenas um sinal que compensou o indicador! A maioria dos traders melhora seus resultados de negociação durante a primeira semana de negociação c
Antes de tudo, vale ressaltar que esta Ferramenta de Negociação é um Indicador Não Repintante, Não Redesenhante e Não Atrasado, o que a torna ideal para negociação profissional. O Indicador de Conceitos de Ação de Preço Inteligente é uma ferramenta muito poderosa tanto para traders novos quanto experientes. Ele combina mais de 20 indicadores úteis em um único, combinando ideias avançadas de negociação como Análise do Trader do Círculo Interno e Estratégias de Negociação de Conceitos de Dinhei
RelicusRoad Pro MT5
Relicus LLC
4.82 (22)
Agora US $ 147 (aumentando para US $ 499 após algumas atualizações) - Contas ilimitadas (PCs ou Macs) Manual do usuário do RelicusRoad + vídeos de treinamento + acesso ao grupo de discórdia privado + status VIP UMA NOVA FORMA DE OLHAR PARA O MERCADO O RelicusRoad é o indicador de negociação mais poderoso do mundo para forex, futuros, criptomoedas, ações e índices, oferecendo aos traders todas as informações e ferramentas necessárias para se manterem rentáveis. Fornecemos análises técnica
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 /
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
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
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
Atualmente com 33% de desconto! A melhor solução para qualquer Trader Novato ou especialista! Este indicador é uma ferramenta de negociação exclusiva, de alta qualidade e acessível porque incorporamos uma série de recursos proprietários e uma nova fórmula. Com esta atualização, você poderá mostrar fusos horários duplos. Você não só será capaz de mostrar um TF mais alto, mas também mostrar ambos, o TF do gráfico, MAIS o TF mais alto: MOSTRANDO ZONAS ANINHADAS. Todos os traders de Oferta e Demanda
AW Trend Predictor MT5
AW Trading Software Limited
4.76 (54)
A combinação de níveis de tendência e quebra em um sistema. Um algoritmo de indicador avançado filtra o ruído do mercado, determina a tendência, os pontos de entrada e os possíveis níveis de saída. Os sinais indicadores são registrados em um módulo estatístico, que permite selecionar as ferramentas mais adequadas, mostrando a eficácia do histórico do sinal. O indicador calcula as marcas Take Profit e Stop Loss. Manual e instruções ->   AQUI   / versão MT4 ->   AQUI Como negociar com o indicador
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
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!  -  Version MT4                  DETAILED DESCRIPTION        /       TRADING SETUPS       
O Indicador de Quadrados de Gann é uma poderosa ferramenta de análise de mercado baseada no artigo "Fórmula Matemática para Previsões de Mercado" escrito por W.D. Gann, que se baseia em conceitos matemáticos para análise. Ele incorpora elementos das técnicas de Gann relacionadas com os quadrados de 144, 90 e 52, bem como o quadrado de 9. Além disso, inclui o método do  sobre como combinar o quadrado de 9 com canais e padrões de estrela. Manual do Usuário e Modo de Uso: Antes de usar este indicad
Torne-se um Negociador Breaker e lucre com as mudanças na estrutura do mercado à medida que o preço reverte. O indicador de quebra de bloco de pedidos identifica quando uma tendência ou movimento de preço está chegando à exaustão e pronto para reverter. Ele o alerta sobre mudanças na estrutura do mercado, que normalmente ocorrem quando uma reversão ou uma grande retração está prestes a ocorrer. O indicador usa um cálculo proprietário que identifica rupturas e momento do preço. Toda vez que
Desenhe automaticamente os níveis de apoio e resistência MAIS espaços de velas de propulsão no seu gráfico, para que possa ver para onde é provável que o preço se dirija a seguir e/ou potencialmente inverta. Este indicador foi concebido para ser utilizado como parte da metodologia de negociação de posições ensinada no meu website (The Market Structure Trader) e exibe informação chave para a segmentação e potenciais entradas. MT4 Version:  https://www.mql5.com/en/market/product/97246/ Existem
A key element in trading is zones or levels from which decisions to buy or sell a trading instrument are made. Despite attempts by major players to conceal their presence in the market, they inevitably leave traces. Our task was to learn how to identify these traces and interpret them correctly. Reversal First Impulse levels (RFI)   -  Version MT4                  INSTRUCTIONS                 RUS                 ENG                         R ecommended to use with an indicator   -  TREND PRO  
Apresentando       Quantum Breakout PRO   , o inovador Indicador MQL5 que está transformando a maneira como você negocia Breakout Zones! Desenvolvido por uma equipe de traders experientes com experiência comercial de mais de 13 anos,       Quantum Breakout PRO       foi projetado para impulsionar sua jornada comercial a novos patamares com sua estratégia de zona de fuga inovadora e dinâmica. O Quantum Breakout Indicator lhe dará setas de sinal em zonas de breakout com 5 zonas-alvo de lucro e
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 absolute visualizations. Lay
TrendLine PRO MT5
Evgenii Aksenov
4.78 (49)
The Trend Line PRO indicator is an independent trading strategy. It shows the trend change, the entry point to the transaction, as well as automatically calculates three levels of Take Profit and Stop Loss protection Trend Line PRO is perfect for all Meta Trader symbols: currencies, metals, cryptocurrencies, stocks and indices Advantages of Trend Line PRO Never redraws its signals The possibility of using it as an independent strategy It has three automatic levels Take Profit and Stop Loss lev
Gartley Hunter Multi
Siarhei Vashchylka
5 (5)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all classic timeframes: (m1, m5, m15, m30, H1, H4, D1, Wk, Mn). Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all classic timeframes 3. Search for patterns of all possible sizes. Fr
Trend Line Map Pro MT5
STE S.S.COMPANY
4.67 (9)
O indicador Trend Line Map é um complemento do Trend Screener Indicator. Ele funciona como um scanner para todos os sinais gerados pelo Trend screener (Trend Line Signals). É um Trend Line Scanner baseado no Trend Screener Indicator. Se você não tiver o Trend Screener Pro Indicator, o Trend Line Map Pro não 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 not work . Acessando nosso Blog
TrendDecoder Premium MT5
Christophe, Pa Trouillas
5 (1)
Identifica os intervalos e os próximos movimentos prováveis  |  Obter os primeiros sinais e a força das tendências  |  Obter saídas claras antes da reversão | Detetar os níveis Fibo que o preço irá testar   |  Indicador não repintável e não atrasado - ideal para trading manual e automatizado - adequado para todos os activos e todas as unidades de tempo $69   no lançamento - depois volta a >>   $149 Após a compra,   por favor contacte-me neste canal  para obter as definições recomendadas Versão
MetaBands M5
Vahidreza Heidar Gholami
4.67 (3)
MetaBands utiliza algoritmos poderosos e únicos para desenhar canais e detectar tendências, a fim de fornecer aos traders pontos potenciais para entrar e sair de negociações. É um indicador de canal mais um indicador de tendência poderoso. Inclui diferentes tipos de canais que podem ser mesclados para criar novos canais simplesmente usando os parâmetros de entrada. O MetaBands usa todos os tipos de alertas para notificar os usuários sobre eventos de mercado. Recursos Suporta a maioria dos algori
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals strictly at the close of a candle! TPA shows entries and re-entries, every time the bulls are definitely stronger than the bears and vice versa. Not to confuse with red/green candles. The shift of power gets confirmed at the earliest stage and is ONE exit strategy of several. There are available now two free parts of the TPA User Guide for our customers. The first "The Basics"
IX Power MT5
Daniel Stein
5 (2)
O   IX Power   traz finalmente a precisão imbatível do FX Power para símbolos não-Forex. Determina com exatidão a intensidade das tendências a curto, médio e longo prazo nos seus índices, acções, mercadorias, ETFs e até criptomoedas favoritos. Pode   analisar tudo o que   o seu terminal tem para oferecer. Experimente e veja como   o seu timing melhora significativamente   quando negoceia. Características principais do IX Power Resultados de cálculo 100% precisos e sem repintura - para tod
Golden Gate Algo MT5
James David Lane
4 (6)
40% DE DESCONTO PARA O NATAL! AUMENTO DE PREÇO PARA $250 EM 1º DE JANEIRO! Apresentando GoldenGate Entries: Uma Solução de Negociação de Ponta! Descubra uma abordagem revolucionária para a negociação com o GoldenGate Entries (GGE), um indicador avançado projetado para elevar sua experiência de negociação. O GGE oferece um conjunto abrangente de recursos para capacitar os usuários com precisão e confiança em suas decisões de negociação. Pares: Qualquer (FX - Commodities - Equities - Ações
Dark Power MT5
Marco Solito
4.84 (56)
Dark Power  is an Indicator for intraday trading. This Indicator is based on   Trend Following  strategy, also adopting the use of an histogram to determine the right power . We can enter in good price with this Indicator, in order to follow the   strong trend   on the current instrument. The histogram is calculated based on the size of the bars and two moving averages calculated on the histogram determine the direction of the signal Key benefits Easily visible take profit/stop loss lines Int
Mais do autor
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
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.
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
B Xtrender
Yashar Seyyedin
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 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 MT5 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please 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:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
To download 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 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
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
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 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
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
IntradayTrader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT4 version please click here . 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
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To get access to 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: "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.
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
Choppy Trader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
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
MacroTrendTrader
Yashar Seyyedin
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
- 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 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
Filtro:
Anthony Arundell
98
Anthony Arundell 2024.02.25 12:30 
 

It is a very nice indicator Does exactly what I wanted and thought it would do

Yashar Seyyedin
32163
Resposta do desenvolvedor Yashar Seyyedin 2024.02.25 12:58
Thanks for the positive and kind review. Wish you safe trades.
sigmasas
84
sigmasas 2023.09.08 14:46 
 

I have purchased 3 indicators from Yashar Seyyedin which I have thoroughly tested they work perfectly. He has his own indicators for sale in the market and also codes according to customer requirements. There are no words to describe his efficiency in the field, his punctuality, speed and communication. We are now working on a new EA the financial results of which are unbelievable. Highly recommended. Thank you Yashar

Yashar Seyyedin
32163
Resposta do desenvolvedor Yashar Seyyedin 2023.09.08 15:42
Thanks for the positive review. I enjoy working with people with new ideas.
Responder ao comentário