Ut Bot Indicator

Evolutionize Your Trading with the UT Alert Bot Indicator for MQL4

The UT Alert Bot Indicator is your ultimate trading companion, meticulously designed to give you an edge in the fast-paced world of financial markets. Powered by the renowned UT system, this cutting-edge tool combines advanced analytics, real-time alerts, and customizable features to ensure you never miss a profitable opportunity. Whether you’re trading forex, stocks, indices, or commodities, the UT Alert Bot Indicator is your key to smarter, faster, and more precise trading decisions.

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

#property copyright "This EA is only education purpose only use it ur own risk"
#property link      "https://sites.google.com/view/automationfx/home"
#property version   "1.00"
#property strict
//+------------------------------------------------------------------+
// Expert iniputs                                                    |
//+------------------------------------------------------------------+
input string             EA_Setting              =  "";                   // General settings
input int                magic_number            = 1234;                 // Magic number for trade identification
input double             fixed_lot_size          = 0.01;                 // Fixed lot size
input double             StopLoss                = 0;                    // Stop loss level (in pips)
input double             TakeProfit              = 0;                   // Take profit level (in pips)
input double             LotMultiplier = 2.0; // Multiplier for martingale strategy


string Name_Indicator       = "Market/UT Bot Indicator.ex4";  // Name of the custom indicator
int bufferToBuy2 = 0;                      // Buffer index for buy signals
int bufferToSell2 = 1;                     // Buffer index for sell signals
double current_lot_size;                   // Current lot size
int LastProf = 0;                          // 1 = profit, -1 = loss, 0 = no history


// Enum to represent candle indices
enum candle
  {
   curr = -1,  // Current candle
   prev = 0    // Previous closed candle
  };

// Indicator settings
input string Indicator = "== Market/UT Bot Indicator.ex4 ==";    // Indicator title
static input string _Properties_ = "Automationfx";  // Expert properties
input double         Key_value          =  2;         // Key value for indicator calculation
input double         atrPeriods         =  14;       // ATR periods for indicator
input bool           h                  = false;     // Use Heiken Ashi candles for signals
int                  s                  = prev;     // Show arrows on previous candle
int                  p                  = 20;                         // Arrow position (in points)
input int            b                  = 10;                 // Candle period for calculations
string T_0 = "== Draw Trade ==";    // Trade drawing title
input bool          drawTradeON         = false;

//+------------------------------------------------------------------+
//|  get indicator                                                                |
//+------------------------------------------------------------------+
double UT_Bot(int buffer, int _candle)
  {
// Call the custom indicator and return its value
   return iCustom(NULL, 0, "Market/UT Bot Indicator.ex4",Indicator, Key_value, atrPeriods, h, s, p, b, T_0, drawTradeON, buffer, _candle);
  }


//+------------------------------------------------------------------+
// Expert initialization function                                   |
//+------------------------------------------------------------------+
int OnInit()
  {
   ChartSetInteger(0, CHART_SHOW_GRID, false);
   return(INIT_SUCCEEDED);
  }
