• Genel bakış
  • İncelemeler
  • Yorumlar (2)

Ut Bot Indicator

Evolutionize Your Trading with the UT Alert Bot Indicator for MQL4

The UT Alert Bot Indicator is your ultimate trading companion, meticulously designed to give you an edge in the fast-paced world of financial markets. Powered by the renowned UT system, this cutting-edge tool combines advanced analytics, real-time alerts, and customizable features to ensure you never miss a profitable opportunity. Whether you’re trading forex, stocks, indices, or commodities, the UT Alert Bot Indicator is your key to smarter, faster, and more precise trading decisions.

Here is the source code of a simple Expert Advisor operating based on signals from Ut Bot Alert.

#property copyright "This EA is only education purpose only use it ur own risk"
#property link      "https://sites.google.com/view/automationfx/home"
#property version   "1.00"
#property strict
//+------------------------------------------------------------------+
// Expert iniputs                                                    |
//+------------------------------------------------------------------+
input string             EA_Setting              =  "";                   // General settings
input int                magic_number            = 1234;                 // Magic number for trade identification
input double             fixed_lot_size          = 0.01;                 // Fixed lot size
input double             StopLoss                = 0;                    // Stop loss level (in pips)
input double             TakeProfit              = 0;                   // Take profit level (in pips)
input double             LotMultiplier = 2.0; // Multiplier for martingale strategy


string Name_Indicator       = "Market/UT Bot Indicator.ex4";  // Name of the custom indicator
int bufferToBuy2 = 0;                      // Buffer index for buy signals
int bufferToSell2 = 1;                     // Buffer index for sell signals
double current_lot_size;                   // Current lot size
int LastProf = 0;                          // 1 = profit, -1 = loss, 0 = no history


// Enum to represent candle indices
enum candle
  {
   curr = -1,  // Current candle
   prev = 0    // Previous closed candle
  };

// Indicator settings
input string Indicator = "== Market/UT Bot Indicator.ex4 ==";    // Indicator title
static input string _Properties_ = "Automationfx";  // Expert properties
input double         Key_value          =  2;         // Key value for indicator calculation
input double         atrPeriods         =  14;       // ATR periods for indicator
input bool           h                  = false;     // Use Heiken Ashi candles for signals
int                  s                  = prev;     // Show arrows on previous candle
int                  p                  = 20;                         // Arrow position (in points)
input int            b                  = 10;                 // Candle period for calculations
string T_0 = "== Draw Trade ==";    // Trade drawing title
input bool          drawTradeON         = false;

//+------------------------------------------------------------------+
//|  get indicator                                                                |
//+------------------------------------------------------------------+
double UT_Bot(int buffer, int _candle)
  {
// Call the custom indicator and return its value
   return iCustom(NULL, 0, "Market/UT Bot Indicator.ex4",Indicator, Key_value, atrPeriods, h, s, p, b, T_0, drawTradeON, buffer, _candle);
  }


//+------------------------------------------------------------------+
// Expert initialization function                                   |
//+------------------------------------------------------------------+
int OnInit()
  {
   ChartSetInteger(0, CHART_SHOW_GRID, false);
   return(INIT_SUCCEEDED);
  }
//+------------------------------------------------------------------+
//| Expert deinitialization function                                 |
//+------------------------------------------------------------------+
void OnDeinit(const int reason)
  {
//---

  }
//+------------------------------------------------------------------+
//| for calculation buy                                 |
//+------------------------------------------------------------------+
int BuyCount()
  {
   int counter=0;
   for(int i=0; i<OrdersTotal(); i++)
     {
      if(OrderSelect(i, SELECT_BY_POS)==false)
         continue;
      if(OrderSymbol()!=_Symbol)
         continue;
      if(OrderMagicNumber()!=magic_number)
         continue;
      if(OrderType()==OP_BUY)
         counter++;
     }
   return counter;
  }

//+------------------------------------------------------------------+
//| for calculation sell                                                                 |
//+------------------------------------------------------------------+
int SellCount()
  {
   int counter=0;
   for(int i=0; i<OrdersTotal(); i++)
     {
      if(OrderSelect(i, SELECT_BY_POS)==false)
         continue;
      if(OrderSymbol()!=_Symbol)
         continue;
      if(OrderMagicNumber()!=magic_number)
         continue;
      if(OrderType()==OP_SELL)
         counter++;
     }
   return counter;
  }



