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


Recommended products
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
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.26 (58)
This information indicator will be useful for those who always want to be aware of the current situation on the account. The indicator displays data such as profit in points, percentage and currency, as well as the spread for the current pair and the time until the bar closes on the current timeframe. VERSION MT5 - More useful indicators There are several options for placing the information line on the chart: 1. To the right of the price (runs behind the price); 2. As a comment (in the upper
FREE
Forex Market Profile and Vwap
Lorentzos Roussos
4.83 (6)
Volume Profile Indicator / Market Profile Indicator What this is not : FMP is not the classic letter-coded TPO display , does not display the overall chart data profile calculation , and , it does not segment the chart into periods and calculate them. What it does :  Most importantly ,the FMP indicator will process data that resides between the left edge of the user defined spectrum and the right edge of the user defined spectrum. User can define the spectrum by just pulling each end of the indi
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
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
ZP Day Trading Indicator in MT4 The ZP Day Trading Indicator identifies price range zones and displays them using colored boxes on the chart. Price fluctuations within a defined area, between a support and resistance zone, form the trading range zone. This indicator is developed based on the Price Action trading style and, besides marking the zones, provides entry signals for trades. «Indicator Installation & User Guide» MT4 Indicator Installation  | ZP Day Trading Indicator MT5   | ALL Produ
FREE
Only One Trade a Day Indicator MetaTrader 4 The Only One Trade a Day indicator is developed for the MetaTrader 4 platform to generate buy and sell signals.This trading tool analyzes market behavior using two moving averages—one fast and one slow—and displays the generated signals as blue and red arrows directly on the chart. «Indicator Installation & User Guide» MT4 Indicator Installation  |  Only One Trade a Day Indicator MT5   | ALL Products By   TradingFinderLab  | Best MT4 Indicator:   Ref
FREE
QualifiedEngulfing
Ashkan Hazegh Nikrou
QualifiedEngulfing Is Free Version Of ProEngulfing Indicator  ProEngulfing Is Paid Version Of This Indicator  Download It Here . What is Different Between free and paid version of ProEngulfing ?  Free version has limitation of One Signal Per Day Join Koala Trading Solution Channel in mql5 community to find out the latest news about all koala products, join link is below : https://www.mql5.com/en/channels/koalatradingsolution Introducing QualifiedEngulfing   – Your Professional Engulf Pattern In
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
Price Volume Divergence Indicator MetaTrader 4 The Price Volume Divergence Indicator is one of the simplest tools for detecting and trading volume divergences in financial markets. This MT4 signal and forecast indicator automatically identifies both classic and hidden divergences, displaying trading signals directly on the chart.  Bullish signals are marked in blue , while bearish signals are shown in purple . «Indicator Installation & User Guide» MT4 Indicator Installation  |  Price Volume Di
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
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
Positive Volume Oscillator (PVO) MetaTrader 4 The Positive Volume Oscillator (PVO) is a useful technical indicator available in MetaTrader 4. As part of the oscillator category, it focuses on volume fluctuations to anticipate potential price movements. This indicator displays two Exponential Moving Averages (EMAs) with periods of 10 and 2 within its dedicated window. «Indicator Installation & User Guide» MT4 Indicator Installation  |   Positive Volume Oscillator MT5   | ALL Products By  Tradin
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 is an indicator that traces the support and resistance lines of the day using Fibonacci rates. This spectacular indicator creates up to 7 levels of support and resistance through Pivot Point using Fibonacci rates. It is fantastic how the prices respect each level of this support and resistance, where it is possible to perceive possible entry/exit points of an operation. Features Up to 7 levels of support and 7 levels of resistance Set the colors of the levels individually
FREE
Smart FVG (MT4) — Fair Value Gap Detect and visualize Fair Value Gaps (FVGs) with ATR-aware sensitivity and optional alerts. Smart FVG identifies price ranges not overlapped by adjacent candles (FVGs) and displays them on the chart as bullish/bearish zones. Shading and colors are configurable. Optional alerts can notify you when new gaps appear or when existing gaps are filled. This is a   visual analysis tool ; it does not execute trades. Key features Automatic FVG detection and clear chart an
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, is in the marke
FREE
Sideway Trend Indicator for MetaTrader 4 The Sideway Trend Indicator for MetaTrader 4 is a practical analytical tool designed to detect consolidation phases where the market lacks directional movement. During such periods of reduced volatility, the indicator visualizes the range-bound behavior. Once the price breaks out of this sideways phase, the tool issues clear entry signals, enabling traders to act with improved timing and accuracy. «Indicator Installation & User Guide» MT4 Indicator Insta
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 (3)
Main purpose: "Pin Bars" is designed to automatically detect pin bars on financial market charts. A pin bar is a candle with a characteristic body and a long tail, which can signal a trend reversal or correction. How it works: The indicator analyzes each candle on the chart, determining the size of the body, tail and nose of the candle. When a pin bar corresponding to predefined parameters is detected, the indicator marks it on the chart with an up or down arrow, depending on the direction of
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
Buyers of this product also purchase
M1 Sniper
Oleg Rodin
5 (14)
M1 SNIPER is an easy to use trading indicator system. It is an arrow indicator which is designed for M1 time frame. The indicator can be used as a standalone system for scalping on M1 time frame and it can be used as a part of your existing trading system. Though this trading system was designed specifically for trading on M1, it still can be used with other time frames too. Originally I designed this method for trading XAUUSD and BTCUSD. But I find this method helpful in trading other markets a
Gann Made Easy
Oleg Rodin
4.81 (139)
Gann Made Easy is a professional and easy to use Forex trading system which is based on the best principles of trading using the theory of W.D. Gann. The indicator provides accurate BUY and SELL signals including Stop Loss and Take Profit levels. You can trade even on the go using PUSH notifications. PLEASE CONTACT ME AFTER PURCHASE TO GET MY TRADING TIPS PLUS A GREAT BONUS! Probably you already heard about the Gann trading methods before. Usually the Gann theory is a very complex thing not only
SMC Easy Signal
Mohamed Hassan
5 (4)
To celebrate the official release, $65 is the new PROMO price for the first 25 copies (3 left)! After that, the price increases to $120. SMC Easy Signal was built to remove the confusion around the smart money concept by turning structural shifts like BOS (Break of Structure) and CHoCH (Change of Character) into simple buy and sell trading signals. It simplifies market structure trading by automatically identifying breakouts and reversals as they happen, allowing traders to focus on execution
Trend indicator AI
Ramil Minniakhmetov
5 (49)
Trend Ai indicator is great tool that will enhance a trader’s market analysis by combining trend identification with actionable entry points and reversal alerts.  This indicator empowers users to navigate the complexities of the forex market with confidence and precision Beyond the primary signals, Trend Ai indicator identifies secondary entry points that arise during pullbacks or retracements, enabling traders to capitalize on price corrections within the established trend. Important Advantage
Scalper Inside PRO
Alexey Minkov
4.7 (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
Trend Screener
STE S.S.COMPANY
4.79 (95)
Unlock the Power of Trends Trading with the Trend Screener Indicator: Your Ultimate Trend Trading Solution powered by Fuzzy Logic and Multi-Currencies System! Elevate your trading game with the Trend Screener, the revolutionary trend indicator designed to transform your Metatrader into a powerful Trend Analyzer. This comprehensive tool leverages fuzzy logic and integrates over 13 premium features and three trading strategies, offering unmatched precision and versatility. LIMITED TIME OFFER : Tre
Currency Strength Wizard is a very powerful indicator that provides you with all-in-one solution for successful trading. The indicator calculates the power of this or that forex pair using the data of all currencies on multiple time frames. This data is represented in a form of easy to use currency index and currency power lines which you can use to see the power of this or that currency. All you need is attach the indicator to the chart you want to trade and the indicator will show you real str
Day Trader Master is a complete trading system for traders who prefer intraday trading. The system consists of two indicators. The main indicator is the one which is represented by arrows of two colors for BUY and SELL signals. This is the indicator which you actually pay for. I provide the second indicator to my clients absolutely for free. This second indicator is actually a good trend filter indicator which works with any time frame. THE INDICATORS DO NOT REPAINT AND DO NOT LAG! The system is
IQ Gold Gann Levels a non-repainting, precision tool designed exclusively for XAUUSD/Gold intraday trading. It uses W.D. Gann’s square root method to plot real-time support and resistance levels, helping traders spot high-probability entries with confidence and clarity. 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
Dynamic Forex28 Navigator
Bernhard Schweigert
5 (6)
Specials Discount now. The Next Generation Forex Trading Tool. Dynamic Forex28 Navigator is the evolution of our long-time, popular indicators, combining the power of three into one: Advanced Currency Strength28 Indicator (695 reviews) + Advanced Currency IMPULSE with ALERT (520 reviews) + CS28 Combo Signals (recent Bonus) Details about the indicator  https://www.mql5.com/en/blogs/post/758844 What Does The Next-Generation Strength Indicator Offer? Everything you loved about the originals, now
Currently 20% OFF ! Best Solution for any Newbie or Expert Trader! This dashboard software is working on 28 currency pairs plus one. It is based on 2 of our main indicators (Advanced Currency Strength 28 and Advanced Currency Impulse). It gives a great overview of the entire Forex market plus Gold or 1 indices. It shows Advanced Currency Strength values, currency speed of movement and signals for 28 Forex pairs in all (9) timeframes. Imagine how your trading will improve when you can watch the e
Gold Stuff
Vasiliy Strukov
4.85 (263)
Gold Stuff is a trend indicator designed specifically for gold and can also be used on any financial instrument. The indicator does not redraw and does not lag. Recommended time frame H1. At it indicator work full auto  Expert Advisor EA Gold Stuff. You can find it at my profile. Contact me immediately after the purchase to get   personal bonus!  You can get a free copy of our Strong Support and Trend Scanner indicator, please pm. me! Settings  and manual here  Please note that I do not sell my
PZ Harmonacci Patterns
PZ TRADING SLU
3.17 (6)
Trade smarter, not harder: Empower your trading with Harmonacci Patterns This is arguably the most complete harmonic price formation auto-recognition indicator you can find for the MetaTrader Platform. It detects 19 different patterns, takes fibonacci projections as seriously as you do, displays the Potential Reversal Zone (PRZ) and finds suitable stop-loss and take-profit levels. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] It detects 19 different harmonic pric
BUY INDICATOR AND GET NEW EXCLUSIVE EA FOR FREE AS A BONUS! ITALO ARROWS INDICATOR  is the best reversal indicator ever created, and why is that? Using extreme reversal zones on the market to show the arrows and Fibonacci numbers for the Take Profit, also with a panel showing all the information about the signals on the chart, the Indicator works on all time-frames and assets, indicator built after 8 years of experience on forex and many other markets. You know many reversal indicators around t
Currency Strength Exotics
Bernhard Schweigert
4.88 (32)
CURRENTLY 20% OFF ! Best Solution for any Newbie or Expert Trader! This Indicator is specialized to show currency strength for any symbols like Exotic Pairs Commodities, Indexes or Futures. Is first of its kind, any symbol can be added to the 9th line to show true currency strength of Gold, Silver, Oil, DAX, US30, MXN, TRY, CNH etc. This is a unique, high quality and affordable trading tool because we have incorporated a number of proprietary features and a new formula. Imagine how your trading
Advanced Supply Demand
Bernhard Schweigert
4.91 (296)
CURRENTLY 26% OFF !! Best Solution for any Newbie or Expert Trader! This indicator is a unique, high quality and affordable trading tool because we have incorporated a number of proprietary features and a new formula. With this update, you will be able to show double timeframe zones. You will not only be able to show a higher TF but to show both, the chart TF, PLUS the higher TF: SHOWING NESTED ZONES. All Supply Demand traders will love it. :) Important Information Revealed Maximize the potentia
Trend Arrow Super
Aleksandr Makarov
5 (2)
Trend Arrow Super The indicator not repaint or change its data. A professional, yet very easy to use Forex system. The indicator gives accurate BUY\SELL signals. Trend Arrow Super is very easy to use, you just need to attach it to the chart and follow simple trading recommendations. Buy signal: Arrow + Histogram in green color, enter immediately on the market to buy. Sell signal: Arrow + Histogram of red color, enter immediately on the market to sell.
Apollo BuySell Predictor is a professional trading system which includes several trading modules. It provides a trader with breakout zones, fibonacci based support and resistance levels, pivot trend line, pullback volume signals and other helpful features that any trader needs on a daily basis. The system will work with any pair. Recommended time frames are M30, H1, H4. Though the indicator can work with other time frames too except for the time frames higher than H4. The system is universal as
Advanced Currency IMPULSE with ALERT
Bernhard Schweigert
4.91 (487)
CURRENTLY 31% OFF !! Best Solution for any Newbie or Expert Trader! This indicator is a unique, high quality and affordable trading tool because we have incorporated a number of proprietary features and a secret formula. With only ONE chart it gives Alerts for all 28 currency pairs. Imagine how your trading will improve because you are able to pinpoint the exact trigger point of a new trend or scalping opportunity! Built on new underlying algorithms it makes it even easier to identify and confir
FX Power MT4 NG
Daniel Stein
4.95 (19)
FX Power: Analyze Currency Strength for Smarter Trading Decisions Overview FX Power is your go-to tool for understanding the real strength of currencies and Gold in any market condition. By identifying strong currencies to buy and weak ones to sell, FX Power simplifies trading decisions and uncovers high-probability opportunities. Whether you’re looking to follow trends or anticipate reversals using extreme delta values, this tool adapts seamlessly to your trading style. Don’t just trade—trade
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 RSI Shift Zone Scanner identifies moments when market sentiment may change by linking RSI signals with price action. Whenever the RSI moves above or below preset levels (default 70 for overbought, 30 for oversold), the indicator draws a channel directly on the chart. These channels mark
Trend indicators are one of the areas of technical analysis for use in trading on financial markets. The Angular Trend Lines comprehensively determines the trend direction and generates entry signals. In addition to smoothing the average direction of candles, it also uses the slope of the trend lines. The principle of constructing Gann angles was taken as the basis for the slope angle. The technical analysis indicator combines candlestick smoothing and chart geometry. There are two types of tre
Hello Guys, Please check my MQL5 profile page for educational videos/strategies especially if you are going to BackTest the indicator. WinningSpell Indicator (No Repaint) shows Buyers and Sellers activity on any given chart and timeframe of any quote that is available in MT4 platform. It calculates those values by a sophisticated formulae that I have discovered a long time ago and improved over the years. It uses OHLCV values of every M1 bar to make the calculation for any timeframe by a formul
First of all Its worth emphasizing here that this Trading Tool is Non-Repainting Non-Redrawing and Non-Lagging Indicator Which makes it ideal for professional trading . Online course, user manual and demo. The Smart Price Action Concepts Indicator is a very powerful tool for both new and experienced traders . It packs more than 20 useful indicators into one combining advanced trading ideas like Inner Circle Trader Analysis and Smart Money Concepts Trading Strategies . This indicator focuses on
M1 Easy Scalper
Martin Alejandro Bamonte
5 (2)
M1 EASY SCALPER is a scalping indicator specifically designed for the 1-minute (M1) timeframe, compatible with any currency pair or instrument available on your MT4 terminal. Of course, it can also be used on any other timeframe, but it works exceptionally well on M1 (which is challenging!) for scalping. Note: if you're going to scalp, make sure you have an account suitable for it. Do not use Cent or Standard accounts as they have too much spread! (use ECN, RAW, or Zero Spread accounts) Robustn
- Real price is 80$ - 50% Discount (It is 39$ now) -   It is enabled for a week Contact me for extra bonus   tool, instruction or any questions! - Non-repaint, No lag - 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 Introduction W.D. Gann’s theories in technical analysis have fascinated traders for decades. It offers a unique approach beyond traditional chart patterns. This method integrates geom
RelicusRoad Pro
Relicus LLC
4.63 (106)
How many times have you bought a trading indicator with great back-tests, live account performance proof with fantastic numbers and stats all over the place but after using it, you end up blowing your account? You shouldn't trust a signal by itself, you need to know why it appeared in the first place, and that's what RelicusRoad Pro does best! User Manual + Strategies + Training Videos + Private Group with VIP Access + Mobile Version Available A New Way To Look At The Market RelicusRoad is th
Daily Candle Predictor is an indicator that predicts the closing price of a candle. The indicator is primarily intended for use on D1 charts. This indicator is suitable for both traditional forex trading and binary options trading. The indicator can be used as a standalone trading system, or it can act as an addition to your existing trading system. This indicator analyzes the current candle, calculating certain strength factors inside the body of the candle itself, as well as the parameters of
Volatility Trend System - a trading system that gives signals for entries. The volatility system gives linear and point signals in the direction of the trend, as well as signals to exit it, without redrawing and delays. The trend indicator monitors the direction of the medium-term trend, shows the direction and its change. The signal indicator is based on changes in volatility and shows market entries. The indicator is equipped with several types of alerts. Can be applied to various trading ins
Scalper Vault
Oleg Rodin
5 (33)
Scalper Vault is a professional scalping system which provides you with everything you need for successful scalping. This indicator is a complete trading system which can be used by forex and binary options traders. The recommended time frame is M5. The system provides you with accurate arrow signals in the direction of the trend. It also provides you with top and bottom signals and Gann market levels. The indicator provides all types of alerts including PUSH notifications. PLEASE CONTACT ME AFT
More from author
UT Alart Bot
Menaka Sachin Thorat
5 (3)
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 (1)
"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 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
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
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
Filter:
No reviews
Reply to review