• Übersicht
  • Bewertungen
  • Diskussion

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


Empfohlene Produkte
Show Pips
Roman Podpora
4.24 (54)
Dieser Informationsindikator ist nützlich für diejenigen, die immer über die aktuelle Situation auf dem Konto informiert sein möchten. Der Indikator zeigt Daten wie Gewinn in Punkten, Prozentsatz und Währung sowie den Spread für das aktuelle Paar und die Zeit bis zum Schließen des Balkens im aktuellen Zeitrahmen an. VERSION MT5 -   Weitere nützliche Indikatoren Für die Platzierung der Informationslinie im Diagramm gibt es mehrere Möglichkeiten: Rechts vom Preis (läuft hinter dem Preis); Als Kom
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
TrendPlus
Sivakumar Subbaiya
4 (13)
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
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 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
Ashkan Hazegh Nikrou
QualifiedEngulfing - ist die kostenlose Version des ProEngulfing -Indikators. ProEngulfing - ist die kostenpflichtige Version des Advance Engulf-Indikators. Laden Sie ihn hier herunter. Was ist der Unterschied zwischen der kostenlosen und der kostenpflichtigen Version von ProEngulfing ? Die kostenlose Version hat die Einschränkung von einem Signal pro Tag. Vorstellung von QualifiedEngulfing - Ihr professioneller Engulf-Muster-Indikator für MT4 Entfesseln Sie die Kraft der Präzision mit Qualifie
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
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 ist ein Indikator, der die Unterstützungs- und Widerstandslinien des Tages mithilfe von Fibonacci-Kursen verfolgt. Dieser spektakuläre Indikator erzeugt bis zu 7 Unterstützungs- und Widerstandsebenen durch Pivot Point unter Verwendung von Fibonacci-Kursen. Es ist fantastisch, wie die Preise jedes Niveau dieser Unterstützung und dieses Widerstands respektieren, wo es möglich ist, mögliche Einstiegs- / Ausstiegspunkte einer Operation zu erkennen. Merkmale Bis zu 7 Unterstü
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
NGUYEN NGHIEM DUY
3.33 (9)
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 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
--->  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 (2)
Hauptzweck: "Pin Bars" wurde entwickelt, um Pin Bars auf Finanzmarktdiagrammen automatisch zu erkennen. Eine Stiftleiste ist eine Kerze mit einem charakteristischen Körper und einem langen Schwanz, die eine Trendumkehr oder -korrektur signalisieren kann. Funktionsweise: Der Indikator analysiert jede Kerze auf dem Diagramm und bestimmt die Größe von Körper, Schwanz und Nase der Kerze. Wenn eine Stiftleiste erkannt wird, die vordefinierten Parametern entspricht, markiert der Indikator sie auf de
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 often ac
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
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
Cumulative Delta MT4
Evgeny Shevtsov
4.93 (28)
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
Willkommen zu unserem   Preiswellenmuster   MT4 – (ABCD-Muster) –     Das ABCD-Muster ist ein leistungsstarkes und weit verbreitetes Handelsmuster in der Welt der technischen Analyse. Es handelt sich um ein harmonisches Preismuster, das Händler nutzen, um potenzielle Kauf- und Verkaufschancen auf dem Markt zu identifizieren. Mit dem ABCD-Muster können Händler potenzielle Preisbewegungen vorhersehen und fundierte Entscheidungen darüber treffen, wann sie Geschäfte eingehen und beenden. EA-Versio
FREE
Follow The Line
Oliver Gideon Amofa Appiah
4.07 (14)
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
ADR Bands
Navdeep Singh
4.5 (2)
Average daily range, Projection levels, Multi time-frame ADR bands shows levels based on the selected time-frame. Levels can be used as projections for potential targets, breakouts or reversals depending on the context in which the tool is used. Features:- Multi time-frame(default = daily) Two coloring modes(trend based or zone based) Color transparency  
FREE
Color Macd Tf
Syarif Nur Arief
MACD is well known indicator that still can be use for prediction where price will go next few minutes, hours or even weekly  With colored bar of Macd, your eyes can easily catch when color is changed based what market price movement to find any early trend on market. here is the parameter of the indicator: TF_MACD , default is 1 Hour , this mean you can see clearly MACD of 1 Hour TimeFrame on Lower TimeFrame. InpPrice , default is Price Close , this is original MACD parameter from Metaquotes st
FREE
Virtual Targets
Hoang Van Dien
3.83 (6)
This indicator is very useful for day traders or short term traders. No need to calculate the number of pips manually, just look at the chart and you will see the Virtual Take Profit / Virtual Stop Loss target line and evaluate whether the entry point is feasible to reach the intended target or not. Enter the intended Take Profit / Stop Loss pips for your trade. The indicator will display Virtual Take Profit / Virtual Stop Loss lines for you to easily see if the target is feasible or not.
FREE
Käufer dieses Produkts erwarben auch
Gann Made Easy
Oleg Rodin
4.81 (102)
Gann Made Easy ist ein professionelles und einfach zu bedienendes Forex-Handelssystem, das auf den besten Handelsprinzipien unter Verwendung der Theorie von Mr. basiert. W.D. Gann. Der Indikator liefert genaue KAUF- und VERKAUFSsignale, einschließlich Stop-Loss- und Take-Profit-Levels. Mit PUSH-Benachrichtigungen können Sie auch unterwegs handeln. Bitte kontaktieren Sie mich nach dem Kauf! Ich werde meine Handelstipps und tolle Bonusindikatoren kostenlos mit Ihnen teilen! Wahrscheinlich haben Si
Golden Trend Indicator
Noha Mohamed Fathy Younes Badr
5 (8)
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
- Lifetime update free - Real price is 80$ - 40% Discount ( It is 49$ now ) Contact me for instruction, add group and any questions! Related Products:  Bitcoin Expert , Gold Expert - Non-repaint 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 traders do two main things, the first is to avoid false breakouts. Many false breakouts start with a candlestick
FX Volume
Daniel Stein
4.58 (33)
FX Volume: Erleben Sie den echten Marktüberblick aus der Sicht eines Brokers Kurzüberblick Möchten Sie Ihre Handelsstrategie auf das nächste Level bringen? FX Volume liefert Ihnen Echtzeit-Einblicke in die Positionierung von Retail-Tradern und Brokern — lange bevor verzögerte Berichte wie der COT verfügbar sind. Ob Sie nach beständigen Gewinnen streben oder einfach einen tieferen Vorteil am Markt suchen, FX Volume hilft Ihnen, große Ungleichgewichte zu erkennen, Breakouts zu bestätigen und Ihr
TPSproTREND PrO
Roman Podpora
4.79 (19)
TPSpro TREND PRO   ist ein Trendindikator, der den Markt automatisch analysiert und Informationen über den Trend und jede seiner Änderungen liefert sowie Signale für den Einstieg in Geschäfte ohne Neuzeichnung gibt! Der Indikator verwendet jede Kerze und analysiert sie separat. bezieht sich auf verschiedene Impulse – Aufwärts- oder Abwärtsimpuls. Exakte Einstiegspunkte in Transaktionen für Währungen, Krypto, Metalle, Aktien, Indizes! Version MT5                   VOLLSTÄNDIGE BESCHREIBUNG DES I
Scalper Inside PRO
Alexey Minkov
4.75 (60)
!SPECIAL SALE!  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
FX Power MT4 NG
Daniel Stein
5 (15)
FX Power: Analysieren Sie die Stärke von Währungen für intelligentere Handelsentscheidungen Übersicht FX Power ist Ihr unverzichtbares Werkzeug, um die tatsächliche Stärke von Währungen und Gold unter allen Marktbedingungen zu verstehen. Indem Sie starke Währungen kaufen und schwache verkaufen, vereinfacht FX Power Ihre Handelsentscheidungen und deckt Chancen mit hoher Wahrscheinlichkeit auf. Ob Sie Trends folgen oder extreme Delta-Werte nutzen, um Umkehrungen zu prognostizieren, dieses Tool p
TPSpro RFI Levels
Roman Podpora
4.82 (22)
ANWEISUNGEN    Russland -    ENG    Die Empfehlung basiert auf dem Indikator -   TPSpro   TREND PRO -   Version MT5 Die wichtigsten Elemente in der Branche sind entweder in Zonen oder in der Fabrik enthalten, oder sie führen zu einer Lösung bei einem Kauf oder dem Verkauf eines anderen Instruments. Wenn viele Menschen ihre Rechte nicht auf dem Händlerkonto verschlüsseln, werden die Folgen nicht schnell genug sein. Ich habe es damit abgeschlossen, dass ich diese Folgen nun noch interpretieren un
Trend Screener
STE S.S.COMPANY
4.81 (89)
Trendindikator, bahnbrechende, einzigartige Lösung für Trendhandel und -filterung mit allen wichtigen Trendfunktionen in einem Tool! Es handelt sich um einen 100 % nicht neu zu malenden Multi-Timeframe- und Multi-Währungs-Indikator, der für alle Symbole/Instrumente verwendet werden kann: Forex, Rohstoffe, Kryptowährungen, Indizes und Aktien. ZEITLICH BEGRENZTES ANGEBOT: Der Support- und Resistance-Screener-Indikator ist für nur 50 $ und lebenslang verfügbar. (Ursprünglicher Preis 250 $) (Angebot
FX Dynamic: Bringen Sie Ihre Marktanalyse mit Adaptiver Präzision auf das nächste Level Kurzüberblick Möchten Sie Ihren Trading-Vorteil schärfen? FX Dynamic liefert Echtzeit-Insights, die sich an die Marktbewegungen anpassen, und reagiert augenblicklich auf jeden Tick der Live-Daten in MetaTrader. Ob Sie nach konstanter Performance streben oder einfach zuverlässigere Signale möchten: FX Dynamic hilft Ihnen, zentrale Chancen zu erkennen, Ein- und Ausstiege zu verfeinern und das Risiko noch präz
Dynamic Forex28 Navigator
Bernhard Schweigert
5 (4)
Dynamic Forex28 Navigator – Das Forex-Handelstool der nächsten Generation AKTUELL 49 % RABATT. Dynamic Forex28 Navigator ist die Weiterentwicklung unserer seit langem beliebten Indikatoren und vereint die Leistung von drei in einem: Advanced Currency Strength28 Indicator (695 Bewertungen) + Advanced Currency IMPULSE mit ALERT (520 Bewertungen) + CS28 Combo Signals (Bonus) Details zum Indikator https://www.mql5.com/en/blogs/post/758844 Was bietet der Strength Indicator der nächsten Generation?
FX Levels: Außerordentlich präzise Unterstützungs- und Widerstandszonen für alle Märkte Kurzüberblick Suchen Sie eine verlässliche Methode, um Support- und Resistance-Level in jedem Markt zu identifizieren—egal ob Währungspaare, Indizes, Aktien oder Rohstoffe? FX Levels vereint die traditionelle „Lighthouse“-Methode mit einem modernen dynamischen Ansatz und bietet nahezu universelle Genauigkeit. Durch unsere Erfahrung mit echten Brokern sowie automatischen täglichen und Echtzeit-Updates hilft
Entry Points Pro
Yury Orlov
4.61 (169)
Dies ist ein Indikator für MT4, der genaue Signale für den Einstieg in einen Handel ohne Repainting (Neuzeichnen) liefert. Er kann auf alle Finanzwerte angewendet werden: Forex, Kryptowährungen, Metalle, Aktien, Indizes. Er liefert ziemlich genaue Schätzungen und sagt Ihnen, wann es am besten ist, eine Position zu eröffnen und zu schließen. Sehen Sie sich das Video (6:22) mit einem Beispiel für die Verarbeitung nur eines Signals an, das sich für den Indikator gelohnt hat! Die meisten Händler ver
Easy Breakout
Mohamed Hassan
5 (8)
4 copies left before price increases to $120! 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 zone
Bull versus Bear
Mohamed Hassan
4.5 (18)
Enjoy a   50% OFF   Christmas holiday sale!   Send us a message after your purchase to receive more information on how to get your  BONUS  for FREE  that works in great combination with Bull vs Bear ! Bull versus Bear is an easy-to-use Forex indicator that gives traders clear and accurate signals based on clear trend retests . Forget about lagging indicators or staring at charts for hours because  Bull vs Bear provides real-time entries with no lag and no repaint, so you can trade with confide
Scalper Vault
Oleg Rodin
5 (27)
Scalper Vault ist ein professionelles Scalping-System, das Ihnen alles bietet, was Sie für erfolgreiches Scalping benötigen. Dieser Indikator ist ein komplettes Handelssystem, das von Forex- und Binäroptionshändlern verwendet werden kann. Der empfohlene Zeitrahmen ist M5. Das System liefert Ihnen genaue Pfeilsignale in Richtung des Trends. Es liefert Ihnen auch Top- und Bottom-Signale und Gann-Marktniveaus. Die Indikatoren bieten alle Arten von Warnungen, einschließlich PUSH-Benachrichtigungen.
TrendMaestro
Stefano Frisetti
5 (3)
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link:  https://www.mql5.com/it/market/product/108106 TRENDMAESTRO ver 2.4 TRENDMAESTRO recognizes a new TREND in the bud, he never makes mistakes. The certainty of identifying a new TREND is priceless. DESCRIPTION TRENDMAESTRO identifies a new TREND in the bud, this indicator examines the volatility, volumes and momentum to identify the moment in which there is an explosion of one or more of these data a
Advanced Supply Demand
Bernhard Schweigert
4.91 (294)
Derzeit 33% Rabatt! Die beste Lösung für jeden Anfänger oder erfahrenen Händler! Dieser Indikator ist ein einzigartiges, qualitativ hochwertiges und erschwingliches Trading-Tool, da wir eine Reihe von proprietären Funktionen und eine neue Formel integriert haben. Mit diesem Update werden Sie in der Lage sein, doppelte Zeitrahmenzonen anzuzeigen. Sie können nicht nur einen höheren TF (Zeitrahmen) anzeigen, sondern sowohl den Chart-TF als auch den höheren TF: SHOWING NESTED ZONES. Alle Supply Dema
Gold Stuff
Vasiliy Strukov
4.86 (247)
Gold Stuff-Ein Trendindikator, der speziell für Gold entwickelt wurde, kann auch auf allen Finanzinstrumenten verwendet werden. Der Indikator wird nicht neu gezeichnet und verzögert sich nicht. Empfohlener Zeitrahmen H1. Nach diesem Indikator geschrieben EA Gold Stuff Berater, können Sie es in meinem Profil finden. WICHTIG! Kontaktieren Sie mich sofort nach dem Kauf, um Anweisungen und Bonus zu erhalten!   Sie können eine kostenlose Kopie unseres Strong Support- und Trendscanner-Indikators er
GOLD Impulse with Alert
Bernhard Schweigert
4.6 (10)
Dieser Indikator ist eine hervorragende Kombination aus unseren 2 Produkten Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Es funktioniert für alle Zeitrahmen und zeigt grafisch Impulse der Stärke oder Schwäche für die 8 wichtigsten Währungen plus ein Symbol! Dieser Indikator ist darauf spezialisiert, die Beschleunigung der Währungsstärke für beliebige Symbole wie Gold, Exotische Paare, Rohstoffe, Indizes oder Futures anzuzeigen. Als erster seiner Art kann jedes Symbol
Owl smart levels
Sergey Ermolov
4.34 (35)
MT5-Version  |  FAQ Der   Owl Smart Levels Indikator   ist ein komplettes Handelssystem innerhalb eines Indikators, der so beliebte Marktanalysetools wie die   fortschrittlichen Fraktale von Bill Williams , Valable ZigZag, das die   richtige Wellenstruktur   des Marktes aufbaut, und   Fibonacci-Levels , die die genauen Einstiegslevels markieren, enthält in den Markt und Orte, um Gewinne mitzunehmen. Detaillierte Strategiebeschreibung Anleitung zur Verwendung des Indikators Berater-Assistent im
Hinterlassen Sie nach dem Kauf einen Kommentar, um 4 hochwertige Indikatoren als Bonus zu erhalten. Der Chart Patterns All-in-One Indikator hilft Tradern, verschiedene Chartmuster, die häufig in der technischen Analyse verwendet werden, zu visualisieren. Dieser Indikator unterstützt die Identifizierung möglicher Marktbewegungen, garantiert jedoch keine Rentabilität. Es wird empfohlen, den Indikator vor dem Kauf im Demomodus zu testen. Aktuelles Angebot : 50 % Rabatt auf den "Chart Patterns All i
The Grand Signal indicator is a unique tool that not only provides an understanding of market behavior but also precisely identifies trend entry points after intraday correction limits, with accuracy down to a five-minute candlestick! It includes individual settings for each currency pair. After purchasing, be sure to message me directly for instructions! Telegram: @Lapinsania or here in the Market! In the settings, define the standard daily movement: EURUSD: 110 GBPUSD: 70 AUDUSD: 115 NZDUSD: 1
Zunächst einmal ist es wichtig zu betonen, dass dieses Handelstool ein Nicht-Repaint-, Nicht-Redraw- und Nicht-Verzögerungsindikator ist, was es ideal für professionelles Trading macht. Online-Kurs, Benutzerhandbuch und Demo. Der Smart Price Action Concepts Indikator ist ein sehr leistungsstarkes Werkzeug sowohl für neue als auch erfahrene Händler. Er vereint mehr als 20 nützliche Indikatoren in einem und kombiniert fortgeschrittene Handelsideen wie die Analyse des Inner Circle Traders und Stra
Golden Arrow Scalper
Felipe Jose Costa Pereira
5 (1)
GOLDEN ARROW SCALPER! Hauptmerkmale: Präzise Einstiegssignale : Identifizieren Sie die idealen Momente für den Markteinstieg basierend auf mathematischen Berechnungen, um Ihre Handelsentscheidungen zu optimieren. Sofortige Benachrichtigungen : Erhalten Sie Echtzeit-Soundbenachrichtigungen, sobald Handelssignale generiert werden. Anpassbare Einstellungen : Passen Sie die Parameter der EMAs an, um den Indikator an Ihre Strategie und Ihren Handelsstil anzupassen. Intuitive Visualisierung : Nutzen
FX Gunslinger
Oleg Rodin
5 (2)
Forex Gunslinger ist ein KAUF/VERKAUF-Umkehrsignalindikator, der auf der Idee basiert, Unterstützung/Widerstand, Überkreuzungen und Oszillatoren im MTF-Modus zu kombinieren. Wenn alles ausgerichtet ist, generiert der Indikator ein KAUF- oder VERKAUFSsignal. Obwohl der Indikator auf der MTF-Idee basiert, ist der Algorithmus sehr stabil und generiert zuverlässige Umkehrsignale. Dies ist ein Indikator vom Typ MTF, bei dem ein höherer oder niedrigerer Zeitrahmen zur Berechnung der Signale für Ihr ak
Stratos Pali
Michela Russo
5 (1)
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
Ultimate Sniper Dashboard
Hispraise Chinedum Abraham
4.82 (22)
Ermäßigt auf $299! Die Preise können in Zukunft steigen! Lesen Sie die Beschreibung unten! Bestes Einstiegssystem für Ultimate Sniper Dashboard: ULTIMATIVE DYNAMISCHE EBENEN. (Bitte überprüfen Sie meine Produkte) Das Ultimate Sniper Dashboard funktioniert NUR auf Live-Märkten aufgrund der MT4 Multicurrency Testlimits. Wir stellen Ihnen das Ultimate-Sniper Dashboard vor! Unser bestes, das sowohl HA-Sniper, MA-Sniper und viele spezielle Modi enthält. Das Ultimate Sniper Dashboard ist ein absolu
PRO Renko System ist ein hochpräzises Handelssystem, das speziell für den Handel mit RENKO-Charts entwickelt wurde. Dies ist ein universelles System, das auf verschiedene Handelsinstrumente angewendet werden kann. Das System neutralisiert effektiv so genannte Marktgeräusche, die Ihnen Zugang zu genauen Umkehrsignalen geben. Der Indikator ist sehr einfach zu bedienen und hat nur einen Parameter, der für die Signalerzeugung verantwortlich ist. Sie können das Tool einfach an jedes Handelsinstrum
Order Block Hunter
Noha Mohamed Fathy Younes Badr
5 (9)
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
Weitere Produkte dieses Autors
UT Alart Bot
Menaka Sachin Thorat
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
Time Range breakout AFX
Menaka Sachin Thorat
Time Range Breakout EA AFX Expert Advisor Unlock the power of precision trading with the proven ORB (Opening Range Breakout) strategy! The   Time Range Breakout EA AFX   is a cutting-edge tool for day traders, expertly crafted to combine simplicity with performance. Unlike conventional Expert Advisors, it avoids risky Martingale or grid systems, focusing solely on a robust breakout logic. This ensures capital protection while capturing market trends during key time ranges, especially the morning
Breakout Master EA
Menaka Sachin Thorat
"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
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
Auswahl:
Keine Bewertungen
Antwort auf eine Rezension