//+------------------------------------------------------------------+
//| Expert tick function                                             |
//+------------------------------------------------------------------+
void OnTick()
  {
// Check if a new bar has formed
   if(!isNewBar())
      return;
// Buy condition
   bool buy_condition = true;
   buy_condition &= (BuyCount() == 0);
   buy_condition &= (UT_Bot(0, 1) != EMPTY_VALUE); // Ensure valid check

   if(buy_condition)
     {
      CloseSell();
      Buy();
     }
// Sell condition
   bool sell_condition = true;
   sell_condition &= (SellCount() == 0);
   sell_condition &= (UT_Bot(1, 1) != EMPTY_VALUE); // Ensure valid check

   if(sell_condition)
     {
      CloseBuy();
      Sell();
     }

  }

// Function to calculate lot size based on the last trade
void Lot()
  {
// Analyze the last order in history
   if(OrderSelect(OrdersHistoryTotal() - 1, SELECT_BY_POS, MODE_HISTORY))
     {
      if(OrderSymbol() == _Symbol && OrderMagicNumber() == magic_number)
        {
         if(OrderProfit() > 0)
           {
            LastProf = 1;                   // Last trade was profitable
            current_lot_size = fixed_lot_size; // Reset to fixed lot size
           }
         else
           {
            LastProf = -1;                  // Last trade was a loss
            current_lot_size = NormalizeDouble(current_lot_size * LotMultiplier, 2);
           }
        }
     }
   else
     {
      // No previous trades, use the fixed lot size
      LastProf = 0;
      current_lot_size = fixed_lot_size;
     }
  }



datetime timer=NULL;
bool isNewBar()
  {
   datetime candle_start_time= (int)(TimeCurrent()/(PeriodSeconds()))*PeriodSeconds();
   if(timer==NULL) {}
   else
      if(timer==candle_start_time)
         return false;
   timer=candle_start_time;
   return true;
  }

//+------------------------------------------------------------------+
//|  open buy trades                                                                |
//+------------------------------------------------------------------+
void Buy()
  {
   Lot();
   double StopLossLevel;
   double TakeProfitLevel;
// Calculate the stop loss and take profit levels based on input values
   if(StopLoss>0)
      StopLossLevel=Bid-StopLoss*Point;
   else
      StopLossLevel=0.0;
   if(TakeProfit>0)
      TakeProfitLevel=Ask+TakeProfit*Point;
   else
      TakeProfitLevel=0.0;


   if(OrderSend(_Symbol, OP_BUY, current_lot_size, Ask, 3, StopLossLevel,TakeProfitLevel, NULL, magic_number, 0, clrNONE) == -1)
     {
      Print("Error Executing Buy Order: ", GetLastError());
     }
  }

//+------------------------------------------------------------------+
//|  open sell trades                                                                |
//+------------------------------------------------------------------+
void Sell()
  {
   Lot();
   double StopLossLevel1;
   double TakeProfitLevel2;
// Calculate the stop loss and take profit levels based on input values
   if(StopLoss>0)
      StopLossLevel1=Ask+StopLoss*Point;
   else
      StopLossLevel1=0.0;
   if(TakeProfit>0)
      TakeProfitLevel2=Bid-TakeProfit*Point;
   else
      TakeProfitLevel2=0.0;


   if(OrderSend(_Symbol, OP_SELL, current_lot_size, Bid, 3, StopLossLevel1,TakeProfitLevel2, NULL, magic_number, 0, clrNONE) == -1)
     {
      Print("Error Executing Sell Order: ", GetLastError());
     }
  }


//+------------------------------------------------------------------+
//|                                                                  |
//+------------------------------------------------------------------+
void CloseBuy()
  {
   for(int i=OrdersTotal()-1; i>=0; i--)
     {
      if(OrderSelect(i, SELECT_BY_POS)==false)
         continue;
      if(OrderSymbol()!=_Symbol)
         continue;
      if(OrderMagicNumber()!=magic_number)
         continue;
      if(OrderType()==OP_BUY)
         if(OrderClose(OrderTicket(), OrderLots(), Bid, 3, clrNONE)==false)
           {
            Print("Error Closing Position: ", GetLastError());
           }
     }
  }

