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());
           }
     }
  }
//+------------------------------------------------------------------+ 


Рекомендуем также
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)
Данный информационный индикатор будет полезен тем, кто всегда хочет быть в курсе текущей ситуации на счете. Индикатор отображает такие данные, как прибыль в пунктах, процентах и валюте, а также спред по текущей паре и время до закрытия бара на текущем таймфрейме.  VERSION MT5 -  Больше полезных индикаторов Существует несколько вариантов расположения информационной строки на графике: Справа от цены (бегает за ценой); Как комментарий (в левом верхнем углу графика); В выбранном углу экрана. Так же
FREE
Профиль рынка Форекс (сокращенно FMP) Чем это не является: FMP не является классическим отображением TPO с буквенным кодом, не отображает общий расчет профиля данных диаграммы и не сегментирует диаграмму на периоды и не вычисляет их. Что оно делает : Что наиболее важно, индикатор FMP будет обрабатывать данные, которые находятся между левым краем спектра, определяемого пользователем, и правым краем спектра, определяемого пользователем. Пользователь может определить спектр, просто потянув мышь
FREE
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 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 - это бесплатная версия индикатора ProEngulfing ProEngulfing - это платная версия индикатора Advance Engulf, загрузите ее здесь. В чем разница между бесплатной и платной версией ProEngulfing ? Бесплатная версия имеет ограничение в один сигнал в день. Представляем QualifiedEngulfing - ваш профессиональный индикатор для распознавания паттернов Engulf для MT4. Разблокируйте мощь точности с QualifiedEngulfing, передовым индикатором, разработанным для выявления и выделения квалиф
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
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
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
Pivot Point Fibo RSJ - это индикатор, который отслеживает линии поддержки и сопротивления дня с использованием ставок Фибоначчи. Этот впечатляющий индикатор создает до 7 уровней поддержки и сопротивления через точку разворота с использованием ставок Фибоначчи. Замечательно, как цены уважают каждый уровень этой поддержки и сопротивления, где можно определить возможные точки входа / выхода из операции. Функции До 7 уровней поддержки и 7 уровней сопротивления Устанавливайте цвета уровней индивид
FREE
Triple RSI
Pablo Leonardo Spata
1 (1)
LOOK AT THE FOLLOWING STRATEGY   WITH THIS INDICATOR.   Triple RSI   is a tool that uses the classic Relative Strength Indicator, but in several timeframes to find market reversals.    1.  ️ Idea behind the indicator and its strategy: In Trading, be it Forex or any other asset, the ideal is   to keep it simple, the simpler the better . The   triple RSI   strategy is one of the simple strategies that seek market returns. In our experience, where there is more money to always be won, i
FREE
Индикатор Smart FVG для MT4 – Продвинутое определение Fair Value Gap для MetaTrader 4 Индикатор Smart FVG для MetaTrader 4 обеспечивает профессиональное обнаружение, мониторинг и оповещение о Fair Value Gap (FVG) прямо на ваших графиках. Он сочетает фильтрацию на основе ATR со структурно-ориентированной логикой, чтобы убрать шум, адаптироваться к ликвидности и оставлять только наиболее значимые дисбалансы для точных торговых решений. Ключевые преимущества Точное обнаружение FVG: находит реальн
FREE
Enhanced Volume Profile: The Ultimate Order Flow & Liquidity Analysis Tool Overview Enhanced Volume Profile   is an indicator for MetaTrader 5 that displays the traded volume at specific price levels over a defined period. It separates the total volume into buy and sell components, presenting them as a side-by-side histogram on the chart. This allows users to observe the volume distribution and the proportion of buy and sell volumes at each price level. Graphics Rendering The indicator uses t
FREE
Free automatic fibonacci - это индикатор, который автоматически строит коррекции Фибоначчи, основываясь на количестве баров, выбранных в параметре BarsToScan. Линии Фибоначчи автоматически обновляются в реальном времени при появлении новых максимальных и минимальных значений среди выбранных баров. В настройках индикатора можно выбрать уровни, значения которых будут отображены. Также можно выбрать цвет уровней, что позволяет трейдеру прикреплять индикатор несколько раз с разными настройками и цве
FREE
Pin Bars
Yury Emeliyanov
5 (4)
Основное назначение: "Pin Bars" предназначен для автоматического обнаружения пин-баров на графиках финансовых рынках. Пин-бар – это свеча с характерным телом и длинным хвостом, которая может сигнализировать о развороте тренда или коррекции. Принцип работы: Индикатор анализирует каждую свечу на графике, определяя размер тела, хвоста и носа свечи. При обнаружении пин-бара, соответствующего заранее определенным параметрам, индикатор отмечает его на графике стрелкой вверх или вниз, в зависимости от
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
Выделяет торговые сессии на графике Демо-версия работает только на графике AUDNZD !!! Полная версия продукта доступна по адресу: (*** будет добавлено ***) Trading Sessions Indicator (Индикатор торговых сессий) отображает начала и окончания четырех торговых сессий: тихоокеанской, азиатской, европейской и американской. возможностью пользовательской настройки начала/окончания сессий; возможность отображения только выбранных сессий; работает на M1-H2 таймфреймах; В индикаторе можно настроить следую
FREE
Индикатор анализирует шкалу объёмов и разделяет её на две компоненты - объёмы продавцов и объёмы покупателей, а также вычисляет дельту и кумулятивную дельту. Индикатор не мерцает и не перерисовывает, вычисления и отрисовку производит достаточно быстро, используя при этом данные с младших (относительно текущего) периодов. Режимы работы индикатора переключаются с помощью входной переменной Mode : Buy - отображает только объёмы покупателей. Sell - отображает только объёмы продавцов. BuySell - отобр
FREE
Добро пожаловать в наш   ценовой волновой паттерн   MT4 --(ABCD Pattern)--     Паттерн ABCD является мощным и широко используемым торговым паттерном в мире технического анализа. Это гармонический ценовой паттерн, который трейдеры используют для определения потенциальных возможностей покупки и продажи на рынке. С помощью паттерна ABCD трейдеры могут предвидеть потенциальное движение цены и принимать обоснованные решения о том, когда открывать и закрывать сделки. Версия советника:   Price Wave E
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
-- Просто, но эффективно. Индикатор инверсии - Что это такое? Индикатор, следующий за трендом, который сочетает в себе логику SuperTrend и технологию экспоненциальной кривой. Он определяет направление тренда, рисует динамический канал на графике и отправляет оповещения в режиме реального времени, когда тренд меняется. Как он работает? Индикатор рассчитывает экспоненциальную базовую линию с использованием ATR и коэффициента SuperTrend. Когда цена закрывается выше или ниже этой базовой линии, п
FREE
Candle Countdown — Accurate Time to Close for MT4 Candle Countdown — это простой и точный инструмент, который показывает оставшееся время до закрытия текущей свечи прямо на графике. Когда вход зависит от момента закрытия свечи, даже несколько секунд имеют значение. Этот индикатор позволяет видеть точное время и принимать решения без спешки и догадок. Индикатор для точного контроля времени закрытия свечи. Индикатор показывает: время до закрытия текущей свечи текущее серверное время спред Stop Le
FREE
Если вам нравится этот проект, оставьте 5-звездочный обзор. Данный показатель рисует открытые, высокие, низкие и закрывающие цены на указанные период и его можно отрегулировать для специфического часового пояса. Это важные уровни, которые выглядят многие институциональные и профессиональные трейдеры и могут быть полезны для вас, чтобы знать места, где они могут быть больше активный. Доступные периоды: Предыдущий день. Предыдущая неделя. Предыдущий месяц. Предыдущий квартал. Предыдущий год. Или
FREE
С этим продуктом покупают
Gann Made Easy - это профессиональная, но при этом очень простая в применении Форекс система, основанная на лучших принципах торговли по методам господина У.Д. Ганна. Индикатор дает точные BUY/SELL сигналы, включающие в себя уровни Stop Loss и Take Profit. ПОЖАЛУЙСТА, СВЯЖИТЕСЬ СО МНОЙ ПОСЛЕ ПОКУПКИ, ЧТОБЫ ПОЛУЧИТЬ ТОРГОВЫЕ ИНСТРУКЦИИ И ОТЛИЧНЫЕ ДОПОЛНИТЕЛЬНЫЕ ИНДИКАТОРЫ БЕСПЛАТНО! Вероятно вы уже не раз слышали о торговли по методам Ганна. Как правило теория Ганна отпугивает от себя не только н
M1 SNIPER — это простая в использовании торговая система. Это стрелочный индикатор, разработанный для тайм фрейма M1. Индикатор можно использовать как отдельную систему для скальпинга на тайм фрейме M1, а также как часть вашей существующей торговой системы. Хотя эта торговая система была разработана специально для торговли на M1, ее можно использовать и с другими тайм фреймами. Первоначально я разработал этот метод для торговли XAUUSD и BTCUSD. Но я считаю этот метод полезным и для торговли на д
Инновационный индикатор, использующий эксклюзивный алгоритм для быстрого и точного определения тренда. Индикатор автоматически рассчитывает время открытия и закрытия позиций, а также подробную статистику работы индикатора на заданном отрезке истории, что позволяет выбрать наилучший торговый инструмент для торговли. Вы также можете подключить свои пользовательские стрелочные индикаторы к Scalper Inside Pro для проверки и расчета их статистики и прибыльности. Инструкция и настройки: Читать... Осно
Ultimate Sniper Dashboard
Hispraise Chinedum Abraham
4.82 (22)
Скидка $299! Цены могут вырасти в будущем! Читайте описание ниже! Лучшая система ввода для Ultimate Sniper Dashboard: ПРЕДЕЛЬНЫЕ ДИНАМИЧЕСКИЕ УРОВНИ. (Пожалуйста, проверьте мои продукты) Ultimate Sniper Dashboard работает ТОЛЬКО на реальных рынках из-за ограничений мультивалютного тестирования MT4. Представляем вам Ultimate-Sniper Dashboard! Наша самая лучшая панель, которая содержит HA-Sniper, MA-Sniper и множество специальных режимов. Ultimate Sniper Dashboard - это абсолютный зверь! Лучшее
After purchase, contact me privately to receive 1 month of free testing with EA Forex Proton! This advanced MT4 trading robot automatically executes signals from any MT4 indicator, including Market Makers. The latest version also includes AI integration, allowing each trade signal to be analyzed using Artificial Intelligence. Live Signal with EA Forex Proton: Click here Market Makers is a powerful price action trading system designed to identify high-probability Buy and Sell opportunities based
Trend Screener
STE S.S.COMPANY
4.79 (95)
Индикатор тренда, революционное уникальное решение для торговли и фильтрации тренда со всеми важными функциями тренда, встроенными в один инструмент! Это 100% неперерисовывающийся мультитаймфреймный и мультивалютный индикатор, который можно использовать на всех инструментах/инструментах: форекс, товары, криптовалюты, индексы, акции. ПРЕДЛОЖЕНИЕ ОГРАНИЧЕННОГО ВРЕМЕНИ: Индикатор скринера поддержки и сопротивления доступен всего за 50$ и бессрочно. (Изначальная цена 250$) (предложение продлено) Tre
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Super Signal – Skyblade Edition Профессиональная система трендовых сигналов без перерисовки и без задержек с исключительным процентом выигрышей | Для MT4 / MT5 Лучше всего работает на младших таймфреймах, таких как 1 минута, 5 минут и 15 минут. Основные характеристики: Super Signal – Skyblade Edition — это интеллектуальная система сигналов, специально разработанная для трендовой торговли. Она использует многоуровневую фильтрацию, чтобы выявлять только сильные направленные движения, подкреплённ
Trend indicator AI
Ramil Minniakhmetov
4.53 (83)
Индикатор Trend Ai - отличный инструмент, который улучшит анализ рынка трейдером, сочетая идентификацию тренда с точками входа и предупреждениями о развороте. Этот индикатор позволяет пользователям уверенно и точно ориентироваться в сложностях рынка Форекс Помимо первичных сигналов, индикатор Trend Ai определяет вторичные точки входа, возникающие во время откатов или коррекций, позволяя трейдерам извлекать выгоду из коррекции цены в рамках установленного тренда. Важные преимущества: · Работае
Представляем ON Trade Waves Patterns Harmonic Elliot Wolfe, передовой индикатор, разработанный для обнаружения разнообразных рыночных паттернов с использованием как ручных, так и автоматизированных методов. Вот как это работает: Гармонические паттерны: Этот индикатор может определять гармонические паттерны, появляющиеся на вашем графике. Эти паттерны важны для трейдеров, практикующих теорию гармонической торговли, как это описано в книге Скотта Карни "Гармоническая Торговля том 1 и 2". Независи
Индикатор " Dynamic Scalper System " разработан для скальпингового метода торговли внутри трендовых волн. Тестировался на основных валютных парах и золоте, возможна совместимость с другими торговыми инструментами. Дает сигналы для кратковременного открытия позиций по тренду с дополнительным сопровождением движения цены. Принцип действия индикатора. Большие стрелки определяют направление тренда. Внутри трендовых волн действует алгоритм генерации сигналов для скальпинга в виде маленьких стрело
PRO Renko System - это высокоточная система торговли на графиках RENKO. Система универсальна. Данная торговая система может применяться к различным торговым инструментам. Система эффективно нейтрализует так называемый рыночный шум, открывая доступ к точным разворотным сигналам. Индикатор прост в использовании и имеет лишь один параметр, отвечающий за генерацию сигналов. Вы легко можете адаптировать алгоритм к интересующему вас торговому инструменту и размеру ренко бара. Всем покупателям с удовол
ИНСТРУКЦИЯ RUS  /  INSTRUCTIONS  ENG   -    VERSION  MT5 Основные функции: Отображения активных зон продавцов и покупателей! Индикатор отображает все правильные первые импульсные уровни/зоны для покупок и продаж. При активации этих уровней/зон, где начинается поиск точек входа, уровни изменяют цвет и заливаются определенными цветами. Также появляются стрелки для более интуитивного восприятия ситуации. LOGIC AI - Отображения зон (кружки) поиска точек входа при активации шаблона   Для улучшения ви
BTMM State Engine Pro is a MetaTrader 4 indicator for traders who use the Beat The Market Maker approach: Asian session context, kill zone timing, level progression, peak formation detection, and a multi-pair scanner from a single chart. It combines cycle state logic with a built-in scanner dashboard so you do not need the same tool on many charts at once. What it does Draws the Asian session range; session times can follow broker server offset or be set in inputs. Tracks level progression (L
Linear Trend Predictor - Трендовый индикатор сочетающий в себе точки для входа и линии поддержки направления. Работает по принципу пробития ценового канала High/Low. Алгоритм индикатора фильтрует рыночный шум, учитывает волатильность и рыночную динамику. Возможности индикатора Методами сглаживания показывает рыночную тенденцию и точки входа для открытия ордеров BUY или SELL. Подходит для определения краткосрочных и долгосрочных движений рынка, анализируя графики на любых таймфреймах. Адаптивн
В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 40% Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и новую формулу. С помощью всего лишь ОДНОГО графика вы можете определить силу валюты для 28 пар Форекс! Представьте, как улучшится ваша торговля, потому что вы сможете точно определить точку запуска нового тренда или возможность скальпирования? Руководство пользователя:  
Easy Breakout
Mohamed Hassan
4.71 (14)
After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!    Easy Breakout is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the Breakout strategy ! This indicator delivers crystal-clear Buy and Sell signals based on breakouts from key support and resistance zones. Unlike typical breakout indicators, it levera
Volatility Trend System - торговая система дающая сигналы для входов.  Система волатильности дает линейные и точечные сигналы в направлении тренда, а также сигналы выхода из него, без перерисовки и запаздываний. Трендовый индикатор следит за направлением среднесрочной тенденции, показывает направление и ее изменение. Сигнальный индикатор основан на изменении волатильности, показывает входы в рынок. Индикатор снабжен несколькими типами оповещений. Может применяться к различным торговым инструмен
TREND LINES PRO помогает понять, где рынок действительно меняет направление. Индикатор показывает реальные развороты тренда и места, где крупные участники входят повторно. Вы видите BOS-линии смены тренда и ключевые уровни старших таймфреймов — без сложных настроек и лишнего шума. Сигналы не перерисовываются и остаются на графике после закрытия бара. VERSION MT 5     -     Раскрывает свой максимальный потенциал в связке с индикатором  RFI LEVELS PRO Что показывает индикатор: Реальные смены   тр
GOLD Impulse with Alert
Bernhard Schweigert
4.67 (12)
Этот индикатор является супер комбинацией двух наших продуктов Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Он работает на всех временных рамках и графически показывает импульс силы или слабости для 8 основных валют плюс один символ! Этот индикатор специализирован для отображения ускорения силы валюты для любых символов, таких как золото, экзотические пары, товары, индексы или фьючерсы. Первый в своем роде, любой символ может быть добавлен в 9-ю строку, чтобы показат
Order Block Hunter
Noha Mohamed Fathy Younes Badr
5 (10)
Order block hunter indicator is the best indicator for  hunt the order blocks that area where there has been a large concentration of limit orders waiting to be executed Order blocks are identified on a chart by observing previous price action and looking for areas where the price experienced significant movement or sudden changes in direction .This indicator does that for you by using very complicated codes and helps you to take the best areas To buy and sell because it make marks at the best a
- Real price is 80$ - 40% Discount (It is 49$ now) Contact me for instruction, add group and any questions! - Non-repaint - I just sell my products in Elif Kaya profile, any other websites are stolen old versions, So no any new updates or support. - Lifetime update free Related product:   Bitcoin Expert Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help tr
KT Gaussian Trend Filter сочетает в себе гауссовскую фильтрацию с линейной регрессией для получения точного и ясного анализа тренда. Он генерирует простые сигналы на покупку и продажу, одновременно подчеркивая долгосрочное направление рынка. Особенности Полностью настраиваемый гауссовский фильтр: Регулируйте длину и количество полюсов для тонкой настройки сглаживания и четкости тренда. Улучшение линейной регрессией: Дальнейшее сглаживание сигнала для минимизации ложных сигналов на фоне рыночной
Special offer : ALL TOOLS , just $35 each! New tools   will be   $30   for the   first week   or the   first 3 purchases !  Trading Tools Channel on MQL5 : Join my MQL5 channel to update the latest news from me Индикатор Volumetric Order Blocks Multi Timeframe – мощный инструмент, предназначенный для трейдеров, стремящихся получить глубокие инсайты о рыночном поведении, выявляя ключевые ценовые области, где значительные участники рынка накапливают ордера. Эти области, известные как объемные бло
Advanced Supply Demand
Bernhard Schweigert
4.91 (299)
Специальное предложение – скидка 40% Этот индикатор является уникальным, качественным и доступным инструментом для торговли, включающим в себя наши собственные разработки и новую формулу. В обновленной версии появилась возможность отображать зоны двух таймфреймов. Это означает, что вам будут доступны зоны не только на старшем ТФ, а сразу с двух таймфреймов - таймфрейма графика и старшего: отображение вложенных зон. Обновление обязательно понравится всем трейдерам, торгующим по зонам спроса и пре
Route Lines Prices - индикатор разработанный для поиска направлений цены. Простой интерфейс индикатора содержит в себе множество алгоритмов поведения цены и расчет будущих направлений. В алгоритмах содержатся расчеты волатильности и сглаживание цены в соответствии с используемыми тайм-фреймами. Индикатор имеет единственный параметр для изменения значений " Calculating price values ". Значение по умолчанию 1 имеет сбалансированную автоматическую форму расчетов, которой можно пользоваться без с
Stratos Pali
Michela Russo
4.43 (7)
Stratos Pali Indicator   is a revolutionary tool designed to enhance your trading strategy by accurately identifying market trends. This sophisticated indicator uses a unique algorithm to generate a complete histogram, which records when the trend is Long or Short. When a trend reversal occurs, an arrow appears, indicating the new direction of the trend. Important Information Revealed Leave a review and contact me via mql5 message to receive My Top 5 set files for Stratos Pali at no cost! Dow
В настоящее время скидка 40%! Лучшее решение для новичка или трейдера-эксперта! Эта приборная панель работает на 28 валютных парах. Он основан на 2 наших основных индикаторах (Advanced Currency Strength 28 и Advanced Currency Impulse). Он дает отличный обзор всего рынка Forex. Он показывает значения Advanced Currency Strength, скорость движения валюты и сигналы для 28 пар Forex на всех (9) таймфреймах. Представьте, как улучшится ваша торговля, когда вы сможете наблюдать за всем рынком с помощ
Daily Candle Predictor - это индикатор, который предсказывает цену закрытия свечи. Прежде всего индикатор предназначен для использования на графиках D1. Данный индикатор подходит как для традиционной форекс торговли, так и для торговли бинарными опционами. Индикатор может использоваться как самостоятельная торговая система, так может выступать в качестве дополнения к вашей уже имеющейся торговой системе. Данный индикатор производит анализ текущей свечи, рассчитывая определенные факторы силы внут
Volumatic Fair Value Gaps   is a precision-engineered indicator for identifying, analyzing, and visualizing   Fair Value Gaps (FVGs)   backed by volume intelligence. This tool goes beyond standard FVG plotting by dissecting volume dynamics inside each gap using   lower-timeframe sampling , offering clear insight into whether bulls or bears dominate the imbalance. Designed for technical traders, this indicator overlays high-probability gaps only, visualizes   bullish vs. bearish volume compositio
Другие продукты этого автора
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:
Breakout Master EA
Menaka Sachin Thorat
5 (4)
"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
UT Alart Bot EA
Menaka Sachin Thorat
UTBot EA is an automated trading system for MetaTrader 5. It includes built-in UTBot logic, Heiken Ashi integration, and a multi-filter system (MA, RSI, MACD, ADX). The system operates on any symbol and timeframe with two available trading modes: Normal and Martingale. Features No external indicators required Built-in ATR based UTBot signal generation Filter system using MA, RSI, MACD and ADX Trailing stop and breakeven management Trading hours filter Spread filter Real-time account monitoring
FREE
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
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
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
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
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 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
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 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
Фильтр:
Нет отзывов
Ответ на отзыв