//+------------------------------------------------------------------+
//| Expert deinitialization function                                 |
//+------------------------------------------------------------------+
void OnDeinit(const int reason)
  {
//---

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

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



//+------------------------------------------------------------------+
//| Expert tick function                                             |
//+------------------------------------------------------------------+
void OnTick()
  {
// Check if a new bar has formed
   if(!isNewBar())
      return;
// Buy condition
   bool buy_condition = true;
   buy_condition &= (BuyCount() == 0);
   buy_condition &= (UT_Bot(0, 1) != EMPTY_VALUE); // Ensure valid check

   if(buy_condition)
     {
      CloseSell();
      Buy();
     }
// Sell condition
   bool sell_condition = true;
   sell_condition &= (SellCount() == 0);
   sell_condition &= (UT_Bot(1, 1) != EMPTY_VALUE); // Ensure valid check

   if(sell_condition)
     {
      CloseBuy();
      Sell();
     }

  }

// Function to calculate lot size based on the last trade
void Lot()
  {
// Analyze the last order in history
   if(OrderSelect(OrdersHistoryTotal() - 1, SELECT_BY_POS, MODE_HISTORY))
     {
      if(OrderSymbol() == _Symbol && OrderMagicNumber() == magic_number)
        {
         if(OrderProfit() > 0)
           {
            LastProf = 1;                   // Last trade was profitable
            current_lot_size = fixed_lot_size; // Reset to fixed lot size
           }
         else
           {
            LastProf = -1;                  // Last trade was a loss
            current_lot_size = NormalizeDouble(current_lot_size * LotMultiplier, 2);
           }
        }
     }
   else
     {
      // No previous trades, use the fixed lot size
      LastProf = 0;
      current_lot_size = fixed_lot_size;
     }
  }



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

//+------------------------------------------------------------------+
//|  open buy trades                                                                |
//+------------------------------------------------------------------+
void Buy()
  {
   Lot();
   double StopLossLevel;
   double TakeProfitLevel;
// Calculate the stop loss and take profit levels based on input values
   if(StopLoss>0)
      StopLossLevel=Bid-StopLoss*Point;
   else
      StopLossLevel=0.0;
   if(TakeProfit>0)
      TakeProfitLevel=Ask+TakeProfit*Point;
   else
      TakeProfitLevel=0.0;


   if(OrderSend(_Symbol, OP_BUY, current_lot_size, Ask, 3, StopLossLevel,TakeProfitLevel, NULL, magic_number, 0, clrNONE) == -1)
     {
      Print("Error Executing Buy Order: ", GetLastError());
     }
  }

//+------------------------------------------------------------------+
//|  open sell trades                                                                |
//+------------------------------------------------------------------+
void Sell()
  {
   Lot();
   double StopLossLevel1;
   double TakeProfitLevel2;
// Calculate the stop loss and take profit levels based on input values
   if(StopLoss>0)
      StopLossLevel1=Ask+StopLoss*Point;
   else
      StopLossLevel1=0.0;
   if(TakeProfit>0)
      TakeProfitLevel2=Bid-TakeProfit*Point;
   else
      TakeProfitLevel2=0.0;


   if(OrderSend(_Symbol, OP_SELL, current_lot_size, Bid, 3, StopLossLevel1,TakeProfitLevel2, NULL, magic_number, 0, clrNONE) == -1)
     {
      Print("Error Executing Sell Order: ", GetLastError());
     }
  }


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

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


Produtos recomendados
This indicator help to mark the high and low of the session Asian,London,Newyork , with custom hour setting This indicator is set to count from minute candle so it will move with the current market and stop at the designated hour and create a accurate line for the day. below is the customization that you can adjust : Input Descriptions EnableAsian Enables or disables the display of Asian session high and low levels. EnableLondon Enables or disables the display of London session high and
FREE
SX Supply Demand Zones accurately identifies and draws high-probability Supply and Demand zones using a sophisticated algorithm. Unlike traditional indicators that clutter your chart, this indicator is designed with a focus on performance and a clean user experience. New Unique Feature: Interactive Legend System What truly sets this indicator apart from everything else is the Interactive Control Legend. You have a professional dashboard directly on your chart that allows you to: Show/Hide: Ins
FREE
Show Pips
Roman Podpora
4.26 (58)
Este indicador de informação será útil para quem quer estar sempre atento à situação atual da conta. O indicador exibe dados como lucro em pontos, porcentagem e moeda, bem como o spread do par atual e o tempo até o fechamento da barra no período atual. VERSÃO MT5 -   Indicadores mais úteis Existem várias opções para colocar a linha de informação no gráfico: À direita do preço (corre atrás do preço); Como comentário (no canto superior esquerdo do gráfico); No canto selecionado da tela. Também é
FREE
Forex Market Profile and Vwap
Lorentzos Roussos
4.86 (7)
Perfil do mercado Forex (FMP para breve) O que isso não é: O FMP não é a exibição TPO clássica codificada por letras, não exibe o cálculo geral do perfil de dados do gráfico e não segmenta o gráfico em períodos e os calcula. O que faz : Mais importante ainda, o indicador FMP processará dados que residem entre a borda esquerda do espectro definido pelo usuário e a borda direita do espectro definido pelo usuário. O usuário pode definir o espectro apenas puxando cada extremidade do indicador co
FREE
Toby Strategy Indicator
Ahmd Sbhy Mhmd Ahmd ʿYshh
The indicator rely on The Toby strategy >> The mother candle which is bigger in range than the previous six candles. A vertical line shows the last Toby Candle with the targets shown up and down. The strategy is about the closing price out of the range of the toby candle to reach the 3 targets..The most probable to be hit is target1 so ensure reserving your profits and managing your stop lose.
FREE
Rainbow MT4
Jamal El Alama
Rainbow MT4 is a technical indicator based on Moving average with period 34 and very easy to use. When price crosses above MA and MA changes color to green, it’s a signal to buy. When price crosses below MA and MA changes color to red, it’s a signal to sell. The Expert advisor ( Rainbow EA MT4) based on Rainbow MT4 indicator, as you can see in the short video below is now available here .
FREE
The Rayol Code Hour Interval Lines indicator was designed to assist your trading experience. It draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing traders a more comprehensive view of price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local time in re
FREE
QualifiedEngulfing
Ashkan Hazegh Nikrou
QualifiedEngulfing - é a versão gratuita do indicador ProEngulfing ProEngulfing - é a versão paga do indicador Advance Engulf, faça o download aqui. Qual a diferença entre a versão gratuita e paga do ProEngulfing ? A versão gratuita tem a limitação de um sinal por dia. Apresentamos o QualifiedEngulfing - Seu indicador profissional de padrões Engulf para o MT4 Desbloqueie o poder da precisão com o QualifiedEngulfing, um indicador de última geração projetado para identificar e destacar padrões En
FREE
PZ Penta O MT4
PZ TRADING SLU
2.33 (3)
The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
FREE
Market Profile 3
Hussien Abdeltwab Hussien Ryad
3 (2)
Market Profile 3 MetaTrader 4 indicator  — is a classic Market Profile implementation that can show the price density over time, outlining the most important price levels, value area, and control value of a given trading session. This indicator can be attached to timeframes between M1 and D1 and will show the Market Profile for daily, weekly, monthly, or even intraday sessions. Lower timeframes offer higher precision. Higher timeframes are recommended for better visibility. It is also possible t
FREE
This indicator alerts you when/before new 1 or 5 minute bar candle formed. In other words,this indicator alerts you every 1/5 minutes. This indicator is especially useful for traders who trade when new bars formed. *This indicator don't work propery in strategy tester.Use this in live trading to check functionality. There is more powerful Pro version .In Pro version,you can choose more timeframe and so on. Input Parameters Alert_Or_Sound =Sound ----- Choose alert or sound or both to notify y
FREE
Discover the power of precision and efficiency in your trading with the " Super Auto Fibonacci " MT4 indicator. This cutting-edge tool is meticulously designed to enhance your technical analysis, providing you with invaluable insights to make informed trading decisions. Key Features: Automated Fibonacci Analysis: Say goodbye to the hassle of manual Fibonacci retracement and extension drawing. "Super Auto Fibonacci" instantly identifies and plots Fibonacci levels on your MT4 chart, saving you tim
FREE
Trendline indicator
David Muriithi
2 (1)
Are you tired of drawing trendlines every time you're analyzing charts? Or perhaps you would like more consistency in your technical analysis. Then this is for you. This indicator will draw trend lines automatically when dropped on a chart. How it works Works similar to standard deviation channel found on mt4 and mt5. It has 2 parameters: 1. Starting Bar 2. Number of bars for calculation The   starting bar   is the bar which drawing of the trend lines will begin, while the   number of bars for c
FREE
Colored Candle Time
Saeed Hatam Mahmoudi
Candle Time (MT4) The Candle Time indicator shows the remaining time for the current candle on the active chart timeframe. It adapts automatically to the chart period and updates on every tick. This is a charting utility; it does not provide trading signals and does not guarantee any profit. Main functions Display the time remaining for the current candle on any timeframe (M1 to MN). Color-coded state: green when price is above the open (up), gray when unchanged, and red when below the open (do
FREE
Auto TP SL Manul Open Panding Orders Overview: AUto TP SL Manul Open Panding Orders is an innovative trading platform designed to enhance trading efficiency and effectiveness in managing financial investments. Key Features: Automated Management : Seamlessly manage take-profit (TP) and stop-loss (SL) orders with our advanced automation tools. Manual Adjustments : Maintain control with manual options, allowing traders to adjust orders according to market conditions.
FREE
Head and Shoulders Pattern Indicator - Your Key to Recognizing Trend Reversals Unlock the power of pattern recognition with the "Head and Shoulders Pattern Indicator." This cutting-edge tool, designed for MetaTrader, is your trusted ally in identifying one of the most powerful chart patterns in technical analysis. Whether you're a novice or an experienced trader, this indicator simplifies the process of spotting the Head and Shoulders pattern, allowing you to make informed trading decisions. Key
FREE
O Pivot Point Fibo RSJ é um indicador que traça as linhas de suporte e resistência do dia usando as proporções   de Fibonacci. Este indicador espetacular cria até 7 níveis de suporte e resistência por meio do Pivot Point usando proporções de Fibonacci. É fantástico como os preços respeitam cada nível deste suporte e resistência, onde é possível perceber possíveis pontos de entrada / saída de uma operação. Recursos Até 7 níveis de suporte e 7 níveis de resistência Defina as cores dos níveis indi
FREE
Triple RSI
Pablo Leonardo Spata
1 (1)
OLHE A SEGUINTE ESTRATÉGIA COM ESTE INDICADOR. O RSI triplo é uma ferramenta que usa o RSI clássico, mas em vários períodos de tempo para encontrar reversões do mercado. 1. ️ Idéia por trás do indicador e sua estratégia: Na negociação, seja Forex ou qualquer outro ativo, o ideal é manter a simplicidade, quanto mais simples melhor. A estratégia de triplo RSI é uma das estratégias simples que buscam retornos de mercado. Em nossa experiência, onde sempre há mais dinheiro a ganhar, é nas
FREE
Smart FVG Indicator MT4 – Detecção Avançada de Fair Value Gap para MetaTrader 4 O Smart FVG Indicator para MetaTrader 4 oferece detecção, monitorização e alertas profissionais de Fair Value Gap (FVG) diretamente nos seus gráficos. Ele combina filtragem baseada em ATR com lógica sensível à estrutura para remover ruído, adaptar‑se à liquidez e manter apenas os desequilíbrios mais relevantes para decisões precisas. Principais vantagens Deteção precisa de FVG: identifica ineficiências reais de pre
FREE
Free automatic Fibonacci is an indicator that automatically plots a Fibonacci retracement based on the number of bars you select on the BarsToScan setting in the indicator. The Fibonacci is automatically updated in real time as new highest and lowest values appears amongst the selected bars. You can select which level values to be displayed in the indicator settings. You can also select the color of the levels thus enabling the trader to be able to attach the indicator several times with differe
FREE
Pin Bars
Yury Emeliyanov
5 (4)
Objectivo principal: "Pin Bars" destina-se a detectar automaticamente barras de pinos nos gráficos dos mercados financeiros. Uma barra de pinos é uma vela com um corpo característico e uma cauda longa, que pode sinalizar uma reversão ou correção de tendência. Como funciona: o indicador analisa cada vela no gráfico, determinando o tamanho do corpo, cauda e nariz da vela. Quando uma barra de pinos correspondente a parâmetros predefinidos é detectada, o indicador marca-a no gráfico com uma seta p
FREE
MT Supply Demand
Issara Seeboonrueang
4 (4)
We provide indicators tailored to better meet your trading requirements.       >>  MT Magical  << MT Supply Demand : It is an indicator created to find supply and demand, which will be important support and resistance levels for the price.  Supply Zone   is a zone where the price has reached, it is often resisted. In other words, when the price reaches this zone, there will be more selling power to push the price back down. Demand Zone   is a zone where the price has reached, it is ofte
FREE
Highlights trading sessions on the chart The demo version only works on the AUDNZD chart!!! The full version of the product is available at: (*** to be added ***) Trading Session Indicator displays the starts and ends of four trading sessions: Pacific, Asian, European and American. the ability to customize the start/end of sessions; the ability to display only selected sessions; works on M1-H2 timeframes; The following parameters can be configured in the indicator: TIME_CORRECTION = Correct
FREE
Cumulative Delta MT4
Evgeny Shevtsov
4.86 (29)
The indicator analyzes the volume scale and splits it into two components - seller volumes and buyer volumes, and also calculates the delta and cumulative delta. The indicator does not flicker or redraw, its calculation and plotting are performed fairly quickly, while using the data from the smaller (relative to the current) periods. The indicator operation modes can be switched using the Mode input variable: Buy - display only the buyer volumes. Sell - display only the seller volumes. BuySell -
FREE
Bem-vindo ao nosso   Padrão de onda de preço   MT4 --(Padrão ABCD)--     O padrão ABCD é um padrão de negociação poderoso e amplamente utilizado no mundo da análise técnica. É um padrão de preço harmônico que os traders usam para identificar oportunidades potenciais de compra e venda no mercado. Com o padrão ABCD, os traders podem antecipar possíveis movimentos de preços e tomar decisões informadas sobre quando entrar e sair das negociações. Versão EA:   Price Wave EA MT4 Versão MT5:   Price
FREE
Follow The Line
Oliver Gideon Amofa Appiah
3.94 (16)
FOLLOW THE LINE GET THE FULL VERSION HERE: https://www.mql5.com/en/market/product/36024 This indicator obeys the popular maxim that: "THE TREND IS YOUR FRIEND" It paints a GREEN line for BUY and also paints a RED line for SELL.  It gives alarms and alerts of all kinds. IT DOES NOT REPAINT 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. NB: For best results, get my other premium indicators for more
FREE
-- Simples, mas eficaz. Indicador de inversão - O que é? Um indicador de sobreposição que segue tendências e combina a lógica SuperTrend com a tecnologia de curva exponencial. Ele detecta a direção da tendência, desenha um canal dinâmico no gráfico e envia alertas em tempo real quando a tendência se inverte. Como funciona? O indicador calcula uma linha de base exponencial usando ATR e um fator SuperTrend. Quando o preço fecha acima ou abaixo dessa linha de base, uma inversão de tendência é co
FREE
High Low Open Close MT4
Alexandre Borela
4.81 (21)
Se você gosta deste projeto, deixe uma revisão de 5 estrelas. Este indicador desenha os preços abertos, altos, baixos e finais para o especificado período e pode ser ajustado para um fuso horário específico. Estes são níveis importantes olhados por muitos institucional e profissional comerciantes e pode ser útil para você saber os lugares onde eles podem ser mais activa. Os períodos disponíveis são: Dia anterior. Semana anterior. Mês anterior. Quarto anterior. Ano anterior. Ou: Dia atual. Seman
FREE
ADR Bands
Navdeep Singh
4.5 (2)
Average daily range, Projection levels, Multi time-frame ADR bands shows levels based on the selected time-frame. Levels can be used as projections for potential targets, breakouts or reversals depending on the context in which the tool is used. Features:- Multi time-frame(default = daily) Two coloring modes(trend based or zone based) Color transparency  
FREE
Railway Tracks Pattern — Reversal Pattern Indicator Railway Tracks Pattern is an indicator that automatically detects a powerful two-candle reversal pattern on the chart. It looks for two candles with opposite directions (bullish and bearish), similar in size, and with minimal wicks — a clear sign of momentum shift. How it works: The first candle is strong and directional. The second candle moves in the opposite direction and is of similar size. Both candles have small shadows (wicks). The
FREE
Os compradores deste produto também adquirem
Gann Made Easy
Oleg Rodin
4.83 (157)
Gann Made Easy é um sistema de negociação Forex profissional e fácil de usar, baseado nos melhores princípios de negociação usando a teoria do sr. W. D. Gann. O indicador fornece sinais precisos de COMPRA e VENDA, incluindo níveis de Stop Loss e Take Profit. Você pode negociar mesmo em movimento usando notificações PUSH. ENTRE EM CONTATO COMIGO APÓS A COMPRA PARA RECEBER DICAS DE NEGOCIAÇÃO, BÔNUS E O ASSISTENTE EA "GANN MADE EASY" GRATUITAMENTE! Provavelmente você já ouviu muitas vezes sobre os
M1 Sniper
Oleg Rodin
5 (19)
O M1 SNIPER é um sistema indicador de negociação fácil de usar. É um indicador de seta projetado para o período M1. O indicador pode ser usado como um sistema independente para scalping no período M1 e pode ser usado como parte do seu sistema de negociação existente. Embora este sistema de negociação tenha sido projetado especificamente para negociação no M1, ele também pode ser usado em outros períodos. Originalmente, desenvolvi este método para negociar XAUUSD e BTCUSD. Mas considero-o útil ta
Game Changer Indicator
Vasiliy Strukov
4.13 (23)
Game Changer es un indicador de tendencia revolucionario, diseñado para usarse en cualquier instrumento financiero y transformar su MetaTrader en un potente analizador de tendencias. Funciona en cualquier marco temporal y facilita la identificación de tendencias, señala posibles reversiones, actúa como mecanismo de trailing stop y proporciona alertas en tiempo real para una respuesta rápida del mercado. Tanto si es un profesional experimentado como si es un principiante que busca una ventaja com
Scalper Inside PRO
Alexey Minkov
4.74 (69)
An exclusive indicator that utilizes an innovative algorithm to swiftly and accurately determine the market trend. The indicator automatically calculates opening, closing, and profit levels, providing detailed trading statistics. With these features, you can choose the most appropriate trading instrument for the current market conditions. Additionally, you can easily integrate your own arrow indicators into Scalper Inside Pro to quickly evaluate their statistics and profitability. Scalper Inside
Dynamic Forex28 Navigator
Bernhard Schweigert
4.43 (7)
Dynamic Forex28 Navigator - A ferramenta de negociação Forex de última geração. ATUALMENTE 49% DE DESCONTO. Dynamic Forex28 Navigator é a evolução dos nossos indicadores populares de longa data, combinando o poder de três em um: Indicador Advanced Currency Strength28 (695 avaliações) + Advanced Currency IMPULSE com ALERTA (520 avaliações) + Sinais CS28 Combo (Bônus). Detalhes sobre o indicador https://www.mql5.com/en/blogs/post/758844 O que o Next-Generation Strength Indicator oferece?  Tudo
Atomic Analyst
Issam Kassas
5 (3)
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. Manual do utilizador: configurações, entradas e estratégia. 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.
GOLD Impulse with Alert
Bernhard Schweigert
4.64 (11)
Este indicador é uma super combinação dos nossos 2 produtos Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Funciona para todos os períodos de tempo e mostra graficamente impulso de força ou fraqueza para as 8 principais moedas mais um Símbolo! Este Indicador é especializado para mostrar a aceleração da força da moeda para quaisquer símbolos como Ouro, Pares Exóticos, Commodities, Índices ou Futuros. É o primeiro do seu género, qualquer símbolo pode ser adicionado à 9ª
Scalper Vault
Oleg Rodin
5 (36)
Scalper Vault é um sistema profissional de escalpelamento que fornece tudo o que você precisa para um escalpelamento bem-sucedido. Este indicador é um sistema de negociação completo que pode ser usado por comerciantes de forex e opções binárias. O período de tempo recomendado é M5. O sistema fornece sinais de seta precisos na direção da tendência. Ele também fornece sinais superiores e inferiores e níveis de mercado Gann. Os indicadores fornecem todos os tipos de alertas, incluindo notificações
Supply and Demand Dashboard PRO
Bernhard Schweigert
4.8 (20)
Actualmente 40% OFF ! Este painel é uma peça de software muito poderosa que trabalha em múltiplos símbolos e até 9 prazos. Baseia-se no nosso principal indicador (Melhores críticas: Advanced Supply Demand ).   O tablier dá uma óptima visão geral. Mostra:   Valores filtrados da Oferta e da Procura, incluindo a classificação da força da zona, Distâncias de/para as zonas e dentro das zonas, Destaca as zonas aninhadas, Dá 4 tipos de alertas para os símbolos escolhidos em todos os (9) períodos de
Trend Screener
STE S.S.COMPANY
4.79 (95)
Indicador de tendência, solução única inovadora para negociação e filtragem de tendências com todos os recursos de tendências importantes construídos dentro de uma ferramenta! É um indicador multi-timeframe e multi-moedas 100% sem repintura que pode ser usado em todos os símbolos/instrumentos: forex, commodities, criptomoedas, índices e ações. OFERTA POR TEMPO LIMITADO: O indicador Support and Resistance Screener está disponível por apenas US$ 50e vitalício. (Preço original US$ 250) (oferta este
Actualmente 40% OFF ! A melhor solução para qualquer novato ou comerciante especializado! Este software de painel de instrumentos está a funcionar em 28 pares de moedas. É baseado em 2 dos nossos principais indicadores (Advanced Currency Strength 28 e Advanced Currency Impulse). Dá uma grande visão geral de todo o mercado Forex. Mostra valores avançados de força da moeda, velocidade de movimento da moeda e sinais para 28 pares de divisas em todos os (9) períodos de tempo. Imagine como a sua n
Se você comprar este indicador, receberá meu Gerenciador de Operações Profissional   + EA  GRATUITAMENTE. 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. Curso online, manual e download de predefinições. O "Sistema de Trading Inteligente MT5" é uma solução completa de trading projetada para traders novos e experientes. Ele combina mais de 10 indicador
FX Power MT4 NG
Daniel Stein
4.95 (21)
FX Power: Analise a Força das Moedas para Decisões de Negociação Mais Inteligentes Visão Geral FX Power é a sua ferramenta essencial para compreender a força real das principais moedas e do ouro em quaisquer condições de mercado. Identificando moedas fortes para comprar e fracas para vender, FX Power simplifica as decisões de negociação e revela oportunidades de alta probabilidade. Quer você prefira seguir tendências ou antecipar reversões usando valores extremos de Delta, esta ferramenta adap
Volatility Trend System - um sistema de negociação que dá sinais para entradas. O sistema de volatilidade fornece sinais lineares e pontuais na direção da tendência, bem como sinais para sair dela, sem redesenho e atrasos. O indicador de tendência monitora a direção da tendência de médio prazo, mostra a direção e sua mudança. O indicador de sinal é baseado em mudanças na volatilidade e mostra entradas no mercado. O indicador está equipado com vários tipos de alertas. Pode ser aplicado a vários i
El indicador "MR BEAST ALERTAS DE LIQUIDEZ" es una herramienta avanzada diseñada para proporcionar señales y alertas sobre la liquidez del mercado basándose en una serie de indicadores técnicos y análisis de tendencias. Ideal para traders que buscan oportunidades de trading en función de la dinámica de precios y los niveles de volatilidad, este indicador ofrece una visualización clara y detallada en la ventana del gráfico de MetaTrader. Características Principales: Canal ATR Adaptativo: Calcula
RFI levels PRO
Roman Podpora
5 (1)
O indicador mostra com precisão os pontos de reversão e as zonas de retorno de preço onde o   Principais players . Você identifica onde novas tendências estão se formando e toma decisões com máxima precisão, mantendo o controle sobre cada negociação. VERSION MT5     -     Revela seu potencial máximo quando combinado com o indicador   TREND LINES PRO. O que o indicador mostra: Estruturas de reversão e níveis de reversão com ativação no início de uma nova tendência. Exibição dos níveis de   TAKE
PZ Harmonacci Patterns
PZ TRADING SLU
3.17 (6)
Este é sem dúvida o indicador de reconhecimento automático de formação de preço harmônico mais completo que você pode encontrar para a MetaTrader Platform. Ele detecta 19 padrões diferentes, leva as projeções de Fibonacci tão a sério quanto você, exibe a Zona de Reversão Potencial (PRZ) e encontra níveis adequados de stop loss e take-profit. [ Guia de instalação | Guia de atualização | Solução de problemas | FAQ | Todos os produtos ] Detecta 19 formações harmônicas de preços diferentes Traça
Weis Wave with Alert
Trade The Volume Waves Single Member P.C.
4.82 (22)
Rental/Lifetime Package Options and Privileges' Rent Monthly Six Months   Yearly/Lifetime Weis Wave with Speed with Alert+Speed Index x x x Manual  x x x Quick Set up Video x x x Blog x x x Lifetime Updates x x x Setup and Training Material x x Rectangle Break Alert Tool      x Discord Access Channel "The SI traders" x   How to trade info visit:    http://www.tradethevolumewaves.com   ** If you purchase please contact me to setup your  : training Room and  complete manual access.  This is
Apollo Secret Trend é um indicador de tendência profissional que pode ser usado para encontrar tendências em qualquer par e período de tempo. O indicador pode facilmente se tornar seu principal indicador de negociação, que você pode usar para detectar tendências de mercado, não importa qual par ou período de tempo você prefira negociar. Ao usar um parâmetro especial no indicador, você pode adaptar os sinais ao seu estilo de negociação pessoal. O indicador fornece todos os tipos de alertas, inclu
Um indicador técnico que estrutura gráficos e identifica movimentos cíclicos de preços. Pode funcionar em qualquer gráfico. Vários tipos de notificações. Existem setas adicionais no próprio gráfico. Sem redesenhar a história, trabalha no fecho da vela. TF recomendado a partir de M5 e superior. Parâmetros fáceis de utilizar e configurar. Ao utilizar 2 indicadores com parâmetros diferentes, pode utilizá-los sem outros indicadores. Tem 2 parâmetros de entrada Ciclicidade e duração do sinal Estes
Currency Strength Wizard é um indicador muito poderoso que fornece uma solução completa para uma negociação bem-sucedida. O indicador calcula o poder deste ou daquele par forex usando os dados de todas as moedas em vários intervalos de tempo. Esses dados são representados em uma forma de índice de moeda fácil de usar e linhas de energia de moeda que você pode usar para ver o poder desta ou daquela moeda. Tudo o que você precisa é anexar o indicador ao gráfico que deseja negociar e o indicador mo
O sistema PRO Renko é um sistema de negociação altamente preciso especialmente concebido para a negociação de gráficos RENKO. Trata-se de um sistema universal que pode ser aplicado a vários instrumentos de negociação. O sistema neutraliza eficazmente o chamado ruído de mercado, dando-lhe acesso a sinais de inversão precisos. O indicador é muito fácil de usar e tem apenas um parâmetro responsável pela geração de sinal. Você pode facilmente adaptar a ferramenta a qualquer instrumento de negocia
Advanced Supply Demand
Bernhard Schweigert
4.91 (299)
Atualmente com 40% 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
Slayer Binary
Abdulkarim Karazon
5 (1)
Slayer Binary é um indicador de seta de uma vela com opções binárias. Esse indicador não é para quem busca o santo graal, pois é uma abordagem irrealista para o trading em geral. O indicador apresenta uma taxa de acerto constante e, se usado com gestão de dinheiro e uma meta diária, será ainda mais confiável. O indicador vem com muitos recursos listados abaixo: RECURSOS SEM REPINTURA: O indicador não repinta suas setas em tempo real;Uma vez que uma seta é dada, ela permanece lá mesmo que o pre
Trend Lines PRO
Roman Podpora
5 (1)
LINHAS DE TENDÊNCIA PRO       Ajuda a entender onde o mercado está realmente mudando de direção. O indicador mostra inversões de tendência reais e pontos onde os principais participantes retornam ao mercado. Você vê     Linhas BOS     Análise de tendências e níveis-chave em prazos maiores — sem configurações complexas ou ruídos desnecessários. Os sinais não são repintados e permanecem no gráfico após o fechamento da barra. VERSÃO MT 5      -      Revela seu potencial máximo quando emparelhada co
O Top Bottom Tracker é um indicador baseado em algoritmos sofisticados que analisa a tendência do mercado e pode detetar os altos e baixos da tendência / Versão MT5 . O preço aumentará progressivamente até atingir 500$. Próximo preço --> $99 Características Sem repintura Este indicador não altera os seus valores quando chegam novos dados Pares de negociação Todos os pares de forex Timeframe   Todos os timeframes Parâmetros ==== Configuração do indicador ==== Parâmetro de configuração
Currency Strength Exotics
Bernhard Schweigert
4.88 (33)
ACTUALMENTE 20% DE DESCONTO ! A melhor solução para qualquer novato ou comerciante especializado! Este Indicador é especializado para mostrar a força da moeda para quaisquer símbolos como Pares Exóticos de Commodities, Índices ou Futuros. É o primeiro do seu género, qualquer símbolo pode ser adicionado à 9ª linha para mostrar a verdadeira força da moeda de Ouro, Prata, Petróleo, DAX, US30, MXN, TRY, CNH etc. Esta é uma ferramenta de negociação única, de alta qualidade e acessível, porque inco
No Repaint Bext
Andrey Kozak
1 (1)
No Repaint Bext is a ready-made trading system. Shows when to open and when to close trades, as well as in which direction. Every time a green arrow appears, you need to open a buy trade. Close all buy trades when a red arrow appears. The same goes for the opposite direction, every time a red arrow appears, open sell trades and close them all when a green arrow appears. We use the M5 timeframe for trading. You can trade on any cozy pair. This indicator does not repaint and practically does not
Are you looking for a simple and reliable indicator that can help you spot market swing points easily? Do you want clear buy and sell signals that work on any timeframe and any trading instrument? Buy Sell Signal Pro is designed to do exactly that. It helps traders identify important market turning points and understand the current market structure in a clear and easy way. This indicator detects Higher Highs (HH), Higher Lows (HL), Lower Highs (LH), and Lower Lows (LL) so you can quickly see wh
Super Signal – Skyblade Edition Sistema profissional de sinais de tendência sem repintar / sem atraso com taxa de acerto excepcional | Para MT4 / MT5 Funciona melhor em timeframes mais curtos, como 1 minuto, 5 minutos e 15 minutos. Principais características: Super Signal – Skyblade Edition é um sistema inteligente de sinais desenvolvido especificamente para operações com tendência. Utiliza uma lógica de filtragem em múltiplas camadas para detectar apenas movimentos direcionais fortes sustenta
Mais do autor
UT Alart Bot
Menaka Sachin Thorat
4.75 (4)
To get access to MT4 version please click  https://www.mql5.com/en/market/product/130055&nbsp ; - This is the exact conversion from TradingView: "Ut Alart Bot 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 Ut Bot Indicator . #property copyright "This EA is only education purpose only use it ur own risk" #property link " https://sites.google.com/view/automationfx/home " #property versio
FREE
Breakout Master EA
Menaka Sachin Thorat
5 (3)
"The Breakout Master EA is a semi-automatic expert advisor. In semi-automatic mode, you only need to draw support and resistance lines or trendlines, and then the EA handles the trading. You can use this EA for every market and timeframe. However, backtesting is not available in semi-automatic mode. The EA has an option to specify how many trades to open when a breakout occurs. It opens all trades with stop loss and target orders. There is also an optional input for a breakeven function, which
FREE
Recovery Zone Scalper
Menaka Sachin Thorat
2 (1)
SMART RECOVERY EA – FREE Edition (MT5) SMART RECOVERY EA is a FREE Expert Advisor for MetaTrader 5 , developed by Automation FX , created for educational and testing purposes . This EA helps traders understand recovery-based trading logic with both manual control and basic automated support . Key Features (FREE Version) Manual Buy / Sell / Close All buttons Clean information panel with live trade data Basic recovery and trade monitoring logic Simple stochastic-based auto mode Suitable for lea
FREE
Time Range Breakout Strategy The Time Range Breakout strategy is designed to identify and capitalize on market volatility during specific time intervals. This strategy focuses on defining a time range, calculating the high and low within that range, and executing trades when price breaks out of the defined boundaries. It is particularly effective in markets with high liquidity and strong directional movement. Key Features : Customizable Time Range : Users can specify a start time and end time t
Engulfing Finder
Menaka Sachin Thorat
Engulfing Levels Indicator – Smart Entry Zones for High-Probability Trades Overview: The Engulfing Levels Indicator is designed to help traders identify key price levels where potential reversals or trend continuations can occur. This powerful tool combines Engulfing Candle Patterns , Percentage-Based Levels (25%, 50%, 75%) , and Daily Bias Analysis to create high-probability trading zones . Key Features: Engulfing Pattern Detection – Automatically identifies Bullish and Bearish Engulf
FREE
Supertrend With CCI
Menaka Sachin Thorat
Supertrend with CCI Indicator for MQL5 – Short Description The Supertrend with CCI Indicator is a powerful trend-following tool that combines Supertrend for trend direction and CCI for momentum confirmation. This combination helps reduce false signals and improves trade accuracy. Supertrend identifies uptrends and downtrends based on volatility. CCI Filter ensures signals align with market momentum. Customizable Settings for ATR, CCI period, and alert options. Alerts & Notifications via
FREE
Time Range breakout AFX
Menaka Sachin Thorat
Time Range Breakout EA AFX – Precision Trading with ORB Strategy Capture strong market trends with high-precision breakouts using the proven Opening Range Breakout (ORB) strategy! Time Range Breakout EA AFX is a fully automated Expert Advisor that identifies breakout levels within a user-defined trading window and executes trades with precision and safety. No martingale, no grid—just controlled, professional risk management. Why Choose Time Range Breakout EA AFX? Proven ORB Strategy
Trendline Expert MT5
Menaka Sachin Thorat
4 (1)
Trendline EA – Semi & Fully Automatic Trading System Trendline EA is a professional Expert Advisor designed for trading trendlines, support & resistance levels, breakouts, and retests with complete automation or trader control. The EA supports Semi-Automatic and Fully Automatic modes : Semi-Auto: Manually draw trendlines — EA executes trades automatically Full-Auto: EA automatically draws trendlines and support/resistance levels and trades them Limited-Time Offer Launch Discount Price:
Candlestick pattern EA
Menaka Sachin Thorat
Certainly! A candlestick pattern EA is an Expert Advisor that automates the process of identifying specific candlestick patterns on a price chart and making trading decisions based on those patterns. Candlestick patterns are formed by one or more candles on a chart and are used by traders to analyze price movements and make trading decisions.  EA likely scans the price chart for predefined candlestick patterns such as the Hammer, Inverted Hammer, Three White Soldiers, and Evening Star. When it
FREE
Master Breakout EA
Menaka Sachin Thorat
Master Breakout EA Description The Master Breakout EA is a fully automatic Expert Advisor that operates based on breakout strategies involving support and resistance lines or trendlines. The EA manages trades automatically after identifying and responding to breakout scenarios. Features: Trade Management: The EA offers the flexibility to specify the number of trades to open upon a breakout. Each trade is configured with stop loss and target options. An optional breakeven function helps secure p
Filtro:
Sem comentários
Responder ao comentário