//+------------------------------------------------------------------+
//|  close all positions currunly not use                                                                |
//+------------------------------------------------------------------+
void CloseSell()
  {
   for(int i=OrdersTotal()-1; i>=0; i--)
     {
      if(OrderSelect(i, SELECT_BY_POS)==false)
         continue;
      if(OrderSymbol()!=_Symbol)
         continue;
      if(OrderMagicNumber()!=magic_number)
         continue;
      if(OrderType()==OP_SELL)
         if(OrderClose(OrderTicket(), OrderLots(), Ask, 3, clrNONE)==false)
           {
            Print("Error Closing Position: ", GetLastError());
           }
     }
  }
//+------------------------------------------------------------------+ 


Önerilen ürünler
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.25 (55)
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
TrendPlus
Sivakumar Subbaiya
4.07 (14)
Trend Plus   Trendplus  Indicator   Time Frame: Suitable for any time frame.  Purpose: Trend Prediction. Blue and red candle indicate the buy and sell call respectively. Buy: When the blue candle is formed buy call is initiated. close the buy trades when the next red candle will formed.   Sell: When the Red candle is formed Sell call is initiated. close the Sell trades when the next blue candle will formed.   Happy trade!!
FREE
Rainbow MT4 is a technical indicator based on Moving average with period 34 and very easy to use. When price crosses above MA and MA changes color to green, it’s a signal to buy. When price crosses below MA and MA changes color to red, it’s a signal to sell. The Expert advisor ( Rainbow EA MT4) based on Rainbow MT4 indicator, as you can see in the short video below is now available here .
FREE
The Rayol Code Hour Interval Lines indicator was  designed to assist your trading experience.  It  draws the range of hours chosen by the user directly on the chart, so that it enables traders to visualize price movements during their preferred trading hours, providing  traders   a more comprehensive view of   price movements and market dynamics. This indicator allows the user to choose not only the Broker's time, but also the Local time. This way, the user no longer needs to calculate local ti
FREE
Wicks UpDown Target GJ Wicks UpDown Target GJ is specialized in GJ forex pairs. Choppy movement up and down on the opening range every day.  Trading breakouts on London session and New York session is recommended. Guideline Entry Strategy Idea: Step 1 - Breakout Forming (Warning! Trade on London Session and New York Session) Step 2 - Breakout Starting (Take Action on your trading plan) Step 3 - Partial Close your order & set breakeven (no-risk) Step 4 - Target complete Step 5 - Don't trade
FREE
QualifiedEngulfing
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
Market Profile 3
Hussien Abdeltwab Hussien Ryad
3 (2)
Market Profile 3 MetaTrader 4 indicator  — is a classic Market Profile implementation that can show the price density over time, outlining the most important price levels, value area, and control value of a given trading session. This indicator can be attached to timeframes between M1 and D1 and will show the Market Profile for daily, weekly, monthly, or even intraday sessions. Lower timeframes offer higher precision. Higher timeframes are recommended for better visibility. It is also possible t
FREE
This indicator alerts you when/before new 1 or 5 minute bar candle formed. In other words,this indicator alerts you every 1/5 minutes. This indicator is especially useful for traders who trade when new bars formed. *This indicator don't work propery in strategy tester.Use this in live trading to check functionality. There is more powerful Pro version .In Pro version,you can choose more timeframe and so on. Input Parameters Alert_Or_Sound =Sound ----- Choose alert or sound or both to notify y
FREE
Discover the power of precision and efficiency in your trading with the " Super Auto Fibonacci " MT4 indicator. This cutting-edge tool is meticulously designed to enhance your technical analysis, providing you with invaluable insights to make informed trading decisions. Key Features: Automated Fibonacci Analysis: Say goodbye to the hassle of manual Fibonacci retracement and extension drawing. "Super Auto Fibonacci" instantly identifies and plots Fibonacci levels on your MT4 chart, saving you tim
FREE
Multi Divergence Indicator for MT4 - User Guide Introduction Overview of the Multi Divergence Indicator and its capabilities in identifying divergences across multiple indicators. Importance of divergence detection in enhancing trading strategies and decision-making. List of Indicators RSI CCI MACD STOCHASTIC AWSOME MFI ACCELERATOR OSMA MOMENTUM WPR( Williams %R) RVI Indicator Features Indicator Selection:  How to enable/disable specific indicators (RSI, CCI, MACD, etc.) for divergence detectio
FREE
Are you tired of drawing trendlines every time you're analyzing charts? Or perhaps you would like more consistency in your technical analysis. Then this is for you. This indicator will draw trend lines automatically when dropped on a chart. How it works Works similar to standard deviation channel found on mt4 and mt5. It has 2 parameters: 1. Starting Bar 2. Number of bars for calculation The   starting bar   is the bar which drawing of the trend lines will begin, while the   number of bars for c
FREE
Introducing the Consecutive Green/Red Candle Alert Indicator for MT4 - Your Trend Spotting Companion! Are you ready to take your trading to the next level? We present the Consecutive Green/Red Candle Alert Indicator, a powerful tool designed to help you spot trends and potential reversals with ease. Whether you're a new trader looking for clarity in the market or an experienced pro seeking additional confirmation, this indicator is your trusted companion. Key Features of the Consecutive Green/Re
FREE
Auto TP SL Manul Open Panding Orders Overview: AUto TP SL Manul Open Panding Orders is an innovative trading platform designed to enhance trading efficiency and effectiveness in managing financial investments. Key Features: Automated Management : Seamlessly manage take-profit (TP) and stop-loss (SL) orders with our advanced automation tools. Manual Adjustments : Maintain control with manual options, allowing traders to adjust orders according to market conditions.
FREE
Head and Shoulders Pattern Indicator - Your Key to Recognizing Trend Reversals Unlock the power of pattern recognition with the "Head and Shoulders Pattern Indicator." This cutting-edge tool, designed for MetaTrader, is your trusted ally in identifying one of the most powerful chart patterns in technical analysis. Whether you're a novice or an experienced trader, this indicator simplifies the process of spotting the Head and Shoulders pattern, allowing you to make informed trading decisions. Key
FREE
Pivot Point Fibo RSJ, 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
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.3 (10)
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 (3)
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
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.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
Bu ürünün alıcıları ayrıca şunları da satın alıyor
Gann Made Easy
Oleg Rodin
4.8 (117)
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 satın aldıktan sonra benimle iletişime geçin! Alım satım ipuçlarımı ve harika bonus göstergelerini ücretsiz olarak sizinle paylaşacağım! Muhtemelen Gann ticaret y
Cycle Maestro
Stefano Frisetti
NOTE: CYCLEMAESTRO is distributed only on this website, there are no other distributors. Demo version is for reference only and is not supported. Full versione is perfectly functional and it is supported CYCLEMAESTRO , the first and only indicator of Cyclic Analysis, useful for giving signals of TRADING, BUY, SELL, STOP LOSS, ADDING. Created on the logic of Serghei Istrati and programmed by Stefano Frisetti ; CYCLEMAESTRO is not an indicator like the others, the challenge was to interpret only t
Şu anda %20 İ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
Scalper Inside PRO
Alexey Minkov
4.76 (63)
!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
Gold Stuff
Vasiliy Strukov
4.86 (257)
Gold Stuff, özellikle altın için tasarlanmış bir trend göstergesidir ve herhangi bir finansal enstrümanda da kullanılabilir. Gösterge yeniden çizilmez ve gecikmez. Önerilen zaman dilimi H1. Bu göstergede tam otomatik Uzman Danışman EA Gold Stuff çalışır. Profilimde bulabilirsiniz. Ayarları ve kişisel bir bonusu almak için satın alma işleminden hemen sonra benimle iletişime geçin!  Güçlü Destek ve Trend Tarayıcı göstergemizin ücretsiz bir kopyasını pm'den alabilirsiniz. Ben! AYARLAR Ok Çiz -
Algo Pumping MT4
Ihor Otkydach
5 (5)
PUMPING STATION – Kişisel “her şey dahil” stratejiniz Karşınızda PUMPING STATION — forex dünyasında işlem yapma şeklinizi heyecan verici ve etkili bir sürece dönüştürecek devrim niteliğinde bir gösterge. Bu sadece bir yardımcı değil, güçlü algoritmalarla donatılmış tam teşekküllü bir ticaret sistemidir ve daha istikrarlı işlem yapmanıza yardımcı olur. Bu ürünü satın aldığınızda ŞUNLARI ÜCRETSİZ olarak alırsınız: Özel ayar dosyaları: Otomatik kurulum ve maksimum performans için. Adım adım video e
Golden Trend Indicator
Noha Mohamed Fathy Younes Badr
5 (10)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
Trend Screener
STE S.S.COMPANY
4.78 (93)
Trend Göstergesi, Trend Alım Satım ve Filtreleme için Çığır Açan Benzersiz Çözüm, Tüm Önemli Trend Özellikleriyle Tek Bir Araç İçinde Yerleştirildi! Forex, emtialar, kripto para birimleri, endeksler ve hisse senetleri gibi tüm sembollerde/araçlarda kullanılabilen %100 yeniden boyamayan çoklu zaman çerçevesi ve Çoklu para birimi göstergesidir. SINIRLI SÜRELİ TEKLİF: Destek ve Direnç Tarama Göstergesi sadece 50$ ve ömür boyu mevcuttur. (Orijinal fiyat 250$) (teklif uzatıldı) Trend Screener, grafik
GOLD Impulse with Alert
Bernhard Schweigert
4.6 (10)
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
Easy Breakout
Mohamed Hassan
5 (11)
After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!   Easy Breakout is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the Breakout strategy ! This indicator delivers crystal-clear Buy and Sell signals based on breakouts from key support and resistance zones. Unlike typical breakout indicators, it levera
M1 Arrow
Oleg Rodin
5 (17)
Piyasanın iki temel ilkesine dayanan bir gün içi stratejisi. Algoritma, ek filtreler kullanarak hacimlerin ve fiyat dalgalarının analizine dayanmaktadır. Göstergenin akıllı algoritması, yalnızca iki piyasa faktörü bir araya geldiğinde bir sinyal verir. Gösterge, daha yüksek zaman çerçevesinin verilerini kullanarak M1 grafiğinde belirli bir aralıktaki dalgaları hesaplar. Ve dalgayı doğrulamak için gösterge, hacme göre analizi kullanır. Bu gösterge hazır bir ticaret sistemidir. Bir tüccarın ihtiya
Enigmera
Ivan Stefanov
5 (7)
ENIGMERA: Pazarın Kalbi Önemli: MQL5.com demosu Strategy Tester'da çalışır ve Enigmera'nın tüm işlevlerini tam olarak yansıtmayabilir. Daha fazla bilgi için açıklamayı, ekran görüntülerini ve videoyu kontrol edin. Herhangi bir sorunuz varsa, bana mesaj göndermekten çekinmeyin! Göstergenin kodu tamamen yeniden yazılmıştır. 3.0 sürümü, yeni işlevler ekler ve göstergenin başlangıcından bu yana biriken hataları giderir. Giriş Bu gösterge ve ticaret sistemi, finansal piyasalara dikkat çekici bir ya
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
TPSproTREND PrO
Roman Podpora
4.68 (25)
VERSION MT5        —        ИНСТРУКЦИЯ RUS           —        INSTRUCTIONS  ENG Ana işlevler: VERME OLMADAN doğru giriş sinyalleri! Bir sinyal belirirse, alakalı kalır! Bu, bir sinyal sağlayıp daha sonra onu değiştirebilen ve mevduatta fon kaybına yol açabilen yeniden çekme göstergelerinden önemli bir farktır. Artık pazara daha büyük bir olasılık ve doğrulukla girebilirsiniz. Ayrıca, ok göründükten sonra hedefe ulaşılıncaya kadar (kar al) veya bir geri dönüş sinyali görünene kadar mumları renkl
Dynamic Forex28 Navigator
Bernhard Schweigert
5 (5)
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
IX Power MT4
Daniel Stein
4.78 (9)
IX Power: Endeksler, Emtialar, Kripto Paralar ve Forex Piyasaları için İçgörüler Genel Bakış IX Power , endeksler, emtialar, kripto paralar ve forex sembollerinin gücünü analiz etmek için tasarlanmış çok yönlü bir araçtır. FX Power , tüm kullanılabilir döviz çiftlerinin verilerini kullanarak döviz çiftleri için maksimum doğruluk sağlarken, IX Power yalnızca temel sembolün piyasa verilerine odaklanır. Bu, IX Power 'ı forex dışındaki piyasalar için ideal ve daha basit forex analizleri için güven
Stratos Pali
Michela Russo
5 (2)
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
Scalper Vault
Oleg Rodin
5 (29)
Scalper Vault , başarılı bir scalping için ihtiyacınız olan her şeyi size sağlayan profesyonel bir scalping sistemidir. Bu gösterge, forex ve ikili opsiyon tüccarları tarafından kullanılabilecek eksiksiz bir ticaret sistemidir. Önerilen zaman çerçevesi M5'tir. Sistem size trend yönünde doğru ok sinyalleri sağlar. Ayrıca size üst ve alt sinyaller ve Gann piyasa seviyeleri sağlar. Göstergeler, PUSH bildirimleri dahil her türlü uyarıyı sağlar. Göstergeyi satın aldıktan sonra lütfen benimle iletişim
Black dragon indicator
Ramil Minniakhmetov
4.86 (119)
Trend algılama göstergesi, herhangi bir stratejiyi tamamlayacak ve bağımsız bir araç olarak da kullanılabilir. ÖNEMLİ! Talimatları ve bonusu almak için satın aldıktan hemen sonra benimle iletişime geçin! Göstergeyle çalışmak için öneriler, yorum #5'ten indirebilirsiniz. Avantajlar Kullanımı kolay, tabloyu gereksiz bilgilerle doldurmaz; Herhangi bir strateji için filtre olarak kullanabilme; Hem kar elde etmek hem de zararları durdurmak için kullanılabilen yerleşik dinamik destek ve direnç se
RelicusRoad Pro
Relicus LLC
4.63 (104)
Şimdi 147 $ (birkaç güncellemeden sonra 499 $ 'a yükseliyor) - Sınırsız Hesaplar (PC'ler veya Mac'ler) RelicusRoad Kullanım Kılavuzu + Eğitim Videoları + Özel Discord Grubuna Erişim + VIP Durumu PİYASAYA BAKMAK İÇİN YENİ BİR YOL RelicusRoad, forex, vadeli işlemler, kripto para birimleri, hisse senetleri ve endeksler için dünyanın en güçlü ticaret göstergesidir ve yatırımcılara kârlı kalmaları için ihtiyaç duydukları tüm bilgileri ve araçları sağlar. Başlangıç ​​seviyesinden ileri seviyeye ka
- Real price is 80$ - 40% Discount (It is 49$ now) - Lifetime update free Contact me for instruction, add group and any questions! Related Products:  Bitcoin Expert , Gold Expert - Non-repaint - I just sell my products in Elif Kaya profile, any other websites are stolen old versions, So no any new updates or support. 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 design
Advanced Supply Demand
Bernhard Schweigert
4.91 (294)
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
FX Power MT4 NG
Daniel Stein
4.94 (18)
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
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
KT Renko Patterns MT4
KEENBASE SOFTWARE SOLUTIONS
2.33 (3)
KT Renko Patterns, Renko grafiğini tuğla tuğla tarayarak, farklı finansal piyasalarda yatırımcılar tarafından sıkça kullanılan popüler grafik formasyonlarını tespit eder. Zaman tabanlı grafiklerle karşılaştırıldığında, Renko grafiklerinde işlem yapmak daha kolay ve belirgindir çünkü grafik sade ve temiz bir yapıya sahiptir. KT Renko Patterns birçok Renko formasyonunu içerir ve bunların çoğu Prashant Shah'ın “Renko Grafikleriyle Karlı Ticaret” adlı kitabında ayrıntılı olarak açıklanmıştır. Bu g
Quantum Breakout Indicator PRO
Bogdan Ion Puscasu
4.96 (26)
Tanıtım       Quantum Breakout PRO   , Breakout Bölgeleri ile ticaret yapma şeklinizi değiştiren çığır açan MQL5 Göstergesi! 13 yılı aşkın ticaret deneyimine sahip deneyimli tüccarlardan oluşan bir ekip tarafından geliştirilen   Quantum Breakout PRO   , yenilikçi ve dinamik koparma bölgesi stratejisiyle ticaret yolculuğunuzu yeni zirvelere taşımak için tasarlanmıştır. Kuantum Breakout Göstergesi, size 5 kar hedefi bölgesi ile kırılma bölgelerinde sinyal okları ve kırılma kutusuna dayalı olara
MTF Supply Demand Zones
Georgios Kalomoiropoulos
4.82 (22)
Yeni Nesil Otomatik Arz ve Talep Bölgeleri. Her Grafikte Çalışan Yeni ve Yenilikçi Algoritma. Tüm Bölgeler Piyasanın Fiyat Hareketine Göre Dinamik Olarak Oluşturulmaktadır. İKİ TÜR UYARI --> 1) FİYAT BİR BÖLGEYE ÇIKTIĞINDA 2) YENİ BİR BÖLGE OLUŞTURDUĞUNDA Bir tane daha işe yaramaz gösterge almazsın. Kanıtlanmış Sonuçlarla eksiksiz bir Ticaret Stratejisi elde edersiniz.     Yeni özellikler:     Fiyat Arz/Talep Bölgesine ulaştığında uyarılar     Yeni bir Arz/Talep Bölgesi oluşturulduğunda
"Chart Patterns All in One" ürününü demo modunda deneyin ve bonus kazanın. Demo modunda denedikten sonra bana mesaj göndererek bonusunuzu alın. Satın aldıktan sonra yorum bırakın, bonus olarak 8 yüksek kaliteli gösterge alın. Chart Patterns All-in-One göstergesi, traderların teknik analizde yaygın olarak kullanılan çeşitli grafik desenlerini görselleştirmelerine yardımcı olur. Bu gösterge, potansiyel piyasa hareketlerini belirlemeye yardımcı olur ancak kârlılığı garanti etmez. Satın almadan önc
FX Volume
Daniel Stein
4.6 (35)
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ş
Currency Strength Exotics
Bernhard Schweigert
4.88 (32)
Ş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
Yazarın diğer ürünleri
UT Alart Bot
Menaka Sachin Thorat
5 (1)
To get access to MT4 version please click  https://www.mql5.com/en/market/product/130055&nbsp ; - This is the exact conversion from TradingView: "Ut Alart Bot Indicator". - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from Ut Bot Indicator . #property copyright "This EA is only education purpose only use it ur own risk" #property link " https://sites.google.com/view/automationfx/home " #property versio
FREE
"The Breakout Master EA is a semi-automatic expert advisor. In semi-automatic mode, you only need to draw support and resistance lines or trendlines, and then the EA handles the trading. You can use this EA for every market and timeframe. However, backtesting is not available in semi-automatic mode. The EA has an option to specify how many trades to open when a breakout occurs. It opens all trades with stop loss and target orders. There is also an optional input for a breakeven function, which
FREE
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
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
Certainly! A candlestick pattern EA is an Expert Advisor that automates the process of identifying specific candlestick patterns on a price chart and making trading decisions based on those patterns. Candlestick patterns are formed by one or more candles on a chart and are used by traders to analyze price movements and make trading decisions.  EA likely scans the price chart for predefined candlestick patterns such as the Hammer, Inverted Hammer, Three White Soldiers, and Evening Star. When it
FREE
Master Breakout EA Description The Master Breakout EA is a fully automatic Expert Advisor that operates based on breakout strategies involving support and resistance lines or trendlines. The EA manages trades automatically after identifying and responding to breakout scenarios. Features: Trade Management: The EA offers the flexibility to specify the number of trades to open upon a breakout. Each trade is configured with stop loss and target options. An optional breakeven function helps secure p
Time Range Breakout EA AFX – Precision Trading with ORB Strategy! Capture Market Trends with High-Precision Breakouts! Time Range Breakout EA AFX is a powerful and fully automated trading system based on the Opening Range Breakout (ORB) strategy. It identifies key market movements and executes trades with precision and safety —without risky martingale or grid methods! Why Choose Time Range Breakout EA AFX? Proven ORB Strategy – Used by professional traders worldwide. No Martingale /
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
Filtrele:
İnceleme yok
İncelemeye yanıt