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


おすすめのプロダクト
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)
この情報インジケーターは、アカウントの現在の状況を常に把握したい人にとって役立ちます。このインジケーターには、ポイント、パーセンテージ、通貨での利益、現在のペアのスプレッド、現在の時間枠でバーが閉じるまでの時間などのデータが表示されます。 バージョンMT5 -   より便利なインジケーター チャート上に情報線を配置するには、いくつかのオプションがあります。 価格の右側 (価格の後ろにあります); コメントとして (グラフの左上隅に); 画面の選択した隅。 情報区切り記号を選択することもできます。 | / 。 \ # インジケーターにはホットキーが組み込まれています。 キー 1 - 情報表示の種類に戻ります (価格、コメント、コーナーの右側) キー 2 - 情報表示の種類を 1 つ進みます。 キー 3 - 情報ライン表示の位置を変更します。 ホットキーは設定で再割り当てできます。 このインジケーターは使いやすく、非常に有益です。設定で不要な情報項目を無効にすることも可能です。 設定 表示された情報を置き換えるホット キー (戻る)   - 情報表示の種類に戻ります。 表示情報を切り替
FREE
外国為替マーケットプロファイル(略してFMP) これは何ではありません: FMPは、従来の文字コード化されたTPO表示ではなく、チャートデータプロファイルの計算全体を表示しません。また、チャートを期間に分割して計算しません。 それが何をするか: 最も重要なことは、FMPインジケーターは、ユーザー定義のスペクトルの左端とユーザー定義のスペクトルの右端の間にあるデータを処理することです。 ユーザーは、インジケーターの両端をマウスで引くだけでスペクトルを定義できます。 インジケーターの右端がライブバーに引き寄せられ、さらに(将来に)引っ張られると、インジケーターは「ライブ」と見なされます(新しいバーで更新されます) インジケーターは、アタッチされているチャートに「アンカー」オブジェクトをドロップし、その後、そのアンカーをハードドライブ上のファイルに関連付けます。 これにより、チャート(またはインジケーター)が閉じられるまで、再起動しても設定が維持された状態で、チャート上で継続的なFMPを実行できます。 FMPインジケーターは、1つのチャート上でそれ自体の多くのインスタンスを実行でき、
FREE
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 - は ProEngulfing インジケーターの無料版です。 ProEngulfing - は Advance Engulf インジケーターの有料版で、 こちらからダウンロードできます。 ProEngulfing の無料版と有料版の違いは何ですか?無料版は1日に1つのシグナルの制限があります。 QualifiedEngulfingをご紹介します - あなたのMT4用のプロフェッショナルエンゴルフパターンインジケーター Precisionの力を解放して、QualifiedEngulfingを使用して外国為替市場での資格のあるエンゴルフパターンを特定および強調する先進的なインジケーターです。MetaTrader 4用に開発されたQualifiedEngulfingは、外国為替市場のエンゴルフパターンを確認およびハイライトするために設計された切り立ったアプローチを提供し、取引の決定に対して最も信頼性の高いシグナルのみを受け取ることを確認します。 QualifiedEngulfingの動作方法: QualifiedEngulfingは、エンゴルフパター
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
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
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
ピボットポイントフィボRSJは、フィボナッチレートを使用してその日のサポートラインとレジスタンスラインを追跡するインジケーターです。 この壮大な指標は、フィボナッチレートを使用してピボットポイントを通じて最大7レベルのサポートとレジスタンスを作成します。 価格がこのサポートとレジスタンスの各レベルを尊重する方法は素晴らしいです。そこでは、オペレーションの可能な入口/出口ポイントを認識することができます。 特徴 最大7レベルのサポートと7レベルの抵抗 レベルの色を個別に設定します 入力 ピボットタイプ ピボットフィボRSJ1 =フィボ比1の計算 ピボットフィボRSJ2 =フィボ比2の計算 ピボットフィボRSJ3 =フィボ比3の計算 ピボットフィボクラシック=クラシックピボット計算 最小ピボットレベル ピボット3レベル ピボット4レベル ピボット5レベル ピボット6レベル ピボット7レベル それでも質問がある場合は、ダイレクトメッセージで私に連絡してください: https://www.mql5.com/ja/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
Smart FVG インジケーター MT4 – MetaTrader 4 向け高度なフェアバリューギャップ検出 Smart FVG インジケーター MT4 は、MetaTrader 4 上で Fair Value Gap(FVG)をプロフェッショナルレベルで検出・監視し、アラートまで行うツールです。ATR ベースのフィルタリングと相場構造を考慮したロジックを組み合わせることで、ノイズを取り除き、流動性に応じて適応し、本当に重要な不均衡だけを残して精度の高い判断をサポートします。 主な特長 正確な FVG 検出:単なるローソク足のギャップではなく、市場の本質的な非効率を捉えます。 ATR ベースの精度:市場や時間軸が変わっても、低品質なシグナルを自動的にフィルタリング。 有効性のリアルタイム追跡:価格がゾーンを埋める/ブレイクすると、ゾーンが自動で延長・調整・削除されます。 カスタマイズ可能な表示:色・ラインスタイル・塗りつぶしを自由に設定し、どんなテンプレートにも合わせられます。 実用的なアラート:新規 FVG や、埋められた/無効化されたゾーンをリアルタイム通知。 パフォーマンス
FREE
Enhanced Volume Profile: The Ultimate Order Flow & Liquidity Analysis Tool Overview Enhanced Volume Profile   is an indicator for MetaTrader 5 that displays the traded volume at specific price levels over a defined period. It separates the total volume into buy and sell components, presenting them as a side-by-side histogram on the chart. This allows users to observe the volume distribution and the proportion of buy and sell volumes at each price level. Graphics Rendering The indicator uses t
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)
主な目的:"ピンバー"は、自動的に金融市場チャート上のピンバーを検出するように設計されています。 ピンバーは、特徴的なボディと長いテールを持つキャンドルであり、トレンドの反転または修正を知らせることができます。 それがどのように機能するか:インジケーターはチャート上の各キャンドルを分析し、キャンドルの体、尾、鼻のサイズを決定します。 事前定義されたパラメータに対応するピンバーが検出されると、インジケータはピンバーの方向(強気または弱気)に応じて、上矢印または下矢印でチャート上に パラメータ: TailToBodyRatio-テールの長さとピンバーのボディサイズの最小比率を定義します。 NoseToTailRatio-ピンバーの「ノーズ」とテールの間の最大許容比を設定します。 ArrowSize-マークされたピンバーとチャート上のピンバーを指す矢印との間の距離を定義します。 適用:"ピン棒"の表示器が潜在的な傾向の逆転ポイントを識別し、市場か近い位置を書き入れる信号を発生させるのに使用することができます。 正しく使用され、他のテクニカル指標や分析方法と組み合わせると、指標は取引結果
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
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
価格波形パターン MT4へようこそ --(ABCD パターン)--     ABCD パターンは、テクニカル分析の世界で強力で広く使用されている取引パターンです。 これは、トレーダーが市場での潜在的な売買機会を特定するために使用する調和的な価格パターンです。 ABCD パターンを使用すると、トレーダーは潜在的な価格変動を予測し、いつ取引を開始および終了するかについて十分な情報に基づいた決定を下すことができます。 EA バージョン :   Price Wave EA MT4 MT5バージョン: Price Wave Pattern  MT5 特徴 :  ABCDパターンの自動検出。 強気パターンと弱気パターン。  任意のシンボルと任意の時間枠で機能します。 主要なレベルと価格目標。 カスタマイズ可能な設定と繊維レベルの調整。 アラートと通知。 今後さらに多くの機能が追加される予定です。 
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
シンプルだが効果的。 反転インジケーター - それは何か? スーパートレンドのロジックと指数曲線技術を組み合わせたトレンドフォロー型オーバーレイインジケーターです。トレンドの方向を検知し、チャート上に動的なチャネルを描画し、トレンドが反転した際にリアルタイムでアラートを送信します。 仕組み ATRとスーパートレンド係数を用いて指数ベースラインを算出。価格がこのベースラインを上抜け/下抜けした時点でトレンド反転を確認。緑矢印は買いトレンド開始、赤矢印は売りトレンド開始を示す。 特徴: ATRベースの動的チャネル付き指数トレンドベースライン 緑/赤で色分けされたトレンドラインと塗りつぶしチャネル トレンド反転時の買い/売り矢印シグナル 内蔵アラート:ポップアップ、プッシュ通知、メール、サウンド 重複アラート防止(1バーあたり1アラート) 完全カスタマイズ可能:色、線幅、矢印サイズ、チャネル幅 遅延のないクリーンなチャートオーバーレイ 入力パラメータ: 指数係数、スーパートレンド係数、ATR期間、チャネル幅 オン/オフ切り替え:チャネル塗りつぶし、矢印、各アラートタイプ 全視覚
FREE
Candle Countdown — MT4用 正確なローソク足カウントダウン Candle Countdown は、 現在のローソク足が閉じるまでの残り時間 をチャート上に表示するシンプルで正確なツールです。 エントリーがローソク足のクローズに依存する場合、数秒の違いが重要になります。 このインジケーターは正確な時間を表示し、焦らずに判断できるようサポートします。 ローソク足のクローズ時間を正確に把握するためのインジケーターです。 表示内容: ローソク足が閉じるまでの残り時間 サーバー現在時刻 スプレッド ストップレベル(Stop Level) タイマーはティックに依存せず、プラットフォームの内部タイマーによって更新されるため、市場の動きが少ない場合でも安定した表示を維持します。 これにより、低ボラティリティの環境でも滑らかで安定したカウントダウンを実現します。 情報は背景付きのブロック内に表示されるため、どのチャートカラーでも見やすく、分析の妨げになりません。 ローソク足のクローズが近づくと、タイマーの色が変化し、視覚的に状況を把握しやすくなります。 MT5版はこちら: Cand
FREE
このプロジェクトが好きなら、5つ星レビューを残してください。 このインジケータは、指定されたためのオープン、ハイ、ロー、クローズ価格を描画します 特定のタイムゾーンの期間と調整が可能です。 これらは、多くの機関や専門家によって見られた重要なレベルです トレーダーは、彼らがより多くのかもしれない場所を知るために有用であり、 アクティブ。 利用可能な期間は次のとおりです。 前の日。 前週。 前の月。 前の四半期。 前年。 または: 現在の日。 現在の週。 現在の月。 現在の四半期。 現年。
FREE
このプロダクトを購入した人は以下も購入しています
Gann Made Easy は、ミスター・ギャンの理論を使用した取引の最良の原則に基づいた、プロフェッショナルで使いやすい外国為替取引システムです。 W・D・ガン。このインジケーターは、ストップロスとテイクプロフィットレベルを含む正確な買いと売りのシグナルを提供します。 PUSH通知を利用して外出先でも取引可能です。 ご購入後、取引方法の説明と優れた追加インジケーターを無料で入手するには、私にご連絡ください! おそらく、ギャンの取引手法についてはすでに何度も聞いたことがあるでしょう。通常、ギャンの理論は初心者のトレーダーだけでなく、すでにある程度の取引経験がある人にとっても非常に複雑なものです。なぜなら、ギャンの取引手法は理論的にはそれほど簡単に適用できるものではないからです。私はその知識を磨き、最良の原則を私の外国為替インジケーターに組み込むために数年を費やしました。 このインジケーターは非常に簡単に適用できます。必要なのは、それをチャートに添付し、簡単な取引推奨事項に従うだけです。このインジケーターは常に市場分析の仕事を行い、取引の機会を探します。適切なエントリーポイントを検出す
M1 SNIPER は使いやすいトレーディングインジケーターシステムです。M1時間足向けに設計された矢印インジケーターです。M1時間足でのスキャルピングのためのスタンドアロンシステムとして、また既存のトレーディングシステムの一部としても使用できます。このトレーディングシステムはM1時間足での取引に特化して設計されていますが、他の時間足でも使用できます。元々、この手法はXAUUSDとBTCUSDの取引用に設計しましたが、他の市場においても役立つと考えています。 インジケーターのシグナルは、トレンドの方向と逆方向に取引できます。インジケーターのシグナルを利用して両方向に取引するのに役立つ特別な取引テクニックをご紹介します。この手法は、特別な動的なサポートとレジスタンスの価格帯を利用することに基づいています。 ご購入後、M1 SNIPER矢印インジケーターをすぐにダウンロードできます。さらに、M1 SNIPERツールのすべてのユーザーに、以下のスクリーンショットに表示されているApollo Dynamic SRインジケーターを無料で提供しています。この2つのインジケーターを組み合わせることで
12% OFF EASTER 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 profitabi
After purchase, contact me privately to receive 1 month of free testing with EA Forex Proton! This advanced MT4 trading robot automatically executes signals from any MT4 indicator, including Market Makers. The latest version also includes AI integration, allowing each trade signal to be analyzed using Artificial Intelligence. Live Signal with EA Forex Proton: Click here Market Makers is a powerful price action trading system designed to identify high-probability Buy and Sell opportunities based
Trend Screener
STE S.S.COMPANY
4.79 (95)
トレンドインジケーター、1つのツールに組み込まれたすべての重要なトレンド機能を備えたトレンドトレーディングとフィルタリングのための画期的なユニークなソリューション! これは、すべてのシンボル/商品(外国為替、商品、暗号通貨、インデックス、株式)で使用できる100%再描画されていないマルチタイムフレームおよびマルチ通貨インジケーターです。 期間限定オファー: サポートおよびレジスタンス スクリーナー インジケーターは、たった 50 ドルで永久的にご利用いただけます。(元の価格 250 ドル) (オファー延長) トレンドスクリーナーは、チャート内のドットで矢印トレンドシグナルを提供するインジケーターに続く効率的なインジケーターです。 トレンド分析インジケーターで使用できる機能: 1.トレンドスキャナー。 2.最大利益分析を備えたトレンドライン。 3.トレンド通貨強度メーター。 4.アラート付きのトレンド反転ドット。 5.アラート付きの強いトレンドドット。 6.トレンド矢印 毎日の分析例、毎日のシグナルパフォーマンス...など、トレンドスクリーナーインジケーターを使用して、ここで見つけること
まず第一に、この取引インジケーターは再描画されず、再描画されず、遅延しないことを強調する価値があります。これにより、手動取引とロボット取引の両方に理想的なものになります。 ユーザーマニュアル:設定、入力、戦略。 アトミックアナリストは、価格の強さとモメンタムを利用して市場でより良いエッジを見つけるためのPA価格アクションインジケーターです。ノイズや誤ったシグナルを除去し、取引ポテンシャルを高めるための高度なフィルターを備えています。複雑なインジケーターの複数のレイヤーを使用して、アトミックアナリストはチャートをスキャンし、複雑な数学的計算をシンプルなシグナルと色に変換します。これにより、どのような初心者トレーダーでも理解して使用し、一貫した取引の決定を行うことができます。 「アトミックアナリスト」は、新規および経験豊富なトレーダー向けにカスタマイズされた包括的な取引ソリューションです。プレミアムインジケーターとトップノッチの機能を1つの取引戦略に組み合わせ、すべてのタイプのトレーダーにとって汎用性のある選択肢にします。 デイリートレーディングとスキャルピング戦略:高速で正確な
Volatility Trend System - a trading system that gives signals for entries. The volatility system gives linear and point signals in the direction of the trend, as well as signals to exit it, without redrawing and delays. The trend indicator monitors the direction of the medium-term trend, shows the direction and its change. The signal indicator is based on changes in volatility and shows market entries. The indicator is equipped with several types of alerts. Can be applied to various trading ins
Ultimate Sniper Dashboard
Hispraise Chinedum Abraham
4.82 (22)
299ドルで割引中! 今後値上げの可能性あり! 下の説明を読んでください! 究極のスナイパーダッシュボードのための最高のエントリーシステム。究極のダイナミックレベル。(私の製品をチェックしてください) 究極のスナイパーダッシュボードはMT4多通貨テスト制限のため、ライブマーケットでのみ作動します。 究極のスナイパーダッシュボードをご紹介します。HA-Sniper、MA-Sniper、その他多くの特別なモードが含まれる最高の製品です。究極のスナイパーダッシュボードは絶対的な獣です! 初心者やエキスパートトレーダーにとって最高のソリューションです。もう二度と動きを見逃さない! シンプルさとピップを愛するトレーダーのために、特別な製品をご用意しました。シンプルでありながら、ダッシュボードは複数のカスタムアルゴリズムに基づき28の通貨ペアを監視し、すべての作業を行います。たった一つのチャートで、プロのように市場を読み解くことができます。もし、為替ペアが動き出したときに、その方向性を正確に特定することができれば、あなたの取引はどれほど改善されることでしょう。   当社のシステムは、高い確率
Super Signal – Skyblade Edition プロ仕様のノンリペイント / ノーラグ・トレンドシグナルシステム。卓越した勝率を実現 | MT4 / MT5 対応 1分足、5分足、15分足などの低い時間足で最も効果を発揮します。 主な特徴: Super Signal – Skyblade Edition は、トレンド取引に特化したスマートなシグナルシステムです。マルチレイヤーのフィルターロジックを用いて、明確な方向性と実際のモメンタムに支えられた強力なトレンドのみを検出します。 このシステムは 天井や底を予測するものではありません 。次の3つの条件がすべて満たされた場合にのみシグナルを発生させます: 明確なトレンド方向 モメンタムの増加 健全なボラティリティ構造 市場セッションに基づく流動性分析と組み合わせることで、シグナルの精度とタイミングがさらに向上します。 シグナルの特性: すべての矢印シグナルは 100% 非リペイント / 遅延なし 一度出現したシグナルは固定され、点滅・消失しません チャート上の矢印、情報パネル、ポップアップ通知、音声アラート、プッシュ通知
Trend indicator AI
Ramil Minniakhmetov
4.53 (83)
Trend Ai indicatorは、トレンドの識別と実用的なエントリポイントと反転アラートを組み合わせることで、トレーダーの市場分析を強化する優れたツールです。 この指標は、ユーザーが自信と正確さで外国為替市場の複雑さをナビゲートすることを可能にします トレンドAiインジケーターは、主要なシグナル以外にも、プルバックやリトレースメント中に発生するセカンダリエントリポイントを識別し、トレーダーが確立されたトレンド内の価格修正を活用できるようにします。 重要な利点: *MT4およびMT5の仕事 *明確な買いまたは売りシグナル *再描画しません ·すべての資産で動作します 私はeaやセットをtelegram it詐欺で販売しないように注意してください。 すべての設定はここでブログで無料です。  重要! 指示とボーナスを得るために購入後すぐに私に連絡してください! 私の他のプロダクトと同様、実質操作の監視はここに見つけることができます: https://www.mql5.com/en/users/mechanic/seller&nbsp ; 設定および入力: すべての
Advanced Supply Demand
Bernhard Schweigert
4.91 (299)
現在40%オフ 初心者にもエキスパートトレーダーにも最適なソリューション このインジケーターは独自の機能と新しい公式を多数内蔵しており、ユニークで高品質かつ手頃な取引ツールです。このアップデートでは、2つの時間枠ゾーンを表示できるようになります。より長いTFだけでなく、チャートTFとより長いTF(ネストゾーンを表示)の両方を表示できます。すべてのSupply Demandトレーダーの皆さんのお気に召すはずです。:) 重要情報の公開 Advanced Supply Demandの可能性を最大化するには、 https://www.mql5.com/ja/blogs/post/720245 にアクセスしてください。   エントリーまたはターゲットの正確なトリガーポイントを正確に特定できれば取引がどのように改善されるか想像してみてください。新しい基盤となるアルゴリズムに基づいて構築されているため、買い手と売り手の間の潜在的な不均衡をさらに簡単に特定できます。これは、最も強い需要と供給のゾーンと、過去のパフォーマンス(古いゾーンを表示)がグラフィカルに表現されるためです。これらの機能は、最適な
「 Dynamic Scalper System 」インジケーターは、トレンド波の中でスキャルピング取引を行う手法のために設計されています。 主要通貨ペアと金でテスト済みで、他の取引商品との互換性があります。 トレンドに沿った短期的なポジションオープンのシグナルを提供し、追加の価格変動サポートも提供します。 インジケーターの原理 大きな矢印はトレンドの方向を決定します。 トレンド波の中では、小さな矢印の形でスキャルピングシグナルを生成するアルゴリズムが機能します。 赤い矢印は強気方向、青い矢印は弱気方向です。 トレンドの方向には敏感な価格変動ラインが描かれ、小さな矢印のシグナルと連動します。 シグナルは次のように機能します。適切なタイミングでラインが現れるとエントリーシグナルが形成され、ラインが開いている間はポジションが保持され、完了すると取引が終了します。 推奨される動作時間枠はM1~H4です。 矢印は現在のローソク足に形成され、次のローソク足が開いている場合は、前のローソク足の矢印は再描画されません。 入力パラメータ Trend Wave Period - トレンド方向
PRO Renko Systemは、特別にRENKOチャートを取引するために設計された高精度の取引システムです。 これは、様々な取引商品に適用することができる普遍的なシステムです。 システムは効果的に正確な逆転信号へのアクセスを与えるいわゆる市場の騒音を中和する。 表示器は非常に使いやすく、信号の生成に責任がある1つの変数だけがあります。 あなたは簡単にお好みの任意の取引ツールとレンコバーのサイズにツールを適応させることができます。 私はいつもあなたが私のソフトウェアで収益性の高い取引を支援するために余分なサポートを提供する準備ができています! 私はあなたに幸せで収益性の高い取引をしたいです! ご購入後にご連絡ください! 私はあなたに私のレンコチャートジェネレータを送信します。 私はまた、私の個人的な推奨事項やシステムの他のモジュールを無料で共有します!
BTMM State Engine Pro is a MetaTrader 4 indicator for traders who use the Beat The Market Maker approach: Asian session context, kill zone timing, level progression, peak formation detection, and a multi-pair scanner from a single chart. It combines cycle state logic with a built-in scanner dashboard so you do not need the same tool on many charts at once. What it does Draws the Asian session range; session times can follow broker server offset or be set in inputs. Tracks level progression (L
現在40%オフ 初心者やエキスパートトレーダーに最適なソリューション! このインジケーターは、独自の機能と新しい計算式を取り入れた、ユニークで高品質、かつ手頃な価格のトレーディングツールです。たった1枚のチャートで28の為替ペアの通貨強度を読み取ることができます。新しいトレンドやスキャルピングチャンスの引き金となるポイントを正確に特定することができるので、あなたのトレードがどのように改善されるか想像してみてください。 ユーザーマニュアルはこちら  https://www.mql5.com/en/blogs/post/697384 これが最初の1本、オリジナルだ! 価値のないクローンを買わないでください。 特別な サブウィンドウの矢印で強い通貨の勢いを表示 GAPがあなたのトレードを導く! 基準通貨や気配値が売られすぎ・買われすぎのゾーン(外相フィボナッチレベル)にあるとき、個別チャートのメインウィンドウに警告表示。 通貨がレンジの外側から反落した場合、プルバック/リバーサルのアラート。 クロスパターンの特別なアラート 複数の時間枠を選択可能で、トレンドを素早く確認できます
Easy Breakout
Mohamed Hassan
4.71 (14)
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
Scalper Vault は、スキャルピングを成功させるために必要なすべてを提供するプロフェッショナルなスキャルピング システムです。このインジケーターは、外国為替およびバイナリー オプションのトレーダーが使用できる完全な取引システムです。推奨される時間枠は M5 です。 システムは、トレンドの方向に正確な矢印シグナルを提供します。また、トップとボトムのシグナルとギャン マーケット レベルも提供します。 インジケーターは、プッシュ通知を含むすべてのタイプのアラートを提供します。 インジケータの購入後にご連絡ください。私の個人的な取引の推奨事項と素晴らしいボーナス指標を無料で共有します! 幸せで有益な取引をお祈りします!
トレンドラインプロ   市場の真の方向転換点を理解するのに役立ちます。この指標は、真のトレンド反転と主要プレーヤーが再び参入するポイントを示します。 分かりますか     BOSライン   複雑な設定や不要なノイズなしに、より長い時間足でのトレンドの変化と重要なレベルを把握できます。シグナルは再描画されず、バーが閉じた後もチャート上に残ります。 VERSION MT 5     -     RFI LEVELS PRO インジケーター と組み合わせることで、その潜在能力を最大限に発揮します。 インジケーターが示す内容: 本当の変化   トレンド(BOSライン) 一度シグナルが現れたら、それは有効です!これは、リペイント機能を持つインジケーターとの重要な違いです。リペイント機能を持つインジケーターは、シグナルを発した後、それを変更し、資金の損失につながる可能性があります。これにより、より高い確率と精度で市場に参入できます。また、矢印が現れた後、目標値(利益確定)に達するか、反転シグナルが現れるまで、ローソク足の色を変更する機能もあります。 繰り返しエントリ       主要プレーヤーの
GOLD Impulse with Alert
Bernhard Schweigert
4.67 (12)
このインディケータは、当社の2つの製品 Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . のスーパーコンビネーションです。 このインジケーターは全ての時間枠で作動し、8つの主要通貨と1つのシンボルの強弱のインパルスをグラフで表示します。 このインジケータは、金、エキゾチックペア、商品、インデックス、先物など、あらゆるシンボルの通貨強度の加速度を表示することに特化されています。金、銀、原油、DAX、US30、MXN、TRY、CNHなどの通貨強度の加速度(インパルスまたは速度)を表示するために、任意のシンボルを9行目に追加できる、この種の最初のものです。 新しいアルゴリズムに基づいて構築され、潜在的な取引の特定と確認がさらに容易になりました。これは、通貨の強さや弱さが加速しているかどうかをグラフィカルに表示し、その加速の速度を測定するためです。加速すると物事は明らかに速く進みますが、これはFX市場でも同じです。つまり、反対方向に加速している通貨をペアリングすれば、潜在的に利益を生む取引を特定
- Real price is 80$ - 40% Discount (It is 49$ now) Contact me for instruction, add group and any questions! - 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. - Lifetime update free Related product:   Bitcoin Expert 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 tr
KT Gaussian Trend Filter は、ガウスフィルターと線形回帰スムージングを組み合わせることで、明確かつ正確なトレンド分析を実現します。わかりやすい買いと売りのシグナルを生成しながら、市場の長期的な方向性を効果的に示します。 機能 カスタマイズ可能なガウスフィルター: 期間やポール設定を調整してスムージング精度を高め、トレンドの明瞭さを向上。 線形回帰による強化: ガウススムージングをさらに最適化し、市場のノイズによる誤信号を最小限に抑えます。 マルチタイムフレームスキャナー: 複数の時間軸におけるガウストレンドの方向を自動検出し、わかりやすいダッシュボードに表示します。 トレーリングバンド機能: トレンド中の深い押し目でのエントリーポイントを簡単に把握可能。 カラーカスタマイズ対応: チャートの配色や取引スタイルに合わせて色を自由に設定できます。 内蔵アラート機能: ポップアップ、メール、プッシュ通知、サウンドアラートで即時通知を受け取れます。 使い方 このインジケーターは明確なシグナルを提供し、トレーダーがエントリーやエグジットのタイミングを判断しやすくします
Route Lines Prices -は、価格の方向性を予測するために設計されたインジケーターです。シンプルなインターフェースには、価格変動と将来の方向性を計算するための複数のアルゴリズムが搭載されています。これらのアルゴリズムには、使用する時間枠に基づいたボラティリティ計算と価格平滑化が含まれています。 このインジケーターには、「 Calculating price values 」値を変更するためのパラメーターが1つだけあります。デフォルト値の1は、バランスの取れた自動計算を提供し、インジケーターを手動で設定することなく使用できます。 値を2から500まで手動で変更することで、インジケーターを独自のトレーディングシステムに合わせてカスタマイズできます。 このインジケーターは、M1からH4の時間枠での使用を推奨します。あらゆる取引銘柄で使用できます。 シグナル矢印はローソク足の終値で生成され、過去の履歴には再描画されません。 メインチャートには、重複した矢印が表示されます。 複数のアラートタイプが利用可能です。内蔵のライン軌跡カウンターは、終値に基づいて動作します。これ
現在40%OFF! 初心者やエキスパートトレーダーのためのベストソリューション! このダッシュボードソフトウェアは、28の通貨ペアで動作しています。それは私達の主要な指標(高度な通貨の強さ28と高度な通貨インパルス)の2に基づいています。それは全体の外国為替市場の大きい概観を与えます。それは、すべての(9)時間枠で28の外国為替ペアのための高度な通貨の強さの値、通貨の動きの速度と信号を示しています。チャート上で1つのインディケータを使用して市場全体を観察し、トレンドやスキャルピングの機会をピンポイントで見つけることができたら、あなたのトレードがどのように改善されるか想像してみてください。 このインディケータには、強い通貨と弱い通貨の識別、潜在的な取引の識別と確認がより簡単になるような機能が搭載されています。このインディケータは、通貨の強さや弱さが増加しているか減少しているか、また、すべての時間枠でどのように機能しているかをグラフィカルに表示します。 新機能として、現在の市場環境の変化に適応するダイナミックなマーケットフィボナッチレベルが追加され、すでに当社のAdvanced
Stratos Pali
Michela Russo
4.43 (7)
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
これは、キャンドルの終値を予測する指標です。 このインジケータは、主にD1チャートでの使用を目的としていますが. この指標は、従来の外国為替取引とバイナリオプション取引の両方に適しています。 インジケーターは、スタンドアロンのトレーディングシステムとして使用することも、既存のトレーディングシステムへの追加として機能させることもできます。 このインジケーターは、現在のキャンドルを分析し、キャンドル自体の内部の特定の強度係数と、前のキャンドルのパラメーターを計算します。 したがって、この指標は、市場の動きのさらなる方向性と現在のキャンドルの終値を予測します。 この方法のおかげで、この指標は、短期の日中取引だけでなく、中期および長期の取引にも適しています。 インジケーターを使用すると、市場の状況の分析中にインジケーターが生成する潜在的な信号の数を設定できます。 インジケーターの設定には、このための特別なパラメーターがあります。 また、インジケーターは、チャート上のメッセージの形式で、電子メールで、およびPUSH通知の形式で、新しい信号について通知することができます。 購入後は必ず私に書いて
Dynamic Forex28 Navigator - 次世代の Forex 取引ツール。 現在 49% オフ。 Dynamic Forex28 Navigator は、長年人気のインジケーターを進化させたもので、3 つの機能を 1 つにまとめています。 Advanced Currency Strength28 インジケーター (レビュー 695 件)  + Advanced Currency IMPULSE with ALERT (レビュー 520 件) + CS28 コンボ シグナル (ボーナス)。 インジケーターの詳細 https://www.mql5.com/en/blogs/post/758844 次世代の Strength インジケーターが提供するもの  オリジナルで気に入っていたすべての機能が、新機能と精度の向上によって強化されました。 主な機能: 独自の通貨強度計算式。 すべての時間枠でスムーズかつ正確な強度ライン。 トレンドの特定と正確なエントリーに最適です。 ダイナミックマーケットフィボナッチレベル (マーケットフィボナッチ)。 このインジケーターに固有
Miraculous Indicator – ガン・スクエア・オブ・ナインに基づく100%非リペイントのFXおよびバイナリーツール この動画では、FXおよびバイナリーオプションのトレーダー向けに特別に開発された、非常に正確で強力な取引ツールである Miraculous Indicator を紹介しています。このインジケーターがユニークなのは、伝説的な ガン・スクエア・オブ・ナイン と ガンの振動の法則 に基づいている点で、現代の取引で利用できる最も正確な予測ツールの一つとなっています。 Miraculous Indicatorは 完全に非リペイント であり、ローソク足が確定した後にシグナルが変化したり消えたりすることはありません。つまり、見たものがそのまま利用できます。これにより、トレーダーは自信を持ってエントリーおよびエグジットを行うための信頼性と一貫性のある根拠を得ることができます。 主な特徴: ガン・スクエア・オブ・ナインとガン理論に基づいて構築 100%非リペイントのシグナルシステム すべての時間枠(M1、M5、H1、H4、日足、週足)で機能 FXおよびバイナリーオプション取引
現在20%OFF! 初心者やエキスパートトレーダーに最適なソリューションです。 このインディケータは、エキゾチックペア・コモディティ・インデックス・先物など、あらゆるシンボルの通貨の強さを表示することに特化したインディケータです。金、銀、原油、DAX、US30、MXN、TRY、CNHなどの通貨の強さを表示するために、9行目にどのシンボルでも追加することができます。独自の機能を多数搭載し、新しい計算式を採用したため、ユニークで高品質、かつ手頃な価格のトレーディングツールとなっています。新しいトレンドやスキャルピングチャンスのトリガーポイントを正確に把握することができるため、あなたのトレードがどのように改善されるか想像してみてください。 ユーザーマニュアル:ここをクリック   https://www.mql5.com/en/blogs/post/708876 すべての時間枠に対応します。あなたはすぐにトレンドを見ることができるようになります! 新しいアルゴリズムに基づいて設計されているため、潜在的な取引の特定と確認がより簡単になります。これは、8つの主要通貨と1つのシンボルの強弱
FX Volume
Daniel Stein
4.63 (38)
FX Volume:ブローカー視点で捉える本物の市場センチメント クイック概要 トレード手法をさらに高めたいとお考えですか? FX Volume は、リテールトレーダーやブローカーのポジション状況をリアルタイムで提供します。これは、COTのような遅延レポートよりもはるかに早く知ることができます。安定した利益を目指す方も、さらなる優位性を求める方も、 FX Volume は大きな不均衡を見極め、ブレイクアウトを確認し、リスク管理を洗練させるのに役立ちます。今すぐ始めて、実際の出来高データがどのように意思決定を変革するかを体感してください! 1. FX Volume がトレーダーにとって非常に有益な理由 高精度の早期警戒シグナル • 各通貨ペアを売買しているトレーダー数を、他者よりも早く、ほぼリアルタイムで把握できます。 • FX Volume は、複数のリテールブローカーから得られる本物の出来高データを収集し、分かりやすい形式で提供する 唯一 のツールです。 強力なリスク管理 • ロングやショートの大きな偏り(インバランス)を特定し、潜在的なトレンド転換を見逃しません。ストップ
Huge 70% Halloween Sale for 24 hours only!  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 confiden
作者のその他のプロダクト
Breakout Master EA
Menaka Sachin Thorat
5 (4)
"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
UTBot EA is an automated trading system for MetaTrader 5. It includes built-in UTBot logic, Heiken Ashi integration, and a multi-filter system (MA, RSI, MACD, ADX). The system operates on any symbol and timeframe with two available trading modes: Normal and Martingale. Features No external indicators required Built-in ATR based UTBot signal generation Filter system using MA, RSI, MACD and ADX Trailing stop and breakeven management Trading hours filter Spread filter Real-time account monitoring
FREE
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
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 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
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
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
フィルタ:
レビューなし
レビューに返信