• 概述
  • 评论
  • 评论

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


推荐产品
Show Pips
Roman Podpora
4.24 (54)
对于那些总是想了解帐户当前情况的人来说,此信息指示器将很有用。该指标显示诸如利润点数、百分比和货币等数据,以及当前货币对的点差以及柱在当前时间范围内收盘的时间。 MT5版本 -   更多有用的指标 有多种选项可用于在图表上放置信息线: 价格右侧(运行在价格后面); 作为评论(在图表的左上角); 在屏幕的选定角落。 还可以选择信息分隔符: | / 。 \ # 该指标具有内置热键: 键 1 - 退一步显示信息类型(价格、评论或角落的右侧) 关键2——信息显示类型的进步 键 3 - 更改信息行显示的位置 可以在设置中重新分配热键。 该指标易于使用且信息丰富。可以在设置中禁用不必要的信息项目。 设置 替换显示信息的热键(向后)   - 后退信息显示类型 用于替换显示信息的热键(前进)       - 信息显示类型向前迈进了一步 用于更改外观/角信息字符串类型的热键     - 更改信息行显示的位置 文字颜色     - 文字颜色 盈利颜色     - 有浮动利润时的文字颜色 失色     - 存在浮动损失时的文本颜色 分离器     - 一行中的数据分隔符。可以采用五个值:“|”、“/”、
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 - 是 ProEngulfing 指标的免费版本 ProEngulfing - 是 Advance Engulf 指标的付费版本, 点击此处下载。 ProEngulfing 的免费版与付费版有什么区别?免费版每天只能发出一个信号。 介绍 QualifiedEngulfing - 你的专业 Engulf 模式指标,适用于 MT4 通过 QualifiedEngulfing 发挥精准性的力量,这是一款设计用于辨识和突显外汇市场中合格 Engulf 模式的前沿指标。专为 MetaTrader 4 开发,QualifiedEngulfing 提供了一种细致入微的 Engulf 模式识别方法,确保您只收到最可靠的交易信号以做出决策。 QualifiedEngulfing 的工作原理: QualifiedEngulfing 采用先进的算法分析 Engulf 模式,超越了简单的模式识别,确保模式的合格性。以下是其工作原理: 资格标准:该指标评估实体百分比相对于整个蜡烛大小的百分比,并考虑影子百分比相对于蜡烛大小的比例。这种仔细的评估确保只有高概率的 Engul
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
New Bar Alarm Free
Tomoyuki Nakazima
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
Super Auto Fibonacci
Muhammed Emin Ugur
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
枢轴点斐波那契 RSJ 是一个指标,它使用斐波那契汇率追踪当天的支撑线和阻力线。 这个壮观的指标使用斐波那契汇率通过枢轴点创建多达 7 个支撑位和阻力位。 价格如何尊重该支撑和阻力的每个水平真是太棒了,在那里可以感知操作的可能进入/退出点。 特征 多达 7 个支撑位和 7 个阻力位 单独设置级别的颜色 输入 枢轴类型 Pivot Fibo RSJ1 = Fibo ratio 1 计算 Pivot Fibo RSJ2 = Fibo ratio 2 计算 Pivot Fibo RSJ3 = Fibo ratio 3 计算 Pivot Fibo Classic = 经典枢轴计算 最低枢轴级别 旋转 3 个级别 旋转 4 个级别 旋转 5 个级别 枢轴 6 个级别 旋转 7 个级别 如果您仍有疑问,请通过直接消息与我联系: https://www.mql5.com/zh/users/robsjunqueira/
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
SuperTrend Alert
Biswarup Banerjee
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
Tonny Obare
4.66 (47)
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)
主要用途:"Pin Bars"旨在自动检测金融市场图表上的pin bars。 针杆是具有特征主体和长尾的蜡烛,可以发出趋势反转或修正的信号。 它是如何工作的:指标分析图表上的每个蜡烛,确定蜡烛的身体,尾巴和鼻子的大小。 当检测到与预定义参数相对应的引脚柱时,指示器会根据引脚柱的方向(看涨或看跌)在图表上用向上或向下箭头标记它。 参数: TailToBodyRatio-定义尾部长度和针杆主体尺寸之间的最小比率。 NoseToTailRatio-设置"鼻子"和销杆尾部之间的最大允许比率。 ArrowSize-定义标记的pin条与图表上指向它的箭头之间的距离。 应用:"Pin Bars"指标可用于识别潜在的趋势反转点,并产生进入市场或平仓的信号。 当正确使用并与其他技术指标和分析方法相结合时,该指标能够改善交易结果。 其他产品 :   https://www.mql5.com/ru/users/yura1994ru/seller#products 重要事项: 该指标不是一个现成的交易系统,应该与其他分析工具结合使用。 建议在真实账户上使用指标之前,先在历史数据上测试和优化指标的参数。
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
WH Price Wave Pattern MT4
Wissam Hussein
5 (4)
Welcome to our   Price Wave Pattern   MT4 --(ABCD Pattern)-- The ABCD pattern is a powerful and widely used trading pattern in the world of technical analysis. It is a harmonic price pattern that traders use to identify potential buy and sell opportunities in the market. With the ABCD pattern, traders can anticipate potential price movements and make informed decisions on when to enter and exit trades. EA Version : Price Wave EA MT4 MT5 version : Price Wave Pattern MT5 Features :  Automatic
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
该产品的买家也购买
Gann Made Easy
Oleg Rodin
4.81 (102)
Gann Made Easy 是一个专业且易于使用的外汇交易系统,它基于使用先生理论的最佳交易原则。 W.D.江恩。该指标提供准确的买入和卖出信号,包括止损和获利水平。您甚至可以使用推送通知在旅途中进行交易。 购买后请联系我!我将免费与您分享我的交易技巧和丰厚的红利指标! 您可能已经多次听说过江恩交易方法。通常 Gann 的理论不仅对于新手交易者而且对于那些已经有一定交易经验的人来说都是非常复杂的东西。这是因为江恩的交易方法在理论上并不那么容易应用。我花了几年时间来完善这些知识,并将最好的原则应用到我的外汇指标中。 该指标非常易于应用。您所需要的只是将其附加到您的图表并遵循简单的交易建议。该指标不断进行市场分析工作并寻找交易机会。当它检测到一个好的入口点时,它会为您提供一个箭头信号。该指标还显示止损和获利水平。 换句话说,当您像先生一样进行交易时,该指标会为您提供最佳江恩建议。江恩亲自告诉你此时此刻该做什么。但最好的部分是您不需要了解任何有关江恩交易原则的知识,因为该指标会为您完成整个市场分析工作。
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:从经纪商视角洞察真实市场情绪 简要概述 想要提升您的交易策略? FX Volume 可提供零售交易者和经纪商的持仓实时数据——远早于诸如 COT 之类的延迟报告。不论您希望获得持续稳定的收益,还是想在市场中多一分制胜的砝码, FX Volume 都能帮您识别重大失衡、确认突破以及完善风险管理。立即开启体验,让真实的成交量数据为您的交易决策带来革新! 1. 为什么 FX Volume 对交易者格外有用 极具准确度的早期预警 • 快速捕捉有多少交易者正在买入或卖出某个货币对——比大多数人提前一步。 • FX Volume 是 唯一 能够整合多家零售经纪商真实成交量数据并以简洁方式呈现的工具。 强力风险管理 • 及时识别多头或空头仓位的巨大不平衡,这往往预示着潜在的趋势反转,帮助您更自信地设置止损和目标位。 • 独家而真实的数据让每一次交易决策更具可靠性。 优化进场与出场点 • 发现“过度集中”的交易(大多数交易者都在同一方向),并通过真实成交量来确认突破。 • 避免依赖常见指标可能带来的误导信号,而是利用真实的实时成交量。 适配各种交易策略 • 将 FX
TPSproTREND PrO
Roman Podpora
4.79 (19)
TPSpro TREND PRO 是一个趋势指标,可以自动分析市场并提供有关趋势及其每次变化的信息,并给出进入交易的信号而无需重新绘制! 该指标使用每根蜡烛,分别对其进行分析。指不同的脉冲——向上或向下脉冲。货币、加密货币、金属、股票、指数交易的准确切入点! MT5版本                 指标的完整描述   我们建议将其与 指示器 -   RFI LEVELS 一起使用 主要功能: 准确的输入信号,无需渲染! 如果出现信号,它仍然相关!这是与重提指标的一个重要区别,重提指标可以提供信号然后改变信号,这可能导致存款资金的损失。现在您可以以更高的概率和准确度进入市场。还有一个功能是在箭头出现后为蜡烛着色,直到达到目标(止盈)或出现反转信号。 显示止损/获利区域 为了提高搜索切入点时的视觉清晰度,创建了一个模块,该模块最初显示买入/卖出区域,在该区域中搜索进入市场的最佳点。用于处理止损水平的附加智能逻辑有助于随着时间的推移减小其大小,从而降低进入交易(移动 sl)时的初始风险。 显示较高时间范围内的最小值/最大值(MTF 模式) 添加了一项功能,可以显示较高时间间隔的最小/最
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:分析货币强度,助您做出更明智的交易决策 概述 FX Power 是一款专业工具,帮助您全面了解主要货币和黄金在任何市场条件下的真实强度。通过识别强势货币用于买入,弱势货币用于卖出, FX Power 简化了交易决策,并帮助您发现高概率的交易机会。不论您是想跟随趋势还是通过极端的 Delta 值预测反转,这款工具都能完美适应您的交易风格。别再盲目交易——用 FX Power 让您的交易更加智慧。 1. 为什么 FX Power 对交易者极具价值 实时货币和黄金强度分析 • FX Power 实时计算并显示主要货币和黄金的相对强度,助您全面了解市场动态。 • 监控领先或落后资产,轻松识别值得交易的货币对。 全面的多时间框架视图 • 跟踪短期、中期和长期时间框架的货币和黄金强度,以便将您的交易策略与市场趋势保持一致。 • 无论是快进快出的短线交易还是更长期的投资策略, FX Power 都能为您提供所需的信息。 Delta 动态分析用于趋势和反转 • 极端 Delta 值常常预示反转机会,而平缓的 Delta 变化则确认趋势延续。 • 使用 Delta 分析,轻
TPSpro RFI Levels
Roman Podpora
4.82 (22)
指示       俄罗斯 -        英语   建议 与指示器一起使用     -       TPSpro 趋势专业版 -   MT4版本       交易中的一个关键要素是做出买卖交易工具决定的区域或水平。尽管主要参与者试图隐藏他们在市场中的存在,但他们不可避免地会留下痕迹。我们的任务是学习如何识别这些痕迹并正确解释它们。 主要功能: 向卖家和买家显示活跃区域! 该指标显示所有正确的初始买入和卖出脉冲水平/区域。激活这些水平/区域后,开始寻找切入点,水平会改变颜色并填充特定阴影。此外,还会显示箭头,以便更直观地了解情况。 显示更高时间范围内的级别/区域(MTF 模式) 添加了使用更高时间间隔显示级别/区域的功能。此外,该指标还具有自动趋势检测功能(   TPSproTREND PRO   )。 用于交易的单独专业的逐步算法。 该算法专为日内交易而设计,既可顺势交易,也可逆势交易。每个活动模板均提供详细说明。 适用于多种时间范围 。 TPSpro RFI 水平指标可用于图表上的任何时间范围,从一分钟(M1)开始一直到每月(MN)。 图形和声音警报。 该指标提供图形和声音指示,
Trend Screener
STE S.S.COMPANY
4.81 (89)
趋势指标,趋势交易和过滤的突破性独特解决方案,所有重要趋势功能都内置在一个工具中! 它是 100% 非重绘多时间框架和多货币指标,可用于所有符号/工具:外汇、商品、加密货币、指数、股票。 限时优惠:支撑和阻力筛选指标仅售 50美元,终身有效。(原价 250 美元)(优惠延长) 趋势筛选器是有效的指标趋势跟踪指标,它在图表中提供带有点的箭头趋势信号。 趋势分析器指标中可用的功能: 1.趋势扫描仪。 2. 具有最大利润分析的趋势线。 3.趋势货币强度计。 4. 带有警报的趋势反转点。 5. 带有警报的强趋势点。 6. 趋势箭头 每日分析示例,每日信号表现...等与我们的趋势筛选指标,可以在这里找到: 点击这里 限时优惠:Trend Screener Indicator 仅售 50 美元且终身可用。原价 125$) 通过访问我们的 MQL5 博客,您可以找到我们所有的高级指标以及分析示例、每日信号表现...等。 : 点击这里 我们的趋势系统由 2 个指标组成: 1. Trend Screener Indicator:显示趋势仪表盘、图表中的趋势线、入场点...等。 2. Trend
FX Dynamic:使用自适应精准度,将市场分析提升到全新高度 简要概述 想要提升您的交易优势吗? FX Dynamic 可提供实时、可适应市场变化的洞察,能够在 MetaTrader 每次数据变动时立刻做出反应。无论您追求持续稳定的收益还是更可靠的信号, FX Dynamic 都能帮助您捕捉关键机会、优化进场与出场点,并更精准地管理风险。立即尝试,体验先进的动态分析如何为您的交易方式带来全面飞跃! 1. FX Dynamic 对交易者极具价值的原因 自适应市场跟踪 • 几乎可以实时获取市场结构变化,助您在市场条件改变的一刻就调整交易。 • FX Dynamic 借助 MetaTrader 的实时数据流,捕捉快速波动,并以清晰、可操作的形式呈现。 增强的风险管理 • 识别新出现的失衡或波动率激增,这些往往预示着趋势的变化,帮助您更自信地设定止损和目标价。 • 实时计算令您在管理多个交易品种时,也能保持更严谨的仓位掌控。 优化进场与出场策略 • 通过随市场演变而更新的动态分析,挖掘短期机会或潜在的转折点。 • 摆脱静态指标所产生的滞后信号— FX Dynamic 紧贴当前市
Dynamic Forex28 Navigator
Bernhard Schweigert
5 (4)
Dynamic Forex28 Navigator - 下一代外汇交易工具。 当前 49% 折扣。 Dynamic Forex28 Navigator 是我们长期流行的指标的演变,将三种功能合二为一: 高级货币强度 28 指标 (695 条评论)+ 高级货币 IMPULSE 带警报 (520 条评论)+ CS28 组合信号(奖励)。 有关指标的详细信息 https://www.mql5.com/en/blogs/post/758844 下一代强度指标提供什么? 您喜欢的原始指标的一切,现在通过新功能和更高的精度进行了增强。 主要特点: 专有货币强度公式。  所有时间范围内的平滑和准确的强度线。 非常适合识别趋势和精确进入。 动态市场斐波那契水平(市场斐波那契)。  此指标独有的独特功能。 斐波那契应用于货币强度,而不是价格图表。 适应实时市场活动以获得准确的反转区域。 实时市场动量。  第 9 行显示市场是活跃还是被动。 对于定时交易至关重要。 全面的警报和显示。  每种货币最强的买入和卖出动量。 ​​28 对的双重动量买入和卖出。 超买/超卖警告外部范围和止损。 反转
FX Levels MT4
Daniel Stein
FX Levels:适用于所有市场的高精度支撑与阻力 快速概览 想要精准确定适用于任何市场(外汇、指数、股票或大宗商品)的支撑与阻力吗? FX Levels 将传统的“Lighthouse”方法与前沿的动态分析相结合,实现近乎通用的准确性。依托真实经纪商经验和自动化的每日与实时更新, FX Levels 帮助您捕捉价格反转点、设置合理的盈利目标,并自信地管理交易。立即使用,体验更准确的支撑/阻力分析如何助力您的交易更上层楼! 1. 为什么 FX Levels 对交易者非常有利 极度精准的支撑 & 阻力区 • FX Levels 专为不同经纪商提供的行情源和时间设置而设计,可生成几乎相同的价位区,解决数据不一致的常见问题。 • 这意味着无论您在哪里交易,都能获得稳定一致的水平线,为策略打下更加牢固的基础。 结合传统与先进技术 • 通过将久经考验的“Lighthouse”方法与动态分析相融合, FX Levels 不仅限于每日刷新,还可针对新的价格波动进行即时更新。 • 您可以选择经典的静态方式,或实时捕捉新出现的水平,以贴近最新的市场行为。 识别清晰的反转点 • FX Lev
Entry Points Pro
Yury Orlov
4.61 (169)
这是一款 MT4 的趋势指标,可提供准确的入场交易信号,且无重绘或延迟。 它可应用在任何金融资产:外汇、加密货币、贵金属、股票、指数。 最好的结果出现在 M15+ 的时间帧内。 指标的 MT5 版本 重要! 购买后请联系我,以便获取详细指南和奖励。 视频 (6:22) - 一个信号赢取的利润等于指标价格的三倍。 视频 (4:44) - 它如何在测试器中工作,我的提示和技巧。 视频 (1:44) - 有关它如何处理加密货币和指数的几句话。 大多数交易者在 Entry Points Pro 指标的帮助下,在第一个交易周内就改善了他们的交易结果。 Entry Points Pro 指标的益处 入场信号无重绘或延迟 如果信号出现,并得到确认(如果信号所在烛条已收盘),则它不会再消失;不像是重绘指标,它会导致重大的财产损失,因为它们可以在显示信号后再将其删除。 无差错开仓 指标算法可令您找到入场交易(买入或卖出资产)的理想时机,从而提高每位交易者的成功率。 Entry Points Pro 可操作任何资产 它允许您在 MT4 平台上交易任何经纪商提供的加密货币、股票、金属、指数、商品
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 是一个专业的剥头皮系统,为您提供成功剥头皮所需的一切。该指标是一个完整的交易系统,可供外汇和二元期权交易者使用。推荐的时间范围是 M5。 该系统为您提供趋势方向的准确箭头信号。它还为您提供顶部和底部信号以及江恩市场水平。无论您拥有何种交易经验,该系统都易于使用。您只需要遵循简单的规则并每天重复该过程。 建议将此系统用于主要货币对。感谢您的关注! 请注意,该指标在策略测试器中可能无法正常工作。因此,我建议仅在模拟或真实账户的真实交易条件下使用该系统。 指示器提供所有类型的警报,包括推送通知。 购买指标后请与我联系。我将免费与您分享我的个人交易建议和出色的奖励指标! 祝您交易愉快,盈利!
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)
现在优惠 33%! 任何新手或专业交易者的最佳解决方案! 该指标是一款独特、高质量、且价格合理的交易工具,因为我们已经整合了许多专有功能和新公式。 依据此更新,您将能够显示双重时间帧区域。 您不仅可以显示一个较高的时间帧,还可以同时显示图表时间帧,加上更高的时间帧:显示嵌套时区。 供需双方所有交易者都会喜欢它。 :) 重要信息披露 高级供需的最大潜力,请访问 https://www.mql5.com/zh/blogs/post/720245   想象您的交易如何得以改善,是因为您能够精准定位入场或目标位吗? 构建于新的底层算法,它可以更轻松地识别出买卖双方之间的潜在失衡。 这是因为它以图形方式展示供需最强劲区域,及其过去的表现(显示旧区域)。 这些功能旨在帮助您更轻松地发现最佳入场区域和价位。 现在您可以针对您的交易品种和时间帧来优化和编辑区域强度! 高级供需指标适用于所有产品和时间帧。 它是一个新的公式,非常新的功能是两个区域强度函数可由用户输入进行调整! 这在交易中是一大优势。 当您学习如何使用专有功能,例如带有价格游离最小 X 因子的区域强度时,您能够判断该区域强劲与否。 供需
Gold Stuff
Vasiliy Strukov
4.86 (247)
Gold Stuff 是专为黄金设计的趋势指标,也可用于任何金融工具。 该指标不会重绘,也不会滞后。 推荐时间框架 H1。 在它指标工作全自动专家顾问 EA Gold Stuff。 你可以在我的个人资料中找到它。 重要! 购买后立即与我联系,以获得说明和奖金!   您可以免费收到我们的强力支持和趋势扫描指标的副本,请私信。大部头书! 购买后立即联系我以获得设置和个人奖励!   设置 绘制箭头 - 打开关闭。 在图表上绘制箭头。 警报 - 打开关闭声音警报。 电子邮件通知 - 打开关闭。 电子邮件通知。 Puch-notification - 打开关闭。 推送通知。 接下来,调整色域。 Gold Stuff 是专为黄金设计的趋势指标,也可用于任何金融工具。 该指标不会重绘,也不会滞后。 推荐时间框架 H1。 在它指标工作全自动专家顾问 EA Gold Stuff。 你可以在我的个人资料中找到它。 购买后立即联系我以获得设置和个人奖励!   设置 绘制箭头 - 打开关闭。 在图表上绘制箭头。 警报 - 打开关闭声音警报。 电子邮件通知 - 打开关闭。 电子邮件通知。 Puch
GOLD Impulse with Alert
Bernhard Schweigert
4.6 (10)
这个指标是我们2个产品 Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics 的一个超级组合。 它适用于所有时间框架,并以图形方式显示8种主要货币和一种符号的强势或弱势冲动! 该指标专门用于显示任何符号的货币强度加速,如黄金、异国货币对、商品、指数或期货。这是它的第一个指标,任何符号都可以被添加到第9行,以显示黄金、白银、石油、DAX、US30、MXN、TRY、CNH等的真实货币强度加速(冲动或速度)。 建立在新的基础算法上,它使识别和确认潜在的交易更加容易。这是因为它以图形方式显示了一种货币的强势或弱势是否正在加速,并测量了这种加速的速度--把它想象成你汽车中的速度表。当你加速时,事情显然会发生得更快,这在外汇市场上也是一样的,即如果你配对的货币正在向相反的方向加速,你就会发现一个潜在的有利可图的交易。 动态市场斐波那契28水平被用作警报触发器,将适应市场活动。如果冲动击中黄色触发线,你将收到警报。然后你就知道作为一个交易员应该做什么。货币对和方向已经给出。只需点击警报按钮,就可以切换到该货
Owl smart levels
Sergey Ermolov
4.34 (35)
MT5版本  |  FAQ Owl Smart Levels Indicator   是一個完整的交易系統,包含   Bill Williams   的高級分形、構建正確的市場波浪結構的 Valable ZigZag 以及標記準確入場水平的斐波那契水平等流行的市場分析工具 進入市場和地方獲利。 策略的详细说明 指示灯使用说明 顾问-贸易猫头鹰助手助理 私人用户聊天 ->购买后写信给我,我会将您添加到私人聊天中,您可以在那里下载所有奖金 力量在於簡單! Owl Smart Levels   交易系統非常易於使用,因此適合專業人士和剛開始研究市場並為自己選擇交易策略的人。 策略和指標中沒有隱藏的秘密公式和計算方法,所有策略指標都是公開的。 Owl Smart Levels 允許您快速查看進入交易的信號,突出顯示下訂單的水平並向您發送有關已出現信號的通知。 優點很明顯: 清楚地顯示主要和更高時間框架的趨勢方向。 指示儀器信號的出現。 標記開單、止損設置和固定利潤的水平。 沒有多餘的,只有必要的結構! ZigZag   表示全球趨勢的方向,因此也表示貿易方向。 市場反轉點的短線清楚地表明在什
Chart Patterns All in One
Davit Beridze
4.65 (17)
购买后留言即可获得4个高质量的指标作为赠品。 Chart Patterns All-in-One 指标帮助交易者可视化技术分析中常用的各种图表形态。它帮助识别潜在的市场行为,但不保证盈利。建议在购买前在模拟模式下测试该指标。 当前优惠 : “Chart Patterns All in One” 指标享受 50% 折扣。 包含的形态 : 1-2-3 形态 :通过三个关键点(高点或低点)检测市场反转。 买入 :连续两个低点后出现较低的高点。 卖出 :连续两个高点后出现较高的低点。 可视化 :线条和箭头连接识别的点。 双顶和双底 :当价格形成两个连续的高点(双顶)或低点(双底)且它们大致相等时,表明反转趋势。 双顶 :看跌反转。 双底 :看涨反转。 可视化 :线条连接峰值或低谷,箭头标记反转点。 三顶和三底 :与双顶/双底类似,但有三个连续的高点或低点,信号更强的反转趋势。 三顶 :看跌反转。 三底 :看涨反转。 可视化 :线条和箭头标记形态。 三角形 :在趋势延续前识别整合期(基于 Zig-Zag,有时可能会延迟出现或消失)。 上升三角形 :看涨延续。 下降三角形 :看跌延续。 可视化 :
Grand signal
Alexandr Lapin
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
首先,值得强调的是,这个交易工具是非重绘、非重画和非滞后的指标,非常适合专业交易。 在线课程,用户手册和演示。 智能价格行动概念指标是一个非常强大的工具,既适用于新手,也适用于经验丰富的交易者。它将超过20个有用的指标合并到一个指标中,结合了高级交易思想,如内圈交易员分析和智能资金概念交易策略。该指标侧重于智能资金概念,提供有关大型机构交易方式的见解,帮助预测它们的动向。 它在流动性分析方面尤其擅长,有助于理解机构的交易方式。它擅长预测市场趋势,并仔细分析价格波动。通过将您的交易与机构策略对齐,您可以更准确地预测市场走向。该指标多才多艺,擅长分析市场结构,识别重要的订单区块,并识别各种模式。 它擅长识别BOS和CHoCH等模式,理解动量的转变,并突出显示供需强劲的关键区域。它还擅长发现强大的不平衡,并分析价格创造更高高点或更低低点的模式。如果您使用斐波那契回撤工具,该指标可以满足您的需求。它还可以识别相等的高点和低点,分析不同的时间框架,并通过仪表板显示数据。 对于使用更高级策略的交易者,该指标提供了工具,如公平价值差指标和优惠和折扣区域的识别。它特别关注高时间框架订单区块,并
Golden Arrow Scalper
Felipe Jose Costa Pereira
5 (1)
GOLDEN ARROW SCALPER! 主要功能: 精准入场信号 :基于数学计算,识别理想的入场时机,优化您的交易决策。 即时提醒 :每当交易信号出现时,实时接收声音通知。 可自定义设置 :调整EMA参数,使指标与您的交易策略和风格相匹配。 直观的可视化效果 :利用对比鲜明的颜色(海绿色和红色)突出信号,方便阅读和决策。 高速性能 :专为在任何交易平台上快速高效运行而设计。 为什么选择Golden Arrow Scalper? 专家打造 :由Felipe FX开发,他因对交易市场和分析工具的卓越贡献而备受推崇。 实用且易用 :适合初学者和经验丰富的交易者,配置直观且易于使用。 持续更新和支持 :享受定期更新和专属支持,确保您的工具始终跟随市场趋势。 立即获取,让您的交易更加自信精准!
FX Gunslinger
Oleg Rodin
5 (2)
Forex Gunslinger 是一款买入/卖出反转信号指标,其设计理念是在 MTF 模式下结合支撑/阻力、交叉和振荡指标。当一切都对齐时,指标会生成买入或卖出信号。尽管该指标基于 MTF 思想,但该算法非常稳定并生成可靠的反转信号。这是一个 MTF 类型指标,它可以使用更高或更低的时间范围来计算当前图表的信号。但它也可以用于非 mtf 模式。尽管最初的想法是在 MTF 模式下使用该指示器,这样它才能真正发挥作用。 Forex Gunslinger 指标几乎可以与任何交易工具和时间框架一起使用。它可与货币、指数、股票、加密货币和金属一起使用。它适用于任何交易工具。 该指示器提供所有类型的警报,包括推送通知。 购买后请联系我以获得我的交易提示和丰厚奖金! 祝您交易愉快、盈利!
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)
折扣价为299美元! 未来可能会涨价! 请阅读下面的描述! 终极狙击手仪表盘的最佳进入系统。终极动态水平。(请查看我的产品) 由于MT4多币种测试的限制,终极狙击手仪表盘只适用于实时市场。 介绍Ultimate-Sniper Dashboard! 我们最好的产品包括HA-狙击手、MA-狙击手和许多特殊模式。终极狙击手仪表盘是一个绝对的野兽! 对于任何新手或专家交易者来说,这是最好的解决方案! 永远不要再错过任何一个动作! 对于那些喜欢简单和点数的交易者,我们有一个特别的产品给你。本质上很简单,该仪表板根据多种自定义算法查看28种货币对,完成所有工作。只需一张图表,你就可以像专家一样阅读市场。试想一下,如果你能在任何外汇对开始移动时准确地确定其方向,你的交易会有多大的改善。   我们的系统是为了寻找高概率信号并实时向用户发送警报。没有滞后或错误的信号。 为了保持图表的清洁,你可以在不需要时隐藏Ultimate-Sniper。只需按下箭头按钮即可隐藏仪表板。 Ultimate-Sniper适用于从1分钟到月度的所有时间框架,因此你可以在你选择的任何时间框架上快速发现趋势。 高概率信号
PRO Renko System
Oleg Rodin
5 (26)
PRO Renko Arrow Based System for trading renko charts.  准确的信号交易任何外汇工具. 另外,我将免费提供系统的附加模块! PRO Renko系统是RENKO图表上高度准确的交易系统。该系统是通用的。 该交易系统可应用于各种交易工具。 该系统有效地中和了所谓的市场噪音,打开了获得准确反转信号的通道。 该指标易于使用,只有一个参数负责产生信号。 您可以很容易地使算法适应您感兴趣的交易工具和renko酒吧的大小。 我很乐意通过提供任何咨询支持来帮助所有客户有效地使用该指标。 祝您交易成功!购买后,立即写信给我! 我将与您分享我的建议和我的renko发电机。 另外,我将免费提供系统的附加模块!
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
作者的更多信息
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 Brekout EA AFX
Menaka Sachin Thorat
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
筛选:
无评论
回复评论