• Обзор
  • Отзывы
  • Обсуждение (2)

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


Рекомендуем также
Judas Swing with Confirmation Indices ICT MT4 The Judas Indicator with Confirmation is specifically designed to detect deceptive price movements on the chart. This tool helps traders recognize the true market trend by filtering out fake breakouts, reducing the risk of falling for false signals. By confirming the primary trend within a 1-minute timeframe , it minimizes the chances of traders making incorrect decisions. «Indicator Installation & User Guide» MT4 Indicator Installation  |  Judas Sw
FREE
Show Pips
Roman Podpora
4.27 (56)
Данный информационный индикатор будет полезен тем, кто всегда хочет быть в курсе текущей ситуации на счете. Индикатор отображает такие данные, как прибыль в пунктах, процентах и валюте, а также спред по текущей паре и время до закрытия бара на текущем таймфрейме.  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
TrendPlus
Sivakumar Subbaiya
4.07 (14)
Trend Plus   Trendplus  Indicator   Time Frame: Suitable for any time frame.  Purpose: Trend Prediction. Blue and red candle indicate the buy and sell call respectively. Buy: When the blue candle is formed buy call is initiated. close the buy trades when the next red candle will formed.   Sell: When the Red candle is formed Sell call is initiated. close the Sell trades when the next blue candle will formed.   Happy trade!!
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 ti
FREE
Wicks UpDown Target GJ Wicks UpDown Target GJ is specialized in GJ forex pairs. Choppy movement up and down on the opening range every day.  Trading breakouts on London session and New York session is recommended. Guideline Entry Strategy Idea: Step 1 - Breakout Forming (Warning! Trade on London Session and New York Session) Step 2 - Breakout Starting (Take Action on your trading plan) Step 3 - Partial Close your order & set breakeven (no-risk) Step 4 - Target complete Step 5 - Don't trade
FREE
QualifiedEngulfing - это бесплатная версия индикатора ProEngulfing ProEngulfing - это платная версия индикатора Advance Engulf, загрузите ее здесь. В чем разница между бесплатной и платной версией ProEngulfing ? Бесплатная версия имеет ограничение в один сигнал в день. Представляем QualifiedEngulfing - ваш профессиональный индикатор для распознавания паттернов Engulf для MT4. Разблокируйте мощь точности с QualifiedEngulfing, передовым индикатором, разработанным для выявления и выделения квалиф
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
Multi Divergence Indicator for MT4 - User Guide Introduction Overview of the Multi Divergence Indicator and its capabilities in identifying divergences across multiple indicators. Importance of divergence detection in enhancing trading strategies and decision-making. List of Indicators RSI CCI MACD STOCHASTIC AWSOME MFI ACCELERATOR OSMA MOMENTUM WPR( Williams %R) RVI Indicator Features Indicator Selection:  How to enable/disable specific indicators (RSI, CCI, MACD, etc.) for divergence detectio
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
Introducing the Consecutive Green/Red Candle Alert Indicator for MT4 - Your Trend Spotting Companion! Are you ready to take your trading to the next level? We present the Consecutive Green/Red Candle Alert Indicator, a powerful tool designed to help you spot trends and potential reversals with ease. Whether you're a new trader looking for clarity in the market or an experienced pro seeking additional confirmation, this indicator is your trusted companion. Key Features of the Consecutive Green/Re
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
Super Trend Alert Indicator for MT4 is a powerful tool designed to help traders identify and follow market trends with precision. This indicator uses a proprietary algorithm to analyze price movements and provide clear trend signals, making it suitable for traders across all experience levels. You can find the MT5 version   here You can find the MT5 version here   SuperTrend Multicurrency Scanner MT5 Download the Expert Advisor    Supertrend Strategy EA MT5 Key features of the Super Trend Indic
FREE
Trend arrow Indicator is an arrow Indicator used as an assistant tool for your trading strategy. The indicator analyzes the standard deviation of bar close for a given period and generates a buy or sell signals if the deviation increases. It good to combo with Martingale EA to follow Trend and Sellect Buy Only/Sell Only for EA work Semi-Automatic. You can use this  Indicator with any EAs in my Products.
FREE
Free automatic fibonacci - это индикатор, который автоматически строит коррекции Фибоначчи, основываясь на количестве баров, выбранных в параметре BarsToScan. Линии Фибоначчи автоматически обновляются в реальном времени при появлении новых максимальных и минимальных значений среди выбранных баров. В настройках индикатора можно выбрать уровни, значения которых будут отображены. Также можно выбрать цвет уровней, что позволяет трейдеру прикреплять индикатор несколько раз с разными настройками и цве
FREE
--->  Check all the other products  <--- The Candle Bias is a coloring indicator that doesn't take account of the close price of the bars.  It will color the candle in the bearish color (of your choice) if the downard range is greater than the upward range.  Conversely, it will color the candle in the bullish color of your choice if the upward range is greater than the downward range.  This is a major helper for Multi Time Frame analysis, it works on every security and every Time Frame. You ca
FREE
Pin Bars
Yury Emeliyanov
5 (3)
Основное назначение: "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
MegaTrends
Sivakumar Subbaiya
1 (1)
Megatrends  Indicator   Time Frame: Suitable for any time frame.  Purpose: Trend Prediction. Blue and red color indicate the buy and sell call respectively. Buy: When the blue line is originating it is opened buy call. Sell: When the Red line is origination it is opened sell call Happy trade!! this indicator is suitable for all time frame, but our recommended time frame to use 1hour and 4 hours, suitable for any chart.
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
С этим продуктом покупают
Gann Made Easy - это профессиональная, но при этом очень простая в применении Форекс система, основанная на лучших принципах торговли по методам господина У.Д. Ганна. Индикатор дает точные BUY/SELL сигналы, включающие в себя уровни Stop Loss и Take Profit. Пожалуйста, напишите мне после покупки! Я поделюсь своими рекомендациями по использованию индикатора. Также вас ждет отличный бонусный индикатор в подарок! Вероятно вы уже не раз слышали о торговли по методам Ганна. Как правило теория Ганна от
NOTE: CYCLEMAESTRO is distributed only on this website, there are no other distributors. Demo version is for reference only and is not supported. Full versione is perfectly functional and it is supported CYCLEMAESTRO , the first and only indicator of Cyclic Analysis, useful for giving signals of TRADING, BUY, SELL, STOP LOSS, ADDING. Created on the logic of Serghei Istrati and programmed by Stefano Frisetti ; CYCLEMAESTRO is not an indicator like the others, the challenge was to interpret only t
Gold Stuff
Vasiliy Strukov
4.86 (259)
Gold Stuff - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  По данному индикатору написан советник EA Gold Stuff, Вы можете найти его в моем профиле. Свяжитесь со мной сразу после покупки для получения   персонального бонуса!  Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки
Trend Screener
STE S.S.COMPANY
4.78 (93)
Индикатор тренда, революционное уникальное решение для торговли и фильтрации тренда со всеми важными функциями тренда, встроенными в один инструмент! Это 100% неперерисовывающийся мультитаймфреймный и мультивалютный индикатор, который можно использовать на всех инструментах/инструментах: форекс, товары, криптовалюты, индексы, акции. ПРЕДЛОЖЕНИЕ ОГРАНИЧЕННОГО ВРЕМЕНИ: Индикатор скринера поддержки и сопротивления доступен всего за 50$ и бессрочно. (Изначальная цена 250$) (предложение продлено) Tre
Инновационный индикатор, использующий эксклюзивный алгоритм для быстрого и точного определения тренда. Индикатор автоматически рассчитывает время открытия и закрытия позиций, а также подробную статистику работы индикатора на заданном отрезке истории, что позволяет выбрать наилучший торговый инструмент для торговли. Вы также можете подключить свои пользовательские стрелочные индикаторы к Scalper Inside Pro для проверки и расчета их статистики и прибыльности. Инструкция и настройки: Читать... Осно
FX Volume
Daniel Stein
4.6 (35)
FX Volume: Оцените подлинную динамику рынка глазами брокера Краткий обзор Хотите вывести свою торговлю на новый уровень? FX Volume дает вам информацию в реальном времени о том, как розничные трейдеры и брокеры распределяют свои позиции — задолго до появления запаздывающих отчетов типа COT. Независимо от того, стремитесь ли вы к стабильной прибыли или ищете дополнительное преимущество на рынке, FX Volume поможет выявлять крупные дисбалансы, подтверждать пробои и совершенствовать управление риск
PUMPING STATION – Ваша персональная стратегия "всё включено" Представляем PUMPING STATION — революционный индикатор Forex, который превратит вашу торговлю в увлекательный и эффективный процесс! Это не просто помощник, а полноценная торговая система с мощными алгоритмами, которые помогут вам начать торговать более стабильно! При покупке этого продукта вы БЕСПЛАТНО получаете: Эксклюзивные Set-файлы: Для автоматической настройки и максимальной эффективности. Пошаговое видео-руководство: Научитесь т
TPSproTREND PrO
Roman Podpora
4.68 (25)
Точки входа по закрытию бара,   без перерисовки .  Сканер трендов   по всем активам,   режим MTF  и многое другое в одном инструменте. Рекомендуем использовать вместе с   RFI LEVELS. ИНСТРУКЦИЯ RUS   /   INSTRUCTIONS  ENG         /      VERSION MT5     Основные функции: Точные сигналы на вход БЕЗ ПЕРЕРИСОВКИ! Если сигнал появился, он остается актуальным! Это важное отличие от индикаторов с перерисовкой, которые могут предоставить сигнал, а затем изменить его, что может привести к потере средств
Advanced Supply Demand
Bernhard Schweigert
4.91 (294)
Этот индикатор является уникальным, качественным и доступным инструментом для торговли, включающим в себя наши собственные разработки и новую формулу. В обновленной версии появилась возможность отображать зоны двух таймфреймов. Это означает, что вам будут доступны зоны не только на старшем ТФ, а сразу с двух таймфреймов - таймфрейма графика и старшего: отображение вложенных зон. Обновление обязательно понравится всем трейдерам, торгующим по зонам спроса и предложения. Важная информация Для макс
Специальное предложение! https://www.mql5.com/ru/users/bossik2810 System Trend Pro - Это лучший индикатор торговли по тренду!!! Индикатор не перерисовывается и не изменяет свои данные! В индикаторе есть   MTF   режим, что добавляет нам уверенности торговли по тренду(сигналы тоже не перерисовываются) Как торговать? Всё очень просто, ждём первый сигнал ( большая стрелка), потом дожидаемся второго сигнала ( маленькая стрелка) и входим в рынок по направлению стрелки. (См. скрин 1 и 2.) Выход по о
В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 20%! Лучшее решение для новичка или трейдера-эксперта! Этот индикатор специализирован для отображения силы валюты для любых символов, таких как экзотические пары, товары, индексы или фьючерсы. Впервые в своем роде, любой символ может быть добавлен в 9-ю строку, чтобы показать истинную силу валюты золота, серебра, нефти, DAX, US30, MXN, TRY, CNH и т.д. Это уникальный, высококачественный и доступный торговый инструмент, потому что мы включили в него ряд собственных функци
В настоящее время скидка 20%! Лучшее решение для новичка или трейдера-эксперта! Эта приборная панель работает на 28 валютных парах. Он основан на 2 наших основных индикаторах (Advanced Currency Strength 28 и Advanced Currency Impulse). Он дает отличный обзор всего рынка Forex. Он показывает значения Advanced Currency Strength, скорость движения валюты и сигналы для 28 пар Forex на всех (9) таймфреймах. Представьте, как улучшится ваша торговля, когда вы сможете наблюдать за всем рынком с помощ
GOLD Impulse with Alert
Bernhard Schweigert
4.6 (10)
Этот индикатор является супер комбинацией двух наших продуктов Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Он работает на всех временных рамках и графически показывает импульс силы или слабости для 8 основных валют плюс один символ! Этот индикатор специализирован для отображения ускорения силы валюты для любых символов, таких как золото, экзотические пары, товары, индексы или фьючерсы. Первый в своем роде, любой символ может быть добавлен в 9-ю строку, чтобы показат
Внутридневная стратегия, основанная на двух фундаментальных принципах рынка. В основе алгоритма лежит анализ объемов и ценовых волн с применением дополнительных фильтров. Интеллектуальный алгоритм индикатора дает сигнал только тогда, когда два рыночных фактора объединяются в одно целое. Индикатор рассчитывает волны определенного диапазона, а уже для подтверждения волны индикатор использует анализ по объемам. Данный индикатор - это готовая торговая система. Все что нужно от трейдера - следовать с
Специальное предложение! https://www.mql5.com/ru/users/bossik2810 Trend Arrow Super Индикатор не перерисовывается и не изменяет свои данные. Профессиональная,но при этом очень простая в применение Форекс система.Индикатор даёт точные BUY\SELL сигналы. Trend Arrow Super очень прост в применение,вам нужно просто прикрепить его на график и следовать простым рекомендация по торговле. Сигнал на покупку: Стрелка + гистограмма зеленого цвета, входим сразу по рынку на покупку. Сигнал на продажу: Стре
FX Power: Анализируйте силу валют для более эффективной торговли Обзор FX Power — это ваш незаменимый инструмент для понимания реальной силы валют и золота в любых рыночных условиях. Определяя сильные валюты для покупки и слабые для продажи, FX Power упрощает принятие торговых решений и выявляет высоковероятные возможности. Независимо от того, хотите ли вы следовать за трендами или предсказывать развороты с использованием экстремальных значений дельты, этот инструмент идеально адаптируется под
StalkeR Arrow
Abdulkarim Karazon
5 (3)
StalkeR Arrow — это стрелочный индикатор, который подает сигналы на покупку и продажу при открытии бара/внутри бара. Этот индикатор основан на паттернах ценового действия и фракталах. Этот индикатор дает tp и sl для каждого сигнала на покупку и продажу, tp и sl представлены в виде линий выше и ниже каждого сигнала, они продолжаются до тех пор, пока не будет сформирован новый сигнал. Этот индикатор имеет панель/панель бэктестинга, которая дает статистику выигрышей/проигрышей исторических сигна
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
Golden Trend Indicator
Noha Mohamed Fathy Younes Badr
5 (10)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
Dynamic Forex28 Navigator — инструмент для торговли на рынке Форекс нового поколения. В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 49%. Dynamic Forex28 Navigator — это эволюция наших популярных индикаторов, объединяющая мощь трех в одном: Advanced Currency Strength28 Indicator (695 отзывов) + Advanced Currency IMPULSE with ALERT (520 отзывов) + CS28 Combo Signals (бонус). Подробности об индикаторе https://www.mql5.com/en/blogs/post/758844 Что предлагает индикатор Strength нового поколения?  Все, что вам нравило
Разворотные зоны / Пиковые объемы / Активные зоны крупного игрока =  ТС TPSPROSYSTEM ИНСТРУКЦИЯ RUS  /  INSTRUCTIONS  ENG        /        Version MT5    Каждый покупатель этого индикатора получает дополнительно БЕСПЛАТНО:  3 месяцев доступа к торговым сигналам от сервиса RFI SIGNALS — готовые точки входа по алгоритму TPSproSYSTEM. Обучающие материалы с регулярными обновлениями — погружение в стратегию и рост профессионального уровня. Круглосуточная поддержка в будние дни (24/5) и доступ в закр
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
Hit Rate Top Bottom Signal Hit Rate Top Bottom Signal Hit Rate Top Bottom Signal предлагает абсолютно инновационный подход. Идеально подходит для тех, кто хочет заранее оценить, как сигнал работает с определенным TP-SL, и в каких парах/таймфреймах он показывает лучшие результаты. Стратегия Hit Rate Top Bottom Signal — это важный инструмент для любого трейдера и любого типа торговли , потому что она не только предоставляет точные, не перерисовывающиеся сигналы , четко указывая, когда и в каком на
Market Structure Break Out (MSB) — это продвинутый инструмент, разработанный для платформ MT4 и MT5 , который помогает трейдерам анализировать движение рынка через призму рыночной структуры. Он определяет и отображает ключевые торговые сигналы с помощью стрелок и оповещений как по направлению тренда , так и против него (сигналы на разворот). Одной из его главных функций является построение непрерывных зон спроса и предложения , что даёт трейдерам чёткое представление о ключевых уровнях цены. Кр
Currency Strength Wizard — очень мощный индикатор, предоставляющий вам комплексное решение для успешной торговли. Индикатор рассчитывает силу той или иной форекс-пары, используя данные всех валют на нескольких тайм фреймах. Эти данные представлены в виде простых в использовании индексов валют и линий силы валют, которые вы можете использовать, чтобы увидеть силу той или иной валюты. Все, что вам нужно, это прикрепить индикатор к графику, на котором вы хотите торговать, и индикатор покажет вам ре
Представляем       Индикатор Quantum Trend Sniper   , инновационный индикатор MQL5, который меняет способ определения разворотов тренда и торговли ими! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Снайперский индикатор Quantum Trend       разработан, чтобы вывести ваше торговое путешествие на новые высоты благодаря инновационному способу определения разворотов тренда с чрезвычайно высокой точностью. ***Купите индикатор Quantum Trend Sniper и получите индикатор Qu
IQ FX Gann Levels a precision trading indicator based on W.D. Gann’s square root methods. It plots real-time, non-repainting support and resistance levels to help traders confidently spot intraday and scalping opportunities with high accuracy. William Delbert Gann (W.D. Gann) was an exceptional market analyst, whose trading technique was based on a complex blend of mathematics, geometry, astrology, and ancient mathematics which proved to be extremely accurate. Download the Metatrader 5 Version M
Попробуйте "Chart Patterns All in One" в режиме демо и получите бонус. Отправьте мне сообщение после тестирования в режиме демо, чтобы получить бонус. Оставьте комментарий после покупки, чтобы получить 8 высококачественных индикатора в качестве бонуса. Индикатор Chart Patterns All-in-One помогает трейдерам визуализировать различные графические модели, которые широко используются в техническом анализе. Он помогает определить возможное поведение рынка, но не гарантирует прибыльность. Рекомендуетс
В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 26% Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и новую формулу. С помощью всего лишь ОДНОГО графика вы можете определить силу валюты для 28 пар Форекс! Представьте, как улучшится ваша торговля, потому что вы сможете точно определить точку запуска нового тренда или возможность скальпирования? Руководство пользователя:  
PRO Renko System - это высокоточная система торговли на графиках RENKO. Система универсальна. Данная торговая система может применяться к различным торговым инструментам. Система эффективно нейтрализует так называемый рыночный шум, открывая доступ к точным разворотным сигналам. Индикатор прост в использовании и имеет лишь один параметр, отвечающий за генерацию сигналов. Вы легко можете адаптировать алгоритм к интересующему вас торговому инструменту и размеру ренко бара. Всем покупателям с удовол
Другие продукты этого автора
Time Range Breakout EA AFX – Precision Trading with ORB Strategy! Capture Market Trends with High-Precision Breakouts! Time Range Breakout EA AFX is a powerful and fully automated trading system based on the Opening Range Breakout (ORB) strategy. It identifies key market movements and executes trades with precision and safety —without risky martingale or grid methods! Why Choose Time Range Breakout EA AFX? Proven ORB Strategy – Used by professional traders worldwide. No Martingale /
UT Alart Bot
Menaka Sachin Thorat
5 (1)
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
"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
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 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
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
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
Фильтр:
Нет отзывов
Ответ на отзыв