• 미리보기
  • 리뷰
  • 코멘트 (4)
  • 새 소식

UT Bot Alerts by QuantNomad MT4

To get access to MT5 version please click here.

  • This is the exact conversion from TradingView: "UT Bot Alerts" by "QuantNomad".
  • The screenshot shows 95% similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. It should be 100%. However I realized there are small difference between quotes even if brokers are the same. This is strange... I think the indicator logic is very data dependent. I have done quite a lot of conversions from tradingview and do not see anything wrong regarding this indicator... You can trust me. If I find out something I will update and let you know. 
  • This is a light-load processing and non-repaint indicator.
  • Buffers are available for processing in EAs.
  • Candle color option is not available.
  • 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 Alerts.

#property strict

input string EA_Setting="";
input int magic_number=1234;
input double fixed_lot_size=0.01; // select fixed lot size

input string    UTBOT_Setting="";
input double a = 2; //Key Vaule
input int c = 11; //ATR Period
bool h = false; //Signals from Heikin Ashi Candles

void OnTick()
  {
      if(!isNewBar()) return;
         
      bool buy_condition=true;
      buy_condition &= (BuyCount()==0);
      buy_condition &= (IsUTBOTBuy(1));
      if(buy_condition) 
      {
         CloseSell();
         Buy();
      }
         
      bool sell_condition=true;
      sell_condition &= (SellCount()==0);
      sell_condition &= (IsUTBOTSell(1));
      if(sell_condition) 
      {
         CloseBuy();
         Sell();
      }
  }

bool IsUTBOTBuy(int index)
{
   double value_buy=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\UT Bot Alerts by QuantNomad MT4",
    a, c, h, 6, index);
   return value_buy!=EMPTY_VALUE;
}

bool IsUTBOTSell(int index)
{
   double value_sell=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\UT Bot Alerts by QuantNomad MT4",
    a, c, h, 7, index);
   return value_sell!=EMPTY_VALUE;
}

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;
}

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;
}

