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


Önerilen ürünler
This indicator help to mark the high and low of the session Asian,London,Newyork , with custom hour setting This indicator is set to count from minute candle so it will move with the current market and stop at the designated hour and create a accurate line for the day. below is the customization that you can adjust : Input Descriptions EnableAsian Enables or disables the display of Asian session high and low levels. EnableLondon Enables or disables the display of London session high and
FREE
SX Supply Demand Zones accurately identifies and draws high-probability Supply and Demand zones using a sophisticated algorithm. Unlike traditional indicators that clutter your chart, this indicator is designed with a focus on performance and a clean user experience. New Unique Feature: Interactive Legend System What truly sets this indicator apart from everything else is the Interactive Control Legend. You have a professional dashboard directly on your chart that allows you to: Show/Hide: Ins
FREE
Show Pips
Roman Podpora
4.26 (58)
Bu bilgi göstergesi her zaman hesaptaki güncel durumdan haberdar olmak isteyenler için faydalı olacaktır. Gösterge, puan cinsinden kâr, yüzde ve para birimi gibi verilerin yanı sıra mevcut çiftin spreadini ve mevcut zaman diliminde çubuğun kapanmasına kadar geçen süreyi görüntüler. VERSİYON MT5 -   Daha kullanışlı göstergeler Bilgi satırını grafiğe yerleştirmek için birkaç seçenek vardır: Fiyatın sağında (fiyatın arkasında); Yorum olarak (grafiğin sol üst köşesinde); Ekranın seçilen köşesinde.
FREE
Forex Piyasası Profili (kısaca FMP) Bu ne değildir: FMP, klasik harf kodlu TPO ekranı değildir, genel grafik veri profili hesaplamasını görüntülemez ve grafiği periyotlara bölmez ve hesaplamaz. Bu ne yapar : En önemlisi, FMP göstergesi, kullanıcı tanımlı spektrumun sol kenarı ile kullanıcı tanımlı spektrumun sağ kenarı arasında bulunan verileri işleyecektir. Kullanıcı, fare ile göstergenin her iki ucunu çekerek spektrumu tanımlayabilir. Göstergeler sağ kenar canlı çubuğa ve daha uzağa (gelec
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 is a technical indicator based on Moving average with period 34 and very easy to use. When price crosses above MA and MA changes color to green, it’s a signal to buy. When price crosses below MA and MA changes color to red, it’s a signal to sell. The Expert advisor ( Rainbow EA MT4) based on Rainbow MT4 indicator, as you can see in the short video below is now available here .
FREE
The Rayol Code Hour Interval Lines indicator was designed to assist your trading experience. It draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing traders a more comprehensive view of price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local time in re
FREE
QualifiedEngulfing
Ashkan Hazegh Nikrou
QualifiedEngulfing, ProEngulfing Göstergesi'nin ücretsiz sürümüdür. ProEngulfing , Advance Engulf Göstergesi'nin ücretli sürümüdür. İndirin buradan. ProEngulfing'in ücretsiz ve ücretli sürümleri arasındaki fark nedir? Ücretsiz sürümünde bir gün içinde bir sinyal kısıtlaması bulunmaktadır. QualifiedEngulfing Tanıtımı - MT4 İçin Profesyonel Engulf Deseni Göstergeniz QualifiedEngulfing ile precision gücünü serbest bırakın; forex piyasasındaki nitelikli engulf desenlerini belirlemek ve vurgulamak i
FREE
PZ Penta O MT4
PZ TRADING SLU
2.33 (3)
The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
FREE
Market Profile 3
Hussien Abdeltwab Hussien Ryad
3 (2)
Market Profile 3 MetaTrader 4 indicator  — is a classic Market Profile implementation that can show the price density over time, outlining the most important price levels, value area, and control value of a given trading session. This indicator can be attached to timeframes between M1 and D1 and will show the Market Profile for daily, weekly, monthly, or even intraday sessions. Lower timeframes offer higher precision. Higher timeframes are recommended for better visibility. It is also possible t
FREE
This indicator alerts you when/before new 1 or 5 minute bar candle formed. In other words,this indicator alerts you every 1/5 minutes. This indicator is especially useful for traders who trade when new bars formed. *This indicator don't work propery in strategy tester.Use this in live trading to check functionality. There is more powerful Pro version .In Pro version,you can choose more timeframe and so on. Input Parameters Alert_Or_Sound =Sound ----- Choose alert or sound or both to notify y
FREE
Discover the power of precision and efficiency in your trading with the " Super Auto Fibonacci " MT4 indicator. This cutting-edge tool is meticulously designed to enhance your technical analysis, providing you with invaluable insights to make informed trading decisions. Key Features: Automated Fibonacci Analysis: Say goodbye to the hassle of manual Fibonacci retracement and extension drawing. "Super Auto Fibonacci" instantly identifies and plots Fibonacci levels on your MT4 chart, saving you tim
FREE
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
Colored Candle Time
Saeed Hatam Mahmoudi
Candle Time (MT4) The Candle Time indicator shows the remaining time for the current candle on the active chart timeframe. It adapts automatically to the chart period and updates on every tick. This is a charting utility; it does not provide trading signals and does not guarantee any profit. Main functions Display the time remaining for the current candle on any timeframe (M1 to MN). Color-coded state: green when price is above the open (up), gray when unchanged, and red when below the open (do
FREE
Auto TP SL Manul Open Panding Orders Overview: AUto TP SL Manul Open Panding Orders is an innovative trading platform designed to enhance trading efficiency and effectiveness in managing financial investments. Key Features: Automated Management : Seamlessly manage take-profit (TP) and stop-loss (SL) orders with our advanced automation tools. Manual Adjustments : Maintain control with manual options, allowing traders to adjust orders according to market conditions.
FREE
Head and Shoulders Pattern Indicator - Your Key to Recognizing Trend Reversals Unlock the power of pattern recognition with the "Head and Shoulders Pattern Indicator." This cutting-edge tool, designed for MetaTrader, is your trusted ally in identifying one of the most powerful chart patterns in technical analysis. Whether you're a novice or an experienced trader, this indicator simplifies the process of spotting the Head and Shoulders pattern, allowing you to make informed trading decisions. Key
FREE
Pivot Point Fibo RSJ, Fibonacci oranlarını kullanarak günün destek ve direnç çizgilerini izleyen bir göstergedir. Bu muhteşem gösterge, Fibonacci oranlarını kullanarak Pivot Point üzerinden 7 seviyeye kadar destek ve direnç oluşturur. Fiyatların, bir operasyonun olası giriş/çıkış noktalarını algılamanın mümkün olduğu bu destek ve direncin her bir düzeyine uyması harika. Özellikleri 7 seviyeye kadar destek ve 7 seviye direnç Seviyelerin renklerini ayrı ayrı ayarlayın Girişler Pivot Tipi Pivo
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
Smart FVG Indicator MT4 – MetaTrader 4 için Gelişmiş Fair Value Gap Tespiti Smart FVG Indicator MT4, MetaTrader 4 grafikleri üzerinde Fair Value Gap (FVG) alanlarını profesyonel düzeyde tespit eder, izler ve uyarılar üretir. ATR tabanlı filtreleme ile piyasa yapısını dikkate alan akıllı bir algoritmayı birleştirerek gürültüyü azaltır, likiditeye uyum sağlar ve sadece en önemli dengesizlikleri bırakarak daha net işlem kararları almanıza yardımcı olur. Başlıca avantajlar Doğru FVG tespiti: Sadec
FREE
Free automatic Fibonacci is an indicator that automatically plots a Fibonacci retracement based on the number of bars you select on the BarsToScan setting in the indicator. The Fibonacci is automatically updated in real time as new highest and lowest values appears amongst the selected bars. You can select which level values to be displayed in the indicator settings. You can also select the color of the levels thus enabling the trader to be able to attach the indicator several times with differe
FREE
Pin Bars
Yury Emeliyanov
5 (4)
Temel amaç: "Pin Çubukları", finansal piyasa grafiklerindeki pin çubuklarını otomatik olarak algılamak için tasarlanmıştır. Bir pim çubuğu, karakteristik bir gövdeye ve uzun bir kuyruğa sahip, bir trendin tersine çevrilmesini veya düzeltilmesini işaret edebilen bir mumdur. Nasıl çalışır: Gösterge, grafikteki her mumu analiz ederek mumun gövdesinin, kuyruğunun ve burnunun boyutunu belirler. Önceden tanımlanmış parametrelere karşılık gelen bir pim çubuğu algılandığında, gösterge, pim çubuğunun y
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
Fiyat Dalga Modeli   MT4 --(ABCD Modeli)--   hoş geldiniz     ABCD modeli, teknik analiz dünyasında güçlü ve yaygın olarak kullanılan bir ticaret modelidir. Tüccarların piyasadaki potansiyel alım ve satım fırsatlarını belirlemek için kullandıkları uyumlu bir fiyat modelidir. ABCD modeliyle, tüccarlar potansiyel fiyat hareketlerini tahmin edebilir ve alım satımlara ne zaman girip çıkacakları konusunda bilinçli kararlar verebilir. EA Sürümü :   Price Wave EA MT4 MT5 sürümü:   Price Wave Patter
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
-- Basit ama etkili. Tersine Dönüş Göstergesi - Nedir? SuperTrend mantığını üstel eğri teknolojisiyle birleştiren, trendi takip eden bir üst katman göstergesidir. Trend yönünü algılar, grafikte dinamik bir kanal çizer ve trend tersine döndüğünde gerçek zamanlı uyarılar gönderir. Nasıl çalışır? Gösterge, ATR ve SuperTrend faktörünü kullanarak üstel bir temel çizgi hesaplar. Fiyat bu temel çizginin üzerinde veya altında kapandığında, trendin tersine döndüğü teyit edilir. Yeşil ok, AL trendinin
FREE
High Low Open Close MT4
Alexandre Borela
4.81 (21)
Bu projeyi seviyorsanız, 5 yıldız incelemesi bırakın. Bu gösterge açık, yüksek, düşük ve belirtilen fiyatlar için çizer Dönem ve belirli bir zaman bölgesi için ayarlanabilir. Bunlar birçok kurumsal ve profesyonel tarafından görünen önemli seviyelerdir. tüccarlar ve daha fazla olabileceği yerleri bilmeniz için yararlı olabilir Aktif. Mevcut dönemler şunlardır: Önceki gün. Önceki Hafta. Önceki Ay. Previous Quarter. Önceki yıl. Veya: Mevcut gün. Hafta. Şimdi Ay. Şimdiki Mahallesi. Bugün yıl.
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
Bu ürünün alıcıları ayrıca şunları da satın alıyor
Gann Made Easy
Oleg Rodin
4.83 (155)
Gann Made Easy , bay teorisini kullanarak ticaretin en iyi ilkelerine dayanan, profesyonel ve kullanımı kolay bir Forex ticaret sistemidir. WD Gann. Gösterge, Zararı Durdur ve Kâr Al Seviyeleri dahil olmak üzere doğru SATIN AL ve SAT sinyalleri sağlar. PUSH bildirimlerini kullanarak hareket halindeyken bile işlem yapabilirsiniz. LÜTFEN ÜCRETSİZ OLARAK TİCARET İPUÇLARI, BONUSLAR VE GANN MADE EA ASİSTANI ALMAK İÇİN SATIN ALIMDAN SONRA BENİMLE İLETİŞİME GEÇİN! Muhtemelen Gann ticaret yöntemlerini b
Scalper Inside PRO
Alexey Minkov
4.74 (69)
An exclusive indicator that utilizes an innovative algorithm to swiftly and accurately determine the market trend. The indicator automatically calculates opening, closing, and profit levels, providing detailed trading statistics. With these features, you can choose the most appropriate trading instrument for the current market conditions. Additionally, you can easily integrate your own arrow indicators into Scalper Inside Pro to quickly evaluate their statistics and profitability. Scalper Inside
Game Changer Indicator
Vasiliy Strukov
4.79 (19)
Game Changer è un indicatore di tendenza rivoluzionario, progettato per essere utilizzato su qualsiasi strumento finanziario, per trasformare il tuo MetaTrader in un potente analizzatore di trend. Funziona su qualsiasi intervallo temporale e aiuta a identificare i trend, segnala potenziali inversioni, funge da meccanismo di trailing stop e fornisce avvisi in tempo reale per risposte tempestive del mercato. Che tu sia un professionista esperto o un principiante in cerca di un vantaggio, questo st
GOLD Impulse with Alert
Bernhard Schweigert
4.64 (11)
Bu gösterge, 2 ürünümüz Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics  'in süper bir kombinasyonudur. Tüm zaman dilimleri için çalışır ve 8 ana para birimi artı bir Sembol için grafiksel olarak güç veya zayıflık dürtüsünü gösterir! Bu Gösterge, Altın, Egzotik Çiftler, Emtialar, Endeksler veya Vadeli İşlemler gibi herhangi bir sembol için para birimi gücü ivmesini göstermek için uzmanlaşmıştır. Türünün ilk örneğidir, Altın, Gümüş, Petrol, DAX, US30, MXN, TRY, CNH vb. içi
Miraculous Göstergesi – Gann Dokuz Kareye Dayalı %100 Tekrarlamayan Forex ve İkili Araç Bu video, Forex ve İkili Opsiyon traderları için özel olarak geliştirilmiş son derece doğru ve güçlü bir ticaret aracı olan Miraculous Göstergesi 'ni tanıtıyor. Bu göstergeyi benzersiz kılan, efsanevi Gann Dokuz Karesi ve Gann Titreşim Yasası 'na dayanmasıdır; bu da onu modern ticarette mevcut en hassas tahmin araçlarından biri yapmaktadır. Miraculous Göstergesi tamamen tekrarlamaz ; yani mum kapandıktan son
RFI levels PRO
Roman Podpora
5 (1)
Bu gösterge, fiyat dönüş noktalarını ve fiyat geri dönüş bölgelerini doğru bir şekilde gösterir.       Başlıca oyuncular   . Yeni trendlerin nerede oluştuğunu görüyorsunuz ve her işlem üzerinde kontrolü elinizde tutarak, azami hassasiyetle kararlar alıyorsunuz. TREND LINES PRO   göstergesiyle birlikte kullanıldığında maksimum potansiyelini ortaya koyar.  VERSION MT5 Göstergenin gösterdiği şey: Yeni bir trendin başlangıcında aktivasyonla birlikte tersine dönüş yapıları ve tersine dönüş seviyeler
M1 Sniper
Oleg Rodin
5 (19)
M1 SNIPER kullanımı kolay bir işlem göstergesi sistemidir. M1 zaman dilimi için tasarlanmış bir ok göstergesidir. Gösterge, M1 zaman diliminde scalping için bağımsız bir sistem olarak kullanılabilir ve mevcut işlem sisteminizin bir parçası olarak kullanılabilir. Bu işlem sistemi özellikle M1'de işlem yapmak için tasarlanmış olsa da, diğer zaman dilimleriyle de kullanılabilir. Başlangıçta bu yöntemi XAUUSD ve BTCUSD ticareti için tasarladım. Ancak bu yöntemi diğer piyasalarda işlem yaparken de ya
Dynamic Forex28 Navigator
Bernhard Schweigert
4.43 (7)
Dynamic Forex28 Navigator - Yeni Nesil Forex Ticaret Aracı. ŞU ANDA %49 İNDİRİM. Dynamic Forex28 Navigator, uzun zamandır popüler olan göstergelerimizin evrimidir ve üçünün gücünü tek bir göstergede birleştirir: Gelişmiş Döviz Gücü28 Göstergesi (695 inceleme) + Gelişmiş Döviz İMPULS ve UYARI (520 inceleme) + CS28 Kombo Sinyalleri (Bonus). Gösterge hakkında ayrıntılar https://www.mql5.com/en/blogs/post/758844 Yeni Nesil Güç Göstergesi Ne Sunuyor?  Orijinallerde sevdiğiniz her şey, şimdi yeni
Precautions for subscribing to indicator This indicator only supports the computer version of MT4 Does not support MT5, mobile phones, tablets The indicator only shows the day's entry arrow The previous history arrow will not be displayed (Live broadcast is for demonstration) The indicator is a trading aid Is not a EA automatic trading No copy trading function The indicator only indicates the entry position No exit (target profit)  The entry stop loss point is set at 30-50 PIPS Or the front hi
Currency Strength Wizard , başarılı ticaret için size hepsi bir arada çözüm sağlayan çok güçlü bir göstergedir. Gösterge, birden çok zaman dilimindeki tüm para birimlerinin verilerini kullanarak şu veya bu forex çiftinin gücünü hesaplar. Bu veriler, şu veya bu para biriminin gücünü görmek için kullanabileceğiniz, kullanımı kolay para birimi endeksi ve para birimi güç hatları biçiminde temsil edilir. İhtiyacınız olan tek şey, işlem yapmak istediğiniz tabloya göstergeyi eklemektir ve gösterge size
Trend Lines PRO
Roman Podpora
5 (1)
TREND ÇİZGİLERİ PRO     Piyasanın gerçek yön değişimini anlamaya yardımcı olur. Gösterge, gerçek trend dönüşlerini ve büyük oyuncuların piyasaya yeniden girdiği noktaları gösterir. Anlıyorsun     BOS hatları  Daha yüksek zaman dilimlerindeki trend değişiklikleri ve önemli seviyeler, karmaşık ayarlar veya gereksiz gürültü olmadan gösterilir. Sinyaller yeniden çizilmez ve çubuk kapandıktan sonra grafikte kalır. VERSION MT 5     -    RFI LEVELS PRO  göstergesiyle birlikte kullanıldığında maksimum p
Şu anda %40 İNDİRİMLİ! Herhangi bir Acemi veya Uzman Tüccar için En İyi Çözüm! Bu gösterge paneli yazılımı 28 döviz çifti üzerinde çalışıyor. Ana göstergelerimizden 2'sine (Gelişmiş Para Birimi Gücü 28 ve Gelişmiş Para Birimi Dürtüsü) dayanmaktadır. Tüm Forex piyasasına harika bir genel bakış sağlar. Gelişmiş Para Birimi Gücü değerlerini, para birimi hareket hızını ve tüm (9) zaman dilimlerinde 28 Forex çifti için sinyalleri gösterir. Trendleri ve / veya scalping fırsatlarını belirlemek için
Volatility Trend System - girişler için sinyaller veren bir ticaret sistemi. Oynaklık sistemi, trend yönünde doğrusal ve noktasal sinyaller ve ayrıca yeniden çizme ve gecikme olmaksızın trendden çıkmak için sinyaller verir. Trend göstergesi, orta vadeli trendin yönünü izler, yönünü ve değişimini gösterir. Sinyal göstergesi volatilitedeki değişikliklere dayalıdır ve piyasa girişlerini gösterir. Gösterge, çeşitli uyarı türleri ile donatılmıştır. Çeşitli alım satım araçlarına ve zaman dilimlerine
Currency Strength Exotics
Bernhard Schweigert
4.88 (33)
ŞU ANDA %20 INDIRIMLI! Herhangi bir Acemi veya Uzman Tüccar için En İyi Çözüm! Bu Gösterge, Egzotik Çiftler Emtialar, Endeksler veya Vadeli İşlemler gibi herhangi bir sembol için para birimi gücünü göstermek için uzmanlaşmıştır. Türünün ilk örneğidir, Altın, Gümüş, Petrol, DAX, US30, MXN, TRY, CNH vb. gerçek para birimi gücünü göstermek için 9. satıra herhangi bir sembol eklenebilir. Bu benzersiz, yüksek kaliteli ve uygun fiyatlı bir ticaret aracıdır çünkü bir dizi tescilli özelliği ve yeni b
Gold Scalper Super
Aleksandr Makarov
5 (2)
Gold Scalper Super is an easy-to-use trading system. The indicator can be used as a standalone scalping system on the M1 time frame, as well as part of your existing trading system. Bonus: when purchasing an indicator, Trend Arrow Super is provided free of charge, write to us after purchase. The indicator 100% does not repaint!!! If a signal appears, it does not disappear! Unlike indicators with redrawing, which lead to the loss of a deposit, because they can show a signal and then remove it.
Smart Sweep Sniper MT4
Vincent Georges David Ferrier
# Smart Sweep Sniper MT4 Version MT4 Midnight Pro Edition , specialized for scalping and day trading in Prop Firm, Available here MT5 Version available here ## The Institutional Edge — Detect Where Smart Money Acts, Enter When It Matters If you like it, leave a positive review to support its development. If you encounter a bug, let us know before posting a review. When you complete your challenge, share your certificate in the comments. Happy trading! Smart Sweep Sniper is a precision-engine
Looking for a powerful yet lightweight swing detector that accurately identifies market structure turning points? Want clear, reliable buy and sell signals that work across any timeframe and any instrument? Buy Sell Arrow MT Swing is built exactly for that — precision swing detection made simple and effective. This indicator identifies Higher Highs (HH) , Higher Lows (HL) , Lower Highs (LH) , and Lower Lows (LL) with remarkable clarity. It is designed to help traders easily visualize market stru
FX Volume
Daniel Stein
4.63 (38)
FX Volume: Bir Broker’ın Perspektifinden Gerçek Piyasa Duyarlılığını Deneyimleyin Kısa Özet Trading yaklaşımınızı bir adım öteye taşımak ister misiniz? FX Volume , perakende traderlar ile brokerların nasıl konumlandığını gerçek zamanlı olarak sunar—COT gibi gecikmeli raporlardan çok daha önce. İster istikrarlı kazançları hedefliyor olun, ister piyasada daha güçlü bir avantaj arayın, FX Volume önemli dengesizlikleri belirlemenize, kırılmaları (breakout) doğrulamanıza ve risk yönetiminizi iyileş
Presenting one-of-a-kind Gann Indicator for XAUUSD IQ Gold Gann Levels is 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 calcul
PRO Renko Sistemi, RENKO grafikleri ticareti için özel olarak tasarlanmış son derece hassas bir ticaret sistemidir. Bu, çeşitli ticaret araçlarına uygulanabilen evrensel bir sistemdir. Sistemi etkin piyasa sana doğru ters sinyallerine erişim hakkı denilen ses nötralize eder. Göstergenin kullanımı çok kolaydır ve sinyal üretiminden sorumlu tek bir parametreye sahiptir. Aracı, seçtiğiniz herhangi bir ticaret aracına ve renko çubuğunun boyutuna kolayca uyarlayabilirsiniz. Yazılımımla karlı bir
Atomic Analyst
Issam Kassas
5 (3)
Öncelikle belirtmek gerekir ki bu Ticaret Göstergesi Yeniden Çizim Yapmaz, Gecikmez ve Gecikme Göstermez, bu da hem manuel hem de robot ticareti için ideal hale getirir. Kullanıcı kılavuzu: ayarlar, girişler ve strateji. Atom Analisti, Piyasada Daha İyi Bir Avantaj Bulmak İçin Fiyatın Gücünü ve Momentumunu Kullanan PA Fiyat Hareketi Göstergesidir. Gürültüleri ve Yanlış Sinyalleri Kaldırmaya ve Ticaret Potansiyelini Artırmaya Yardımcı Olan Gelişmiş Filtrelerle Donatılmıştır. Birden fazla katman
El indicador "MR BEAST ALERTAS DE LIQUIDEZ" es una herramienta avanzada diseñada para proporcionar señales y alertas sobre la liquidez del mercado basándose en una serie de indicadores técnicos y análisis de tendencias. Ideal para traders que buscan oportunidades de trading en función de la dinámica de precios y los niveles de volatilidad, este indicador ofrece una visualización clara y detallada en la ventana del gráfico de MetaTrader. Características Principales: Canal ATR Adaptativo: Calcula
Pips Stalker
Abdulkarim Karazon
5 (2)
Pips Stalker, uzun kısa ok tipi bir göstergedir; gösterge, tüm seviyelerden yatırımcıların piyasada daha iyi kararlar almasına yardımcı olur, gösterge asla yeniden boyanmaz ve ana sinyal mantığı olarak RSI'yı kullanır; bir ok verildikten sonra asla yeniden boyanmaz veya geri boya çizmez ve oklar gecikmez. PIPS STALKER ARROW'UN ÖZELLİKLERİ : İSTATISTIK PANELİ Genel kazanma oranı %'sini ve üst üste maksimum kazanç ve kaybedilen ticaret gibi faydalı istatistikleri ve diğer faydalı bilgileri göst
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. Setup & Guide:  Download  MT5 Ver
FX Power MT4 NG
Daniel Stein
4.95 (21)
FX Power: Daha Akıllı Ticaret Kararları için Para Birimlerinin Gücünü Analiz Edin Genel Bakış FX Power , her piyasa koşulunda başlıca para birimlerinin ve altının gerçek gücünü anlamak için vazgeçilmez bir araçtır. Güçlü para birimlerini alıp zayıf olanları satarak, FX Power ticaret kararlarınızı basitleştirir ve yüksek olasılıklı fırsatları ortaya çıkarır. İster trendlere sadık kalın ister Delta'nın aşırı değerlerini kullanarak tersine dönüşleri öngörün, bu araç ticaret tarzınıza mükemmel bir
Step into the world of Forex trading with confidence, clarity, and precision using   Gold Indicator   a next-generation tool engineered to take your trading performance to the next level. Whether you’re a seasoned professional or just beginning your journey in the currency markets, Gold Indicator equips you with powerful insights and help you trade smarter, not harder. Built on the proven synergy of three advanced indicators, Gold Indicator focuses exclusively on medium and long-term trends eli
Advanced Supply Demand
Bernhard Schweigert
4.91 (299)
Özel Ticaret –%40 İndirim Yeni Başlayanlar veya Uzman Yatırımcılar İçin En İyi Çözüm! Bu gösterge, bir dizi özel özellik ve yeni bir formül içerdiği için benzersiz, yüksek kaliteli ve uygun fiyatlı bir işlem aracıdır. Bu güncelleme ile çift zaman dilimi bölgeleri gösterebileceksiniz. Sadece daha yüksek bir zaman dilimini değil, hem grafik zaman dilimini hem de daha yüksek zaman dilimini gösterebileceksiniz: İÇ İÇE GEÇMİŞ BÖLGELER GÖSTERİYOR. Tüm Arz Talep yatırımcıları buna bayılacak. :) Önem
Introduction Harmonic Patterns are best used to predict potential turning point. Traditionally, Harmonic Pattern was identified manually connecting peaks and troughs points in the chart. Manual harmonic pattern detection is painfully tedious and not suitable for everyone. You are often exposed under subjective pattern identification with manual pattern detection. To avoid these limitations, Harmonic Pattern Plus was designed to automate your harmonic pattern detection process. The functionality
CRT Multi-Timeframe Market Structure & Liquidity Sweep Indicator Non-Repainting | Multi-Asset | MT5 Version Available MT5 Version:   https://www.mql5.com/en/market/product/162075 Full User Guide — explains what each feature does and why:   https://www.mql5.com/en/blogs/post/767525 Quick Start User Guide  — explains how to configure and in what order:  https://www.mql5.com/en/blogs/post/767540 Indicator Overview CRT Ghost Candle HTF Fractal is a complete institutional-grade market structure too
Trend indicator AI
Ramil Minniakhmetov
4.53 (83)
Trend Ai göstergesi, trend tanımlamasını işlem yapılabilir giriş noktaları ve geri dönüş uyarılarıyla birleştirerek bir yatırımcının piyasa analizini geliştirecek harika bir araçtır. Bu gösterge, kullanıcıların forex piyasasının karmaşıklıklarında güvenle ve hassasiyetle yol almalarını sağlar. Birincil sinyallerin ötesinde, Trend Ai göstergesi geri çekilmeler veya düzeltmeler sırasında ortaya çıkan ikincil giriş noktalarını belirleyerek, yatırımcıların belirlenen trend içindeki fiyat düzeltmele
Yazarın diğer ürünleri
UT Alart Bot
Menaka Sachin Thorat
4.75 (4)
To get access to MT4 version please click  https://www.mql5.com/en/market/product/130055&nbsp ; - This is the exact conversion from TradingView: "Ut Alart Bot Indicator". - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from Ut Bot Indicator . #property copyright "This EA is only education purpose only use it ur own risk" #property link " https://sites.google.com/view/automationfx/home " #property versio
FREE
Breakout Master EA
Menaka Sachin Thorat
5 (3)
"The Breakout Master EA is a semi-automatic expert advisor. In semi-automatic mode, you only need to draw support and resistance lines or trendlines, and then the EA handles the trading. You can use this EA for every market and timeframe. However, backtesting is not available in semi-automatic mode. The EA has an option to specify how many trades to open when a breakout occurs. It opens all trades with stop loss and target orders. There is also an optional input for a breakeven function, which
FREE
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
Recovery Zone Scalper
Menaka Sachin Thorat
2 (1)
SMART RECOVERY EA – FREE Edition (MT5) SMART RECOVERY EA is a FREE Expert Advisor for MetaTrader 5 , developed by Automation FX , created for educational and testing purposes . This EA helps traders understand recovery-based trading logic with both manual control and basic automated support . Key Features (FREE Version) Manual Buy / Sell / Close All buttons Clean information panel with live trade data Basic recovery and trade monitoring logic Simple stochastic-based auto mode Suitable for lea
FREE
Engulfing 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 EA AFX – Precision Trading with ORB Strategy Capture strong market trends with high-precision breakouts using the proven Opening Range Breakout (ORB) strategy! Time Range Breakout EA AFX is a fully automated Expert Advisor that identifies breakout levels within a user-defined trading window and executes trades with precision and safety. No martingale, no grid—just controlled, professional risk management. Why Choose Time Range Breakout EA AFX? Proven ORB Strategy
Trendline Expert MT5
Menaka Sachin Thorat
4 (1)
Trendline EA – Semi & Fully Automatic Trading System Trendline EA is a professional Expert Advisor designed for trading trendlines, support & resistance levels, breakouts, and retests with complete automation or trader control. The EA supports Semi-Automatic and Fully Automatic modes : Semi-Auto: Manually draw trendlines — EA executes trades automatically Full-Auto: EA automatically draws trendlines and support/resistance levels and trades them Limited-Time Offer Launch Discount Price:
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
Filtrele:
İnceleme yok
İncelemeye yanıt