void Buy()
{
   if(OrderSend(_Symbol, OP_BUY, fixed_lot_size, Ask, 3, 0, 0, NULL, magic_number, 0, clrNONE)==-1)
   {
      Print("Error Executing Order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   if(OrderSend(_Symbol, OP_SELL, fixed_lot_size, Bid, 3, 0, 0, NULL, magic_number, 0, clrNONE)==-1)
   {
      Print("Error Executing Order: ", GetLastError());
      //ExpertRemove();
   }
}

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

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

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;
}




















































































추천 제품
VR Cub
Vladimir Pastushak
VR Cub 은 고품질 진입점을 얻는 지표입니다. 이 지표는 수학적 계산을 용이하게 하고 포지션 진입점 검색을 단순화하기 위해 개발되었습니다. 지표가 작성된 거래 전략은 수년 동안 그 효율성을 입증해 왔습니다. 거래 전략의 단순성은 초보 거래자라도 성공적으로 거래할 수 있다는 큰 장점입니다. VR Cub은 포지션 개시 지점과 이익 실현 및 손절매 목표 수준을 계산하여 효율성과 사용 편의성을 크게 높입니다. 간단한 거래 규칙을 이해하려면 아래 전략을 사용한 거래 스크린샷을 살펴보세요. 설정, 세트 파일, 데모 버전, 지침, 문제 해결 등은 다음에서 얻을 수 있습니다. [블로그] 다음에서 리뷰를 읽거나 작성할 수 있습니다. [링크] 버전 [MetaTrader 5] 진입점 계산 규칙 포지션 개설 진입점을 계산하려면 VR Cub 도구를 마지막 최고점에서 마지막 최저점까지 늘려야 합니다. 첫 번째 지점이 두 번째 지점보다 빠른 경우, 거래자는 막대가 중간선 위에서 마감될 때까지 기다립니다
Trend Oscillator mw
DMITRII GRIDASOV
Trend Oscillator - 고급 맞춤형 Crypto_Forex 지표, 효율적인 거래 도구입니다! - 고급 새로운 계산 방법 사용 - 매개변수 "계산 가격"에 대한 20가지 옵션. - 지금까지 개발된 가장 매끄러운 오실레이터. - 상승 추세는 녹색, 하락 추세는 빨간색. - 과매도 값: 5 미만, 과매도 값: 95 이상. - 이 지표로 표준 전략도 업그레이드할 수 있는 기회가 많습니다. - PC 및 모바일 알림. ................................................................................................................................................ // 더 훌륭한 전문가 자문가 및 지표는 여기에서 확인할 수 있습니다: https://www.mql5.com/en/users/def1380/seller 이 MQL5 웹사이트에서만 제공되는 오리지널 제품입니다.
EZZ Elite Zig Zag is an indicator for the MetaTrader 4 terminal. This indicator traces the peak of the trend based on the market reversal, thus showing various opportunities in the financial market. EZZ Elite Zig Zag is a visual tool, intuitive, and easy to understand and use.  Test it Yourself by Downloading it for Free. Author Paulo Rocha all rights reserved
Master scalping M1
Nataliia Marchuk
Master Scalping M1 is an innovative indicator that uses an algorithm to quickly and accurately determine the trend.The indicator calculates the time of opening and closing positions, the indicator's algorithms allow you to find the ideal moments to enter a deal (buy or sell an asset), which increase the success of transactions for most traders. Benefits of the indicator: Easy to assemble, does not overload the chart with unnecessary information. Can be used as a filter for any strategy. Works on
Noize Absorption Index MT4
Ekaterina Saltykova
5 (1)
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation. S
Trend Divergence Finder – индикатор, позволяющий выявлять дивергенции цены и графика выбранного индикатора. С помощью Trend Divergence Finder вы сможете подобрать тот индикатор, который наиболее эффективен для Вас, и использовать его с наглядным отображением на графике. В индикатор включены 9 базовых индикаторов : 1.        RSI 2.        MACD 3.        MOMENTUM 4.        RVI 5.        STOCHASTIC 6.        CCI 7.        Standard Deviation 8.        Derivative 9.        William Blau Присутствую
Fibonacci retracement and extension line drawing tool Fibonacci retracement and extended line drawing tool for MT4 platform is suitable for traders who use  golden section trading Advantages: There is no extra line, no too long line, and it is easy to observe and find trading opportunities Trial version: https://www.mql5.com/zh/market/product/35884 Main functions: 1. Multiple groups of Fibonacci turns can be drawn directly, and the relationship between important turning points can be seen
Super Reversal Pattern
Parfait Mujinga Ndalika
Super Reversal Pattern Indicator Unlock the power of advanced pattern recognition with our Super Reversal Pattern Indicator. Designed for traders seeking precision and reliability, this indicator identifies one of the most effective reversal patterns in technical analysis, offering a significant edge in your trading strategy. Key Features: Non-Repainting Accuracy: Enjoy the confidence of non-repainting technology. Once a Super Reversal Pattern is detected, it remains static, providing consiste
Royal Dutch Skunk
Sayan Vandenhout
ROYAL DUTCH SKUNK USES THE TREND WAVE INDICATOR AND IT CAN IDENTIFY THE BEGINNING AND THE END OF A NEW WAVE TREND MOVEMENT. AS AN OSCILLATOR, THE INDICATOR IDENTIFIES THE OVERBOUGHT AND OVERSOLD ZONES. IT WORKS GREAT TO CATCH THE SHORT TERM PRICE REVERSALS AND USES A MARTINGALE STRATEGY TO CLOSE ALL TRADES IN PROFIT. USE DEFAULT SETTINGS ON H1 OR HIGHER TIME FRAME ON ANY PAIR FOR MORE ACCURATE TRADES WHY THIS EA : Smart entries calculated by 6 great strategies The EA can be run on even a $20000
The indicator displays the data of the Stochastic oscillator from a higher timeframe on the chart. The main and signal lines are displayed in a separate window. The stepped response is not smoothed. The indicator is useful for practicing "manual" forex trading strategies, which use the data from several screens with different timeframes of a single symbol. The indicator uses the settings that are identical to the standard ones, and a drop-down list for selecting the timeframe. Indicator Paramet
RSI Speed mt
DMITRII GRIDASOV
MT4용 Crypto_Forex 지표 "RSI SPEED" - 훌륭한 예측 도구, No Repaint. - 이 지표의 계산은 물리학 방정식을 기반으로 합니다. RSI SPEED는 RSI 자체의 1차 도함수입니다. - RSI SPEED는 주요 추세 방향으로 스캘핑 진입에 좋습니다. - HTF MA(그림 참조)와 같은 적절한 추세 지표와 함께 사용합니다. - RSI SPEED 지표는 RSI 자체가 방향을 얼마나 빨리 변경하는지 보여줍니다. 매우 민감합니다. - 모멘텀 거래 전략에 RSI SPEED 지표를 사용하는 것이 좋습니다. RSI SPEED 지표 값이 < 0이면 가격 모멘텀이 하락하고 RSI SPEED 지표 값이 > 0이면 가격 모멘텀이 상승합니다. - 지표에는 모바일 및 PC 알림이 내장되어 있습니다. // 더 훌륭한 전문가 자문가와 지표는 여기에서 제공됩니다: https://www.mql5.com/en/users/def1380/seller 이것은 이 MQL5 웹사이트에서만
The True Market Indicator
Thomas William Kelly
FREE FOR A LIMITED TIME ONLY!!! The Ultimate Indicator For Trading Trend This indicator clearly shows you the strength of the market in one direction or the other, which means that you can trade knowing you are either with or against the market. When used in conjunction with the +3R principles you are sure to have some serious results. The +3R Principles Routine - This is when you trade and how often  Rules - This is the rule you follow  Risk:Reward - This is the percentage amount of your accoun
Forex Gump
Andrey Kozak
2.4 (5)
Forex Gump is a fully finished semi-automatic trading system. In the form of arrows, signals are displayed on the screen for opening and closing deals. All you need is to follow the instructions of the indicator. When the indicator shows a blue arrow, you need to open a buy order. When the indicator shows a red arrow, you need to open a sell order. Close orders when the indicator draws a yellow cross. In order to get the most effective result, we recommend using the timeframes H1, H4, D1. There
MT4용 Crypto_Forex 지표 "3 Black Crows 패턴" - 지표 "3 Black Crows 패턴"은 가격 액션 거래에 매우 강력합니다. 다시 칠할 필요 없고 지연도 없습니다. - 지표는 차트에서 하락세 "3 Black Crows" 패턴을 감지합니다. 차트에 빨간색 화살표 신호가 표시됩니다(그림 참조). - PC, 모바일 및 이메일 알림이 제공됩니다. - 형제 지표인 상승세 "3 White Soldiers 패턴" 지표도 제공됩니다(아래 링크를 클릭하세요). - 지표 "3 Black Crows 패턴"은 지지/저항 수준과 결합하기에 매우 좋습니다. // 더 많은 훌륭한 전문가 자문가와 지표는 여기에서 확인할 수 있습니다: https://www.mql5.com/en/users/def1380/seller 이 MQL5 웹사이트에서만 제공되는 오리지널 제품입니다.
Trendiness Index
Libertas LLC
5 (3)
"The trend is your friend" is one of the best known sayings in investing, because capturing large trendy price movements can be extremely profitable. However, trading with the trend is often easier said than done, because many indicators are based on price reversals not trends. These aren't very effective at identifying trendy periods, or predicting whether trends will continue. We developed the Trendiness Index to help address this problem by indicating the strength and direction of price trend
Gvs Undefeated Trend   indicator is designed for trend and signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  You can only trade with this indicator. The generated signals are displayed on the graphical screen.  Thanks to the alert features you ca
Strong Retracement Points Pro demo edition! SRP (Strong Retracement/Reversal Points) is a powerful and unique support and resistance indicator. It displays the closest important levels which we expect the price retracement/reversal! If all level are broken from one side, it recalculates and draws new support and resistance levels, so the levels might be valid for several days depending on the market! If you are still hesitating to start using this wonderful tool, you can check this link to see h
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
PZ Penta O MT4
PZ TRADING SLU
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
MACDivergence MTF
Pavel Zamoshnikov
4.29 (7)
Advanced ideas of the popular MACD indicator: It detects and displays classic and reverse divergences (three methods of detecting divergences). It uses different color to highlight an uptrend and a downtrend. Two methods of determining a trend: а) MACD crosses the 0 level (classic signal); б) MACD crosses its own average (early signal). This is a multi-timeframe indicator: it can display MACD data from other timeframes. Two methods of drawing: classic histogram and line. It generates sound and v
Cosmic Diviner X Planet
Olena Kondratenko
4 (2)
This unique multi-currency strategy simultaneously determines the strength of trends and market entry points, visualizing this using histograms on the chart. The indicator is optimally adapted for trading on the timeframes М5, М15, М30, Н1. For the convenience of users, the indicator renders the entry point (in the form of an arrow), recommended take profit levels (TP1, TP2 with text labels) and the recommended Stop Loss level. The take profit levels (TP1, TP2) are automatically calculated for
PipFinite Exit EDGE
Karlo Wilson Vendiola
4.83 (115)
Did You Have A Profitable Trade But Suddenly Reversed? In a solid strategy, exiting a trade is equally important as entering. Exit EDGE helps maximize your current trade profit and avoid turning winning trades to losers. Never Miss An Exit Signal Again Monitor all pairs and timeframes in just 1 chart www.mql5.com/en/blogs/post/726558 How To Trade You can close your open trades as soon as you receive a signal Close your Buy orders if you receive an Exit Buy Signal. Close your Sell orders if
Fibonacci Auto Drawing
Makarii Gubaydullin
Automatically plots Fibo levels, based on the High & Low prices from the specified time frame Multiple bars may be united: e.g. you can get a Fibo based on the 10-days Highs and Lows My   #1 Utility : 65+ features, including this indicator  |   Contact me  for any questions  |  MT5 version Helps to see potential reversal levels; Patterns formed at the Fibo levels tend to be stronger; Significantly reduces the time spent on manual  plotting ; Settings: Timeframe to calculate the base High & Low p
ZhiBiCCI MT4
Qiuyang Zheng
[ZhiBiCCI] indicators are suitable for all cycle use, and are also suitable for all market varieties. [ZhiBiCCI] Green solid line is a reversal of bullish divergence. The green dotted line is a classic bullish divergence. [ZhiBiCCI] The solid line to the red is a reverse bearish divergence. The red dotted line is a classical bearish divergence. [ZhiBiCCI] can be set in the parameters (Alert, Send mail, Send notification), set to (true) to send instant signals to the alarm window, email, insta
Quantum Heiken Ashi PRO MT4
Bogdan Ion Puscasu
4.33 (6)
소개       Quantum Heiken Ashi PRO   차트 시장 동향에 대한 명확한 통찰력을 제공하도록 설계된 Heiken Ashi 양초는 노이즈를 필터링하고 잘못된 신호를 제거하는 기능으로 유명합니다. 혼란스러운 가격 변동에 작별을 고하고 더 매끄럽고 신뢰할 수 있는 차트 표현을 만나보세요. Quantum Heiken Ashi PRO를 정말 독특하게 만드는 것은 전통적인 촛대 데이터를 읽기 쉬운 색상 막대로 변환하는 혁신적인 공식입니다. 빨간색과 녹색 막대는 각각 약세와 강세 추세를 우아하게 강조하여 잠재적 진입점과 퇴장점을 매우 정확하게 파악할 수 있습니다. Quantum EA 채널:       여기를 클릭하세요 MT5 버전:       여기를 클릭하세요 이 놀라운 지표는 다음과 같은 몇 가지 주요 이점을 제공합니다. 선명도 향상: Heiken Ashi 바는 가격 변동을 완화하여 시장 추세를 보다 명확하게 나타내므로 유리한 거래 기회를 쉽게 식별할 수 있습니다.
This is a new strategy for SUPPLY DEMAND areas It is based on a calculation using the tick volume to detect the big price action in market for both bear /bull actions this smart volume action candles are used to determine the supply and demand areas prices in between main supply and demand lines indicate sideway market  up arrows will be shown when prices moves above the main supply and the secondary supply lines Down arrows will be shown when prices moves below the main demand and the secondary
Atomic Analyst
Issam Kassas
5 (2)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한 일일
Alpha Trend sign has been a very popular trading tool in our company for a long time. It can verify our trading system and clearly indicate trading signals, and the signals will not drift. Main functions: Based on the market display of active areas, indicators can be used to intuitively determine whether the current market trend belongs to a trend market or a volatile market. And enter the market according to the indicator arrows, with green arrows indicating buy and red arrows indicating se
The Th3Eng PipFinite indicator is based on a very excellent analysis of the right trend direction with perfect custom algorithms. It show the true direction and the best point to start trading. With StopLoss point and Three Take Profit points. Also it show the right pivot of the price and small points to order to replace the dynamic support and resistance channel, Which surrounds the price. And Finally it draws a very helpful Box on the left side on the chart includes (take profits and Stop loss
Owl smart levels
Sergey Ermolov
4.34 (35)
MT5 버전  |   FAQ Owl Smart Levels Indicator 는   Bill Williams 의 고급 프랙탈, 시장의 올바른 파동 구조를 구축하는 Valable ZigZag, 정확한 진입 수준을 표시하는 피보나치 수준과 같은 인기 있는 시장 분석 도구를 포함하는 하나의 지표 내에서 완전한 거래 시스템입니다. 시장과 이익을 취하는 장소로. 전략에 대한 자세한 설명 표시기 작업에 대한 지침 고문-거래 올빼미 도우미의 조수 개인 사용자 채팅 ->구입 후 나에게 쓰기,나는 개인 채팅에 당신을 추가하고 거기에 모든 보너스를 다운로드 할 수 있습니다 힘은 단순함에 있습니다! Owl Smart Levels   거래 시스템은 사용하기 매우 쉽기 때문에 전문가와 이제 막 시장을 연구하고 스스로 거래 전략을 선택하기 시작한 사람들 모두에게 적합합니다. 전략 및 지표에는 눈에 보이지 않는 비밀 공식 및 계산 방법이 없으며 모든 전략 지표는 공개되어 있습니다. Owl Smart Leve
이 제품의 구매자들이 또한 구매함
Gann Made Easy
Oleg Rodin
4.82 (107)
Gann Made Easy 는 mr.의 이론을 사용하여 최고의 거래 원칙을 기반으로 하는 전문적이고 사용하기 쉬운 Forex 거래 시스템입니다. W.D. 간. 이 표시기는 Stop Loss 및 Take Profit Levels를 포함하여 정확한 BUY 및 SELL 신호를 제공합니다. PUSH 알림을 사용하여 이동 중에도 거래할 수 있습니다. 구매 후 연락주세요! 내 거래 팁과 훌륭한 보너스 지표를 무료로 공유하겠습니다! 아마도 Gann 거래 방법에 대해 이미 여러 번 들었을 것입니다. 일반적으로 Gann의 이론은 초보자 거래자뿐만 아니라 이미 거래 경험이 있는 사람들에게도 매우 복잡한 것입니다. Gann의 거래 방식은 이론적으로 적용하기 쉽지 않기 때문입니다. 나는 그 지식을 연마하고 Forex 지표에 최고의 원칙을 적용하기 위해 몇 년을 보냈습니다. 표시기는 적용하기가 매우 쉽습니다. 차트에 첨부하고 간단한 거래 권장 사항을 따르기만 하면 됩니다. 지표는 지속적으로 시장 분석 작업
Dynamic Forex28 Navigator
Bernhard Schweigert
5 (4)
Dynamic Forex28 Navigator - 차세대 외환 거래 도구. 현재 49% 할인. Dynamic Forex28 Navigator는 오랫동안 인기 있는 지표의 진화형으로, 세 가지의 힘을 하나로 결합했습니다. 고급 통화 Strength28 지표(695개 리뷰) + 고급 통화 IMPULSE with ALERT(520개 리뷰) + CS28 콤보 신호(보너스). 지표에 대한 자세한 정보 https://www.mql5.com/en/blogs/post/758844 차세대 Strength 지표는 무엇을 제공합니까?  원래 지표에서 좋아했던 모든 것이 새로운 기능과 더 높은 정확도로 강화되었습니다. 주요 기능: 독점적인 통화 Strength 공식.  모든 시간대에 걸쳐 부드럽고 정확한 강도선. 추세와 정확한 진입을 식별하는 데 이상적입니다. 역동적인 시장 피보나치 수준(시장 피보나치).  이 지표에만 있는 고유한 기능. 가격 차트가 아닌 통화 강도에 피보나치가 적용됩니다.
FX Power MT4 NG
Daniel Stein
5 (17)
FX Power: 통화 강세 분석으로 더 스마트한 거래 결정을 개요 FX Power 는 어떤 시장 상황에서도 주요 통화와 금의 실제 강세를 이해하기 위한 필수 도구입니다. 강한 통화를 매수하고 약한 통화를 매도함으로써 FX Power 는 거래 결정을 단순화하고 높은 확률의 기회를 발견합니다. 트렌드를 따르거나 극단적인 델타 값을 사용해 반전을 예측하고자 한다면, 이 도구는 귀하의 거래 스타일에 완벽히 적응합니다. 단순히 거래하지 말고, FX Power 로 더 스마트하게 거래하세요. 1. FX Power가 거래자에게 매우 유용한 이유 통화와 금의 실시간 강세 분석 • FX Power 는 주요 통화와 금의 상대적 강세를 계산하고 표시하여 시장 역학에 대한 명확한 통찰력을 제공합니다. • 어떤 자산이 앞서고 있고 어떤 자산이 뒤처지는지 모니터링하여 보다 현명한 거래 결정을 내릴 수 있습니다. 포괄적인 멀티 타임프레임 뷰 • 단기, 중기 및 장기 타임프레임에서 통화와 금의 강세를
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 Volume
Daniel Stein
4.59 (34)
FX Volume: 브로커 시각에서 바라보는 진짜 시장 심리 간단 요약 트레이딩 접근 방식을 한층 더 향상시키고 싶으신가요? FX Volume 는 소매 트레이더와 브로커의 포지션을 실시간으로 파악할 수 있게 해 줍니다. 이는 COT 같은 지연된 보고서보다 훨씬 빠릅니다. 꾸준한 수익을 추구하는 분이든, 시장에서 더 깊은 우위를 원하시는 분이든, FX Volume 을 통해 대규모 불균형을 찾아내고, 돌파 여부를 확인하며 리스크 관리를 정교화할 수 있습니다. 지금 시작해 보세요! 실제 거래량 데이터가 의사결정을 어떻게 혁신할 수 있는지 직접 경험해 보시기 바랍니다. 1. 트레이더에게 FX Volume이 매우 유익한 이유 탁월한 정확도를 지닌 조기 경보 신호 • 다른 사람들보다 훨씬 앞서, 각 통화쌍을 매수·매도하는 트레이더 수를 거의 실시간으로 파악할 수 있습니다. • FX Volume 은 여러 리테일 브로커에서 추출한 실제 거래량 데이터를 종합해 명확하고 편리한 형태로 제공하는
I just sell my products in mql5.com, any other websites are stolen old versions, So no any new updates or support. - 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 h
Scalper Vault
Oleg Rodin
5 (27)
Scalper Vault 는 성공적인 스캘핑에 필요한 모든 것을 제공하는 전문 스캘핑 시스템입니다. 이 표시기는 외환 및 바이너리 옵션 거래자가 사용할 수 있는 완전한 거래 시스템입니다. 권장 시간 프레임은 M5입니다. 시스템은 추세 방향으로 정확한 화살표 신호를 제공합니다. 또한 상단 및 하단 신호와 Gann 시장 수준을 제공합니다.  이 시스템은 사용하기가 매우 쉽습니다. 원하는 시장 지역의 화살표만 따라가면 됩니다. 엑시트는 가격이 적정 수준에 도달하거나 시장의 고점 또는 저점 신호가 나타날 때 수행됩니다.  표시기는 PUSH 알림을 포함한 모든 유형의 경고를 제공합니다. 인디케이터 구매 후 연락주세요. 내 개인 거래 권장 사항과 훌륭한 보너스 지표를 무료로 공유합니다! 나는 당신에게 행복하고 유익한 거래를 기원합니다!
TPSpro RFI Levels
Roman Podpora
4.85 (26)
지침        러시아   -         영어       표시기와 함께 사용하는 것이 좋습니다   .       -       TPSpro   트렌드 프로 -   MT4 버전         거래에서 핵심 요소는 거래 상품을 매수 또는 매도하기로 결정하는 구역 또는 수준입니다. 주요 업체가 시장에서 자신의 존재를 숨기려는 시도에도 불구하고, 그들은 필연적으로 흔적을 남깁니다. 우리의 과제는 이러한 흔적을 식별하고 올바르게 해석하는 방법을 배우는 것이었습니다. 주요 기능:: 판매자와 구매자를 위한 활성 영역을 표시합니다! 이 지표는 매수 및 매도를 위한 모든 올바른 초기 임펄스 레벨/존을 보여줍니다. 진입점 검색이 시작되는 이러한 레벨/존이 활성화되면 레벨의 색상이 바뀌고 특정 음영으로 채워집니다. 또한 상황을 보다 직관적으로 이해하기 위해 화살표가 나타납니다. 더 높은 시간대의 레벨/존 표시(MTF 모드) 더 높은 시간 간격을 사용하여 레벨/존을 표시하는 기능을 추가했습니다.
Advanced Currency Strength28 Indicator
Bernhard Schweigert
4.9 (652)
현재 26% 할인 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 지표는 우리가 독점 기능과 새로운 공식을 통합했기 때문에 독특하고 고품질이며 저렴한 거래 도구입니다. 단 하나의 차트로 28 Forex 쌍의 통화 강도를 읽을 수 있습니다! 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오. 사용 설명서: 여기를 클릭  https://www.mql5.com/en/blogs/post/697384 그것이 첫 번째, 원본입니다! 쓸모없는 지망생 클론을 사지 마십시오. 더 스페셜  강력한 통화 모멘텀을 보여주는 하위 창의 화살표 GAP가 거래를 안내합니다! 기본 또는 호가 통화가 과매도/과매도 영역(외부 시장 피보나치 수준)에 있을 때 개별 차트의 기본 창에 경고 표시가 나타납니다. 통화 강도가 외부 범위에서 떨어질 때 풀백/반전 경고. 교차 패턴의 특별 경고 추세를 빠르게 볼 수 있는 다중 시간
FX Levels MT4
Daniel Stein
5 (2)
FX Levels: 모든 시장을 위한 뛰어난 정확도의 지지와 저항 간단 요약 통화쌍, 지수, 주식, 원자재 등 어떤 시장이든 믿을 만한 지지·저항 레벨을 찾고 싶나요? FX Levels 는 전통적인 “Lighthouse” 기법과 첨단 동적 접근을 결합해, 거의 보편적인 정확성을 제공합니다. 실제 브로커 경험을 반영하고, 자동화된 일별 업데이트와 실시간 업데이트를 결합함으로써 FX Levels 는 가격 반전 포인트를 파악하고, 수익 목표를 설정하며, 자신 있게 트레이드를 관리할 수 있게 돕습니다. 지금 바로 시도해 보세요—정교한 지지/저항 분석이 어떻게 여러분의 트레이딩을 한 단계 끌어올릴 수 있는지 직접 확인하세요! 1. FX Levels가 트레이더에게 매우 유용한 이유 뛰어난 정확도의 지지·저항 존 • FX Levels 는 다양한 브로커 환경에서도 거의 동일한 존을 생성하도록 설계되어, 데이터 피드나 시간 설정 차이로 인한 불일치를 해소합니다. • 즉, 어떤 브로커를 사용하
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
Golden Trend Indicator
Noha Mohamed Fathy Younes Badr
4.9 (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
Easy Breakout
Mohamed Hassan
5 (9)
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
Trend Screener
STE S.S.COMPANY
4.78 (91)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! Forex, 상품, 암호 화폐, 지수 및 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 시간 프레임 및 다중 통화 표시기입니다. 기간 한정 특가: 지원 및 저항 스크리너 지표는 단 100달러에 평생 제공됩니다. (원래 가격 50 달러) (제안 연장) Trend Screener는 차트에 점이 있는 화살표 추세 신호를 제공하는 효율적인 지표 추세 추종 지표입니다. 추세 분석기 표시기에서 사용할 수 있는 기능: 1. 트렌드 스캐너. 2. 최대 이익 분석이 있는 추세선. 3. 추세 통화 강도 측정기. 4. 경고가 있는 추세 반전 점. 5. 경고가 있는 강력한 추세 점. 6. 추세 화살표 Trend Screener Indicator가 있는 일일 분석 예, 일일 신호 성능...등은 여기에서 찾을 수 있습니다.   여기를 클릭하십시오. L
TPSproTREND PrO
Roman Podpora
4.65 (23)
TPSpro TREND PRO는   시장을 자동으로 분석하여 추세와 각 변화에 대한 정보를 제공할 뿐만 아니라 다시 그리지 않고도 거래에 진입할 수 있는 신호를 제공하는 추세 지표입니다! 지표는 각 양초를 사용하여 개별적으로 분석합니다. 다른 임펄스를 언급합니다 - 업 또는 다운 임펄스. 통화, 암호화폐, 금속, 주식, 지수 거래의 정확한 진입점! 버전 MT5                   표시기에 대한 전체 설명       표시기   와 함께 사용하는 것이 좋습니다   -   RFI LEVELS 주요 기능: 렌더링 없이 정확한 입력 신호! 신호가 나타나면 관련성은 유지됩니다! 이는 신호를 제공한 후 변경하여 예금 자금 손실을 초래할 수 있는 다시 그리기 지표와의 중요한 차이점입니다. 이제 더 큰 확률과 정확도로 시장에 진입할 수 있습니다. 화살표가 나타난 후 목표에 도달(이익실현)하거나 반전 신호가 나타날 때까지 캔들을 색칠하는 기능도 있습니다. STOP LOSS / TAKE
Indicator for manual construction of maximum correction zones based on cycles according to Gann theory. Zones are determined by mathematical calculation using special coefficients for different timeframes. Gives traders an understanding of the direction of price movement from the support zones of purchases/sales Zones are built from significant high/low manually To build a support zone of purchases, you need to place the mouse cursor on the high and press the "1" key To build a support zone
Supply and Demand Dashboard PRO
Bernhard Schweigert
4.8 (20)
현재 20% 할인! 이 대시보드는 여러 기호와 최대 9개의 타임프레임에서 작동하는 매우 강력한 소프트웨어입니다. 주요 지표(최상의 리뷰: 고급 공급 수요)를 기반으로 합니다.   Advanced Supply Demand 대시보드는 훌륭한 개요를 제공합니다. 다음과 같이 표시됩니다.  영역 강도 등급을 포함하여 필터링된 공급 및 수요 값, 영역에 대한/및 영역 내 Pips 거리, 중첩된 영역을 강조 표시하고 모든 (9) 시간 프레임에서 선택한 기호에 대해 4가지 종류의 경고를 제공합니다. 그것은 당신의 개인적인 필요에 맞게 고도로 구성 가능합니다! 당신의 혜택! 모든 트레이더에게 가장 중요한 질문: 시장에 진입하기에 가장 좋은 수준은 무엇입니까? 최고의 성공 기회와 위험/보상을 얻으려면 강력한 공급/수요 영역 내 또는 그 근처에서 거래를 시작하십시오. 손절매를 위한 최적의 장소는 어디입니까? 가장 안전하려면 강력한 수요/공급 구역 아래/위에 정류장을 두십시오.
Bull versus Bear
Mohamed Hassan
4.47 (17)
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
Reversal Master
Alexey Minkov
4.92 (13)
!SPECIAL SALE! The Reversal Master is an indicator for determining the current direction of price movement and reversal points. The indicator will be useful for those who want to see the current market situation better. The indicator can be used as an add-on for ready-made trading systems, or as an independent tool, or to develop your own trading systems. The Reversal Master indicator, to determine the reversal points,  analyzes a lot of conditions since the combined analysis gives a more accura
IQ FX Gann Levels
INTRAQUOTES
5 (1)
CONTACT US  after purchase to get a FREE Trading Manual & an Exclusive Trading Tips! Try Now—Limited 50% Discount for First 100 Buyers! Download the  Metatrader 5 Version William Delbert Gann (W.D. Gann) was an exceptional market analyst, whose trading technique was based on a complex blend of mathematics, geometry, astrology, and ancient mathematics which proved to be extremely accurate. A Note from the Developer to all the Traders: Over 15+ years of my journey with WD Gann (William Delbert
Gold Stuff
Vasiliy Strukov
4.86 (247)
Gold Stuff는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 표시기에서 완전 자동 Expert Advisor EA Gold Stuff를 작동합니다. 내 프로필에서 찾을 수 있습니다. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   강력한 지원 및 트렌드 스캐너 표시기의 무료 사본을 받으실 수 있습니다. 메시지를 보내주세요. 나!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그리기. 경고 - 가청 경고를 끕니다. 이메일 알림 - 켜기 끄기. 이메일 알림. Puch-notification - 켜기 끄기. 푸시 알림. 다음으로 색 영역을 조정합니다. Gold Stuff는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 표시기에서 완전 자동
Currency Strength Exotics
Bernhard Schweigert
4.87 (31)
현재 20% 할인! 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 표시기는 Exotic Pairs Commodities, Indexes 또는 Futures와 같은 기호에 대한 통화 강도를 표시하는 데 특화되어 있습니다. 금, 은, 석유, DAX, US30, MXN, TRY, CNH 등의 진정한 통화 강도를 보여주기 위해 9번째 줄에 모든 기호를 추가할 수 있습니다. 이것은 독특하고 고품질이며 저렴한 거래 도구입니다. 우리는 많은 독점 기능과 새로운 공식을 통합했습니다. 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오. 사용 설명서: 여기를 클릭 https://www.mql5.com/en/blogs/post/708876 모든 시간대에 작동합니다. TREND를 빠르게 확인할 수 있습니다! 새로운 기본 알고리즘을 기반으로 설계되어 잠재적인 거래를 더욱 쉽게 식별하고 확인할 수 있습니다. 8개의
Advanced Currency IMPULSE with ALERT
Bernhard Schweigert
4.9 (484)
현재 31% 할인!! 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 지표는 우리가 독점 기능과 비밀 공식을 통합했기 때문에 독특하고 고품질이며 저렴한 거래 도구입니다. 단 하나의 차트로 28개 통화 쌍 모두에 대한 경고를 제공합니다. 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오! 새로운 기본 알고리즘을 기반으로 구축되어 잠재적인 거래를 훨씬 더 쉽게 식별하고 확인할 수 있습니다. 이는 통화의 강세 또는 약세가 가속되는지 여부를 그래픽으로 표시하고 가속 속도를 측정하기 때문입니다. 자동차의 속도계처럼 생각하면 됩니다. 가속화할 때 Forex 시장에서 동일한 일이 분명히 더 빠르게 발생합니다. 즉, 반대 방향으로 가속화되는 통화를 페어링하면 잠재적으로 수익성 있는 거래를 식별한 것입니다. 통화 모멘텀의 수직선과 화살표가 거래를 안내합니다! 역동적인 Market Fibonacci 23 레벨은
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
Grand signal
Alexandr Lapin
5 (2)
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! I
Chart Patterns All in One
Davit Beridze
4.65 (17)
"Chart Patterns All in One"을 데모 모드에서 사용해보고 보너스를 받아보세요. 데모 모드에서 사용해본 후 메시지를 보내주시면 보너스를 드립니다. 구매 후 댓글을 남기시면 고품질의 인디케이터 8개를 보너스로 받으실 수 있습니다. Chart Patterns All-in-One 지표는 트레이더가 기술 분석에서 흔히 사용되는 다양한 차트 패턴을 시각화하는 데 도움을 줍니다. 이 지표는 잠재적인 시장 움직임을 식별하는 데 도움이 되지만, 수익성을 보장하지는 않습니다. 구매 전에 데모 모드에서 지표를 테스트하는 것이 좋습니다. 현재 할인 : "Chart Patterns All in One" 지표 50% 할인 중. 포함된 패턴 : 1-2-3 패턴 : 세 가지 주요 지점(고점 또는 저점)을 사용하여 시장 반전을 감지합니다. 매수 : 연속된 두 저점 이후, 이전 고점보다 낮은 고점이 발생할 때. 매도 : 연속된 두 고점 이후, 이전 저점보다 높은 저점이 발생할 때. 시각화 :
Gold Venamax MT4
Sergei Linskii
5 (1)
Gold Venamax   - 이것은 최고의 주식 기술 지표입니다. 지표 알고리즘은 자산의 가격 변동을 분석하고 변동성과 잠재적 진입 영역을 반영합니다.   표시기 기능: 이것은 편안하고 수익성 있는 거래를 위한 매직과 두 개의 추세 화살표 블록을 갖춘 슈퍼 지표입니다. 블록 전환을 위한 빨간색 버튼이 차트에 표시됩니다. 매직은 표시기 설정에서 설정되므로 서로 다른 블록을 표시하는 두 개의 차트에 표시기를 설치할 수 있습니다. Gold Venamax는 서로 다른 화살표 버퍼(GV 및 SD)를 사용하여 두 개의 차트에 배치할 수 있습니다. 이렇게 하려면 설정에서 다른 Magic을 선택해야 합니다. 예를 들어 하나는 Magic = 999이고 다른 하나는 Magic = 666입니다. 다음으로 차트의 빨간색 버튼으로 화살표 버퍼를 선택할 수 있습니다. 입력하기에 가장 좋은 신호 = 두 버퍼(GV 및 SD)의 신호 화살표 + 세 MA 라인(빨간색 또는 파란색)의 방향을 따릅니다. 지표
우선적으로, 이 거래 도구는 전문적인 거래에 이상적인 비-다시 그리기 및 지연되지 않는 지표입니다.  온라인 강좌, 사용자 매뉴얼 및 데모. 스마트 가격 액션 컨셉트 인디케이터는 신규 및 경험 많은 트레이더 모두에게 매우 강력한 도구입니다. Inner Circle Trader Analysis 및 Smart Money Concepts Trading Strategies와 같은 고급 거래 아이디어를 결합하여 20가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하고 다양한
Matrix Arrow Indicator MT4
Juvenille Emperor Limited
5 (3)
매트릭스 화살표 표시기 MT4 는 외환, 상품, 암호 화폐, 지수, 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 기간 표시기를 따르는 고유한 10 in 1 추세입니다.  Matrix Arrow Indicator MT4 는 다음과 같은 최대 10개의 표준 지표에서 정보와 데이터를 수집하여 초기 단계에서 현재 추세를 결정합니다. 평균 방향 이동 지수(ADX) 상품 채널 지수(CCI) 클래식 하이켄 아시 캔들 이동 평균 이동 평균 수렴 발산(MACD) 상대 활력 지수(RVI) 상대 강도 지수(RSI) 포물선 SAR 스토캐스틱 오실레이터 윌리엄스의 백분율 범위 모든 지표가 유효한 매수 또는 매도 신호를 제공하면 강력한 상승/하락 추세를 나타내는 다음 캔들/막대가 시작될 때 해당 화살표가 차트에 인쇄됩니다. 사용자는 사용할 표시기를 선택하고 각 표시기의 매개변수를 개별적으로 조정할 수 있습니다. 매트릭스 화살표 표시기 MT4는 선택한 표시기에서만 정보를 수
Basic Harmonic Patterns Dashboard
Mehran Sepah Mansoor
5 (3)
이 대시보드는 선택한 심볼에 대해 사용 가능한 최신 고조파 패턴을 표시하므로 시간을 절약하고 더 효율적으로 사용할 수 있습니다 / MT5 버전 . 무료 인디케이터: Basic Harmonic Pattern 인디케이터 열 Symbol : 선택한 심볼이 나타납니다 Trend : 강세 또는 약세 Pattern : 패턴 유형(가틀리, 나비, 박쥐, 게, 상어, 사이퍼 또는 ABCD) Entry : 진입 가격 SL: 스톱로스 가격 TP1: 1차 테이크프로핏 가격 TP2: 2차 테이크프로핏 가격 TP3: 3차 테이크프로핏 가격 Current price: 현재 가격 Age (in bars): 마지막으로 그려진 패턴의 나이 주요 입력 Symbols : "28개 주요 통화쌍" 또는 "선택한 심볼" 중에서 선택합니다. Selected Symbols : 쉼표로 구분하여 모니터링하려는 원하는 심볼("EURUSD,GBPUSD,XAUUSD")을 선택합니다. 브로커에 쌍에 접미사 또는 접두사가 있는
제작자의 제품 더 보기
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
B Xtrender
Yashar Seyyedin
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
Hull Suite By Insilico
Yashar Seyyedin
5 (1)
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint 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  Hull Suite . #include <Trade\Trade.mqh> CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell signal alerts. You can message in private chat for further changes you need.
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Zero Lag MACD Enhanced - Version 1.2" by " Albert.Callisto ". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks
To get access to MT5 version please click here . This is the exact conversion from TradingView: "[SHK] Schaff Trend Cycle (STC)" by "shayankm". This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
FREE
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. 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  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "ZLSMA - Zero Lag LSMA" by "veryfid". This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
Volume Oscillator
Yashar Seyyedin
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
Vortex Indicator
Yashar Seyyedin
5 (1)
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing and non-repaint 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  Supertrend . #include <Trade\Trade.mqh> CTrade tra
To get access to MT5 version please click here . You can also check the other popular version of this indicator   here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available
To download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT5 version please click  here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
For MT5 version please click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
For MT4 version please click here . This is the exact conversion from TradingView: "Range Filter 5min" By "guikroth". - This indicator implements Alerts as well as the visualizations. - Input tab allows to choose Heiken Ashi or Normal candles to apply the filter to. It means it is a (2 in 1) indicator. - This indicator lets you read the buffers for all data on the window. For details on buffers please message me. - This is a non-repaint and light processing load indicator. - You can message in p
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
TRAMA by LuxAlgo
Yashar Seyyedin
5 (1)
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By " LuxAlgo ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
For MT4 version please click  here . - This is the exact conversion from TradingView source: "Squeeze Momentum Indicator" By "LazyBear". - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need. Thanks for downloading...
To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the sample code of EA that operates
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the code a sample EA that operated b
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
- This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
FREE
필터:
리뷰 없음
리뷰 답변
버전 1.20 2024.01.25
Added input option to enable push notifications.
버전 1.10 2023.10.26
Added input to enable/disable Alerts. You can use candle closure based or tick based Alerts using the input setting.