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

Supertrend by KivancOzbilgic

5

To get access to MT4 version please click here.

  • This is the exact conversion from TradingView: "Supertrend" by "KivancOzbilgic".
  • 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 trade;
int handle_supertrend=0;

input group "EA Setting"
input int magic_number=123456; //magic number
input double fixed_lot_size=0.01; // select fixed lot size

enum ENUM_SOURCE{OPEN, CLOSE, HIGH, LOW, HL2, HLC3, OHLC4, HLCC4};
input group "SuperTrend setting"
input int Periods = 10; //ATR Period
input ENUM_SOURCE src = HL2; //Source
input double Multiplier = 3; //ATR Multiplier
input bool changeATR= true; //Change ATR Calculation Method ?
input bool showsignals = false; //Show Buy/Sell Signals ?
input bool highlight = false; //Highlighter On/Off?
input bool enable_alerts=false; //Enable Alerts


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_supertrend=iCustom(_Symbol, PERIOD_CURRENT, 
      "Market\\Supertrend by KivancOzbilgic",
      Periods, src, Multiplier, changeATR, showsignals, highlight, enable_alerts);
   if(handle_supertrend==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

void OnDeinit(const int reason)
  {
   IndicatorRelease(handle_supertrend);
  }

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

bool IsSuperTrendBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_supertrend, 8, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsSuperTrendSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_supertrend, 9, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

int BuyCount()
{
   int buy=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      buy++;
   }  
   return buy;
}

int SellCount()
{
   int sell=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      sell++;
   }  
   return sell;
}


void Buy()
{
   double Ask=SymbolInfoDouble(_Symbol, SYMBOL_ASK);
   if(!trade.Buy(fixed_lot_size, _Symbol, Ask, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   double Bid=SymbolInfoDouble(_Symbol, SYMBOL_BID);
   if(!trade.Sell(fixed_lot_size, _Symbol, Bid, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}


void CloseBuy()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

void CloseSell()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

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


리뷰 2
Khulani
156
Khulani 2023.08.02 18:44 
 

Really great! Thanks.

Darz
2635
Darz 2023.07.17 04:56 
 

Excellent Indicator, exactly the same to what we have on TradingView

추천 제품
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
Blahtech Market Profile MT5
Blahtech Limited
5 (8)
Was: $249  Now: $99   Market Profile defines a number of day types that can help the trader to determine market behaviour. A key feature is the Value Area, representing the range of price action where 70% of trading took place. Understanding the Value Area can give traders valuable insight into market direction and establish the higher odds trade. It is an excellent addition to any system you may be using. Inspired by Jim Dalton’s book “Mind Over Markets”, this indicator is designed to suit the
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
Noize Absorption Index
Ekaterina Saltykova
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.
Wapv Price and volume
Eduardo Da Costa Custodio Santos
MT5용 WAPV 가격 및 거래량 표시기는 (Wyckoff Academy Wave Market) 및 (Wyckoff Academy Price and Volume) 도구 세트의 일부입니다. MT5용 WAPV 가격 및 거래량 표시기는 차트에서 거래량 움직임을 직관적인 방식으로 쉽게 시각화할 수 있도록 만들어졌습니다. 그것으로 당신은 최대 거래량의 순간과 시장이 전문적인 관심을 갖지 않는 순간을 관찰할 수 있습니다 시장이 "스마트 머니"의 움직임이 아니라 관성에 의해 움직이는 순간을 식별합니다. 사용자가 수정할 수 있는 4가지 색상으로 구성되어 있습니다. 빨간색 = 제안 증가 녹색 = 수요 증가 회색 양초 = 수요와 공급의 감소 파란색 = 스마트머니 연기 위쪽 방향으로의 움직임은 강도를 나타냅니다. 하향 움직임 약점을 나타냅니다. Price의 방향에 상관없이 가장 강한 Volume이 올라가야 합니다. R. Wyckoff의 이론에 따라 생성된 지표
이 표시기는 차트의 모든 주문에 대해 이미 설정한 TP 및 SL 값(해당 통화로)을 표시하여 모든 주문에 대한 손익을 추정하는 데 많은 도움이 됩니다(거래/주문 라인에 닫힘). 또한 PIP 값도 표시됩니다. 표시된 형식은 "이익 또는 손실 / PIP 값의 통화 값"입니다. TP 값은 녹색으로 표시되고 SL 값은 빨간색으로 표시됩니다.. 질문이나 자세한 내용은 fxlife.asia@hotmail.com  or  fxlife.asia@yahoo.com 으로 판매자에게 언제든지 문의하십시오. (그리고 곧 표시기에 추가될 다음 기능은 "자동 또는 반자동 TP 및 SL 설정"이며 고객은 무료로 업데이트 버전을 받을 것입니다. 감사합니다...) (또는 표시에 일부 기능을 추가해야 한다고 생각하시면 언제든지 말씀해 주십시오...)
HMA Trend Professional MT5
Pavel Zamoshnikov
4.4 (5)
Improved version of the free HMA Trend indicator (for MetaTrader 4) with statistical analysis. HMA Trend is a trend indicator based on the Hull Moving Average (HMA) with two periods. HMA with a slow period identifies the trend, while HMA with a fast period determines the short-term movements and signals in the trend direction. The main differences from the free version: Ability to predict the probability of a trend reversal using analysis of history data. Plotting statistical charts for analyz
B Xtrender
Yashar Seyyedin
5 (1)
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.
To get access to MT4 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
No Demand No Supply MT5
Trade The Volume Waves Single Member P.C.
No Demand No Supply   This indicator identifies   No Demand –No Supply candles  to your chart and plots volume bars colored according to the signal. It can be applied to all timeframes or to a specific one only. It can also be used as regular volume indicator  with exceptional future of WEIGHTED VOLUME. Furthermore is has an alert notification, sound and email when a signals occurs. The indicator does not repaint but the alert will come on two candles back due to the definition of No Demand No S
Owl Smart Levels MT5
Sergey Ermolov
4.47 (36)
MT4 버전  |  FAQ Owl Smart Levels Indicator 는 Bill Williams 의 고급 프랙탈, 시장의 올바른 파동 구조를 구축하는 Valable ZigZag, 정확한 진입 수준을 표시하는 피보나치 수준과 같은 인기 있는 시장 분석 도구를 포함하는 하나의 지표 내에서 완전한 거래 시스템입니다. 시장과 이익을 취하는 장소로. 전략에 대한 자세한 설명 표시기 작업에 대한 지침 고문-거래 올빼미 도우미의 조수 개인 사용자 채팅 ->구입 후 나에게 쓰기,나는 개인 채팅에 당신을 추가하고 거기에 모든 보너스를 다운로드 할 수 있습니다 힘은 단순함에 있습니다! Owl Smart Levels 거래 시스템은 사용하기 매우 쉽기 때문에 전문가와 이제 막 시장을 연구하고 스스로 거래 전략을 선택하기 시작한 사람들 모두에게 적합합니다. 전략 및 지표에는 눈에 보이지 않는 비밀 공식 및 계산 방법이 없으며 모든 전략 지표는 공개되어 있습니다. Owl Smart Levels를
To download MT4 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 
The best time to trade Using this Indicator is when the time reach exactly hour,half,45 minutes,15 minutes and sometimes 5 minutes.. This indicators is helpful to those who trade boom and crash indecies.How to read this indicator first you'll see Blue allow and Red allow all these allows used to indicate or to detect the spike which will happen so the allow happens soon before the spike happen.This indicator works properly only in boom and crash trading thing which you have to consider when
Elevate Your Trading Experience with Wamek Trend Consult!   Unlock the power of precise market entry with our advanced trading tool designed to identify early and continuation trends. Wamek Trend Consult empowers traders to enter the market at the perfect moment, utilizing potent filters that reduce fake signals, enhancing trade accuracy, and ultimately increasing profitability.   Key Features: 1. Accurate Trend Identification: The Trend Consult indicator employs advanced algorithms and unparall
Volality Index Scalper
Lesedi Oliver Seilane
Volality Index scalper indicator  Meant for Volality pairs such as Volality 10, 25, 50, 75 and 100 The indicator works on all timeframes from the 1 minute to the monthly timeframe the indicator is non repaint the indicator has 3 entry settings 1 color change on zero cross 2 color change on slope change 3 color change on signal line cross Orange line is your sell signal Blue line is your buy signal.
Cumulative Delta NG
Anton Polkovnikov
Cumulative delta indicator As most traders believe, the price moves under the pressure of market buying or selling. When someone redeems an offer standing in the cup, the deal is a "buy". If someone pours into the bid standing in the cup - the deal goes with the direction of "sale". The delta is the difference between purchases and sales. A cumulative delta - the difference between the cumulative sum of purchases and sales for a certain period of time. It allows you to see who is currently contr
Gann Square of 144 for MT5
Taras Slobodyanik
5 (5)
The Gann Box (or Gann Square) is a market analysis method based on the "Mathematical formula for market predictions" article by W.D. Gann. This indicator can plot three models of Squares: 90, 52(104), 144. There are six variants of grids and two variants of arcs. You can plot multiple squares on one chart simultaneously. Parameters Square — selection of a square model: 90 — square of 90 (or square of nine); 52 (104) — square of 52 (or 104); 144 — universal square of 144; 144 (full) — "full"
The Accumulation / Distribution is an indicator which was essentially designed to measure underlying supply and demand. It accomplishes this by trying to determine whether traders are actually accumulating (buying) or distributing (selling). This indicator should be more accurate than other default MT5 AD indicator for measuring buy/sell pressure by volume, identifying trend change through divergence and calculating Accumulation/Distribution (A/D) level. Application: - Buy/sell pressure: above
This MT5 version indicator is a unique, high quality and affordable trading tool. The calculation is made according to the author's formula for the beginning of a possible trend. MT4 version is here  https://www.mql5.com/ru/market/product/98041 An accurate   MT5   indicator that gives signals to enter trades without redrawing! Ideal trade entry points for currencies, cryptocurrencies, metals, stocks, indices! The indicator builds   buy/sell   arrows and generates an alert. Use the standart  
Provided Trend
Nadiya Mirosh
Provided Trend is a complex signal formation indicator. As a result of the work of internal algorithms, you can see only three types of signals on your chart. The first is a buy signal, the second is a sell signal, and the third is a market exit signal. Options: CalcFlatSlow - The first parameter that controls the main function of splitting the price chart into waves. CalcFlatFast - The second parameter that controls the main function of splitting the price chart into waves. CalcFlatAvg - Par
VR Cub MT 5
Vladimir Pastushak
VR Cub 은 고품질 진입점을 얻는 지표입니다. 이 지표는 수학적 계산을 용이하게 하고 포지션 진입점 검색을 단순화하기 위해 개발되었습니다. 지표가 작성된 거래 전략은 수년 동안 그 효율성을 입증해 왔습니다. 거래 전략의 단순성은 초보 거래자라도 성공적으로 거래할 수 있다는 큰 장점입니다. VR Cub은 포지션 개시 지점과 이익 실현 및 손절매 목표 수준을 계산하여 효율성과 사용 편의성을 크게 높입니다. 간단한 거래 규칙을 이해하려면 아래 전략을 사용한 거래 스크린샷을 살펴보세요. 설정, 세트 파일, 데모 버전, 지침, 문제 해결 등은 다음에서 얻을 수 있습니다. [블로그] 다음에서 리뷰를 읽거나 작성할 수 있습니다. [링크] 버전 [MetaTrader 4] 진입점 계산 규칙 포지션 개설 진입점을 계산하려면 VR Cub 도구를 마지막 최고점에서 마지막 최저점까지 늘려야 합니다. 첫 번째 지점이 두 번째 지점보다 빠른 경우, 거래자는 막대가 중간선 위에서 마감될 때까지 기다립
An indicator of pattern #31 ("Long Island") from Encyclopedia of Chart Patterns by Thomas N. Bulkowski. The second gap is in the opposite direction. Parameters: Alerts - show alert when an arrow appears   Push - send a push notification when an arrow appears (requires configuration in the terminal) GapSize - minimum gap size in points ArrowType - a symbol from 1 to 17 ArrowVShift - vertical shift of arrows in points   ShowLevels - show levels ColUp - color of an upward line ColDn - color of a
Double HMA MTF for MT5
Pavel Zamoshnikov
5 (2)
This is an advanced multi-timeframe version of the popular Hull Moving Average (HMA) Features Two lines of the Hull indicator of different timeframes on the same chart. The HMA line of the higher timeframe defines the trend, and the HMA line of the current timeframe defines the short-term price movements. A graphical panel with HMA indicator data from all timeframes at the same time . If the HMA switched its direction on any timeframe, the panel displays a question or exclamation mark with a tex
Indicator and Expert Adviser  EA Available in the comments section of this product. Download with Indicator must have indicator installed for EA to work. Mt5 indicator alerts for bollinger band and envelope extremes occurring at the same time. Buy signal alerts occur when A bullish candle has formed below both the lower bollinger band and the lower envelope  Bar must open and close below both these indicators. Sell signal occur when A bear bar is formed above the upper bollinger band and upp
Thunder Scalper
Mr Fares Mohammad Alabdali
Buy and Sell Targets Indicator You can see the buying and selling goals in the box and they are inevitably achieved. It consists of three lines: the first green color sets buying targets, the second red color sets selling targets, and the third blue color is the average price. Trading Method For Buy Trade: The entry point will be where the wavy blue line  (representing the average price) is 'broken' by the ascending 'Buy' candle from beneath Please wait until the next candle appears
For a trader, trend is our friend. This is a trend indicator for MT5, can be used on any symbol. just load it to the terminal and you will see the current trend. green color means bullish trend and red means bearlish trend. you can also change the color by yourself when the indicator is loaded to the MT5 terminal the symbol and period is get from the terminal automaticly. How to use: I use this trend indicator on 2 terminals with different period  for the same symbol at same time. for example M5
Mini Chart Indicators
Flavio Javier Jarabeck
The Metatrader 5 has a hidden jewel called Chart Object, mostly unknown to the common users and hidden in a sub-menu within the platform. Called Mini Chart, this object is a miniature instance of a big/normal chart that could be added/attached to any normal chart, this way the Mini Chart will be bound to the main Chart in a very minimalist way saving a precious amount of real state on your screen. If you don't know the Mini Chart, give it a try - see the video and screenshots below. This is a gr
Upgraded - Stars added to indentify Areas you can scale in to compound on your entry  when buying or selling version 2.4 Upgraded Notifications and alerts added version 2.3 *The indicator is suitable for all pairs fromm  Deriv pairs (Vix,jump,boom & crash indices) , Currencies, cryptos , stocks(USA100, USA30 ), and metals like gold etc. How does it work? Increasing the period make it more stable hence will only focus on important entry points However  lowering the period will mean the indica
평면 및 추세를 결정하기 위한 표시기. 가격이 2개의 히스토그램과 2개의 선(빨간색 및 파란색) 중 하나보다 낮으면 판매 영역입니다. 이 버전의 표시기를 구매할 때 하나의 실제 계정과 하나의 데모 계정에 대한 MT4 버전 - 선물로(수신하려면 개인 메시지를 작성하세요)! 가격이 2개의 히스토그램과 2개의 선(빨간색 및 파란색) 중 하나보다 높으면 구매 영역입니다. MT4 버전: https://www.mql5.com/en/market/product/3793 가격이 두 라인 사이 또는 히스토그램 영역에 있으면 시장에 명확한 추세가 없습니다. 간단히 말해서 시장은 평평합니다. 표시기의 작업은 스크린샷에 더 명확하게 표시됩니다. 지표는 선행 데이터를 얻는 데 사용할 수 있습니다. 또는 현재 추세의 상태를 확인합니다.
Alpha Trend Pro
Eslam Mohamed Abdelrady Shehata
Alpha Trend Pro: Your Ultimate Trading Companion Embark on a new era of trading with Alpha Trend Pro Indicator. Crafted with precision and innovation, Alpha Trend is designed to elevate your trading experience by seamlessly blending powerful elements to navigate various market conditions. **Key Features:** **1. Dynamic Adaptability:**    - In sideways market conditions, Alpha Trend acts as a dead indicator. Say goodbye to many false signals and welcome a tool that adapts seamlessly to mar
이 제품의 구매자들이 또한 구매함
Atomic Analyst MT5
Issam Kassas
3.64 (11)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한 일일 거래 및 단기 거래를 위해 설계
우선 이 거래 시스템이 리페인팅, 리드로잉 및 레이그 인디케이터가 아니라는 점을 강조하는 것이 중요합니다. 이는 수동 및 로봇 거래 모두에 이상적인 것으로 만듭니다. "스마트 트렌드 트레이딩 시스템 MT5"은 새로운 및 경험이 풍부한 트레이더를 위해 맞춤형으로 제작된 종합적인 거래 솔루션입니다. 10개 이상의 프리미엄 인디케이터를 결합하고 7개 이상의 견고한 거래 전략을 특징으로 하여 다양한 시장 조건에 대한 다목적 선택이 가능합니다. 트렌드 추종 전략: 효과적인 트렌드 추이를 타기 위한 정확한 진입 및 손절 관리를 제공합니다. 반전 전략: 잠재적인 트렌드 반전을 식별하여 트레이더가 범위 시장을 활용할 수 있게 합니다. 스캘핑 전략: 빠르고 정확한 데이 트레이딩 및 단기 거래를 위해 설계되었습니다. 안정성: 모든 인디케이터가 리페인팅, 리드로잉 및 레이그가 아니므로 신뢰할 수 있는 신호를 보장합니다. 맞춤화: 개별 거래 선호도를 고려한 맞춤형 전략을 지원합니다. 최상의 전략을 찾는
Quantum Trend Sniper
Bogdan Ion Puscasu
5 (37)
소개       Quantum Trend Sniper Indicator는   추세 반전을 식별하고 거래하는 방식을 변화시키는 획기적인 MQL5 지표입니다! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       Quantum Trend Sniper 표시기       매우 높은 정확도로 추세 반전을 식별하는 혁신적인 방법으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. ***Quantum Trend Sniper Indicator를 구입하면 Quantum Breakout Indicator를 무료로 받을 수 있습니다!*** Quantum Trend Sniper Indicator는 추세 반전을 식별하고 세 가지 이익실현 수준을 제안할 때 경고, 신호 화살표를 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 MT4 버전:       여기를 클릭하세요
Trend Screener Pro MT5
STE S.S.COMPANY
4.89 (61)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! Forex, 상품, 암호 화폐, 지수 및 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 시간 프레임 및 다중 통화 표시기입니다. Trend Screener는 차트에 점이 있는 화살표 추세 신호를 제공하는 효율적인 지표 추세 추종 지표입니다. 추세 분석기 표시기에서 사용할 수 있는 기능: 1. 트렌드 스캐너. 2. 최대 이익 분석이 있는 추세선. 3. 추세 통화 강도 측정기. 4. 경고가 있는 추세 반전 점. 5. 경고가 있는 강력한 추세 점. 6. 추세 화살표 Trend Screener Indicator가 있는 일일 분석 예, 일일 신호 성능...등은 여기에서 찾을 수 있습니다. 여기를 클릭하십시오. LIMITED TIME OFFER : Trend Screener Indicator는 50$ 및 평생 동안만 사용할 수 있습니다
FX Volume MT5
Daniel Stein
4.94 (17)
모닝 브리핑을 통해 세부 정보와 스크린샷으로 매일 시장 업데이트를 받으세요 여기 mql5 및 텔레그램에서 FX 거래량은 브로커의 관점에서 시장 심리에 대한 실제 통찰력을 제공하는 최초이자 유일한 거래량 지표입니다. 브로커와 같은 기관 시장 참여자가 외환 시장에서 어떤 포지션을 취하고 있는지에 대한 훌륭한 통찰력을 COT 보고서보다 훨씬 빠르게 제공합니다. 차트에서 이 정보를 직접 확인하는 것은 트레이딩의 진정한 판도를 바꾸고 획기적인 솔루션입니다. 다음과 같은 고유한 시장 데이터 인사이트의 이점 비율 는 통화의 매수/매도 포지션 비율을 백분율로 표시 비율 변화 는 선택한 기간 내 매수 비율과 비율 변화를 표시 총 거래량 는 해당 통화의 총 거래량(롱 및 숏)을 로트 단위로 보여줍니다 Volumes Long 는 해당 통화의 모든 롱 포지션의 거래량을 보여줍니다 Volumes Short 는 해당 통화의 모든 숏 포지션의 거래량을 보여줍니다 Net Long 는 순 롱 포지션의 거래량
FX Power MT5 NG
Daniel Stein
5 (4)
모닝 브리핑 여기 mql5 와 텔레그램에서 FX Power MT5 NG 는 오랫동안 인기 있는 통화 강도 측정기인 FX Power의 차세대 버전입니다. 이 차세대 강도 측정기는 무엇을 제공합니까? 기존 FX Power에서 좋아했던 모든 것 PLUS GOLD/XAU 강도 분석 더욱 정밀한 계산 결과 개별 구성 가능한 분석 기간 더 나은 성능을 위한 사용자 정의 가능한 계산 한도 특별 멀티더 많은 것을보고 싶은 사람들을위한 특별한 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을위한 끝없는 그래픽 설정 수많은 알림 옵션, 중요한 것을 다시는 놓치지 않도록 Windows 11 및 macOS 스타일의 둥근 모서리가 있는 새로운 디자인 마법처럼 움직이는 인디케이터 패널 FX 파워 키 특징 모든 주요 통화의 완전한 강세 이력 모든 시간대에 걸친 통화 강세 이력 모든 브로커 및 차트에서 고유 계산 결과 100% 신뢰할 수있는 실시간100 % 신뢰할 수있는 실시간 계산-> 다시 칠하지 않음
우선적으로, 이 거래 도구는 전문적인 거래에 이상적인 비-다시 그리기 및 지연되지 않는 지표입니다.  스마트 가격 액션 컨셉트 인디케이터는 신규 및 경험 많은 트레이더 모두에게 매우 강력한 도구입니다. Inner Circle Trader Analysis 및 Smart Money Concepts Trading Strategies와 같은 고급 거래 아이디어를 결합하여 20가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하고 다양한 패턴을 인식하는 데 뛰어납니다. 
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
현재 33% 할인! 초보자나 전문 트레이더를 위한 최고의 솔루션! 이 보조지표는 우리가 다수의 독창적 기능과 새로운 공식을 통합한 독특하고 고품질이며 저렴한 거래 도구입니다. 이 업데이트를 통해 이중 시간대를 표시할 수 있습니다. 더 높은 TF를 표시할 수 있을 뿐만 아니라 차트 TF와 더 높은 TF 모두를 표시할 수 있습니다: 중첩 영역 표시. 모든 Supply Demand 트레이더들이 좋아할 것입니다. :) 중요한 정보 공개 Advanced Supply Demand의 잠재력을 극대화하려면 다음을 방문하십시오. https://www.mql5.com/ko/blogs/post/720245   진입 또는 목표의 명확한 트리거 포인트를 정확히 찾아냄으로 해서 거래가 어떻게 개선될지 상상해 보십시오. 새로운 알고리즘을 기반으로 매수자와 매도자 간의 잠재적인 불균형을 훨씬 더 쉽게 분간할 수 있습니다. 왜냐하면 가장 강한 공급영역과 가장 강한 수요 영역과 과거에 어떻게 진행 되었는지를(이
RelicusRoad Pro MT5
Relicus LLC
4.81 (21)
이제 $ 147 (몇 가지 업데이트 후 $ 499 증가) - 무제한 계정 (PCS 또는 MACS) RelicusRoad 사용 설명서 + 교육 비디오 + 비공개 Discord 그룹 액세스 + VIP 상태 시장을 보는 새로운 방법 RelicusRoad는 외환, 선물, 암호화폐, 주식 및 지수에 대한 세계에서 가장 강력한 거래 지표로서 거래자에게 수익성을 유지하는 데 필요한 모든 정보와 도구를 제공합니다. 우리는 초보자부터 고급까지 모든 거래자가 성공할 수 있도록 기술적 분석 및 거래 계획을 제공합니다. 미래 시장을 예측할 수 있는 충분한 정보를 제공하는 핵심 거래 지표입니다. 우리는 차트에서 말이 안 되는 여러 지표 대신 완전한 솔루션을 믿습니다. 타의 추종을 불허하는 매우 정확한 신호, 화살표 + 가격 조치 정보를 표시하는 올인원 표시기입니다. 강력한 AI를 기반으로 하는 RelicusRoad는 누락된 정보와 도구를 제공하여 교육하고 성공적인 트레이더인 트레이딩 전문
XQ Indicator MetaTrader 5
Marzena Maria Szmit
5 (1)
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
Volume by Price MT5
Brian Collard
5 (3)
The Volume by Price Indicator for MetaTrader 5 features Volume Profile and Market Profile TPO (Time Price Opportunity). Get valuable insights out of currencies, equities and commodities data. Gain an edge trading financial markets. Volume and TPO histogram bar and line charts. Volume Footprint charts. TPO letter and block marker charts including split structures. Versatile segmentation and compositing methods. Static, dynamic and flexible ranges with relative and/or absolute visualizations. Lay
소개       Quantum Breakout PRO   , 브레이크아웃 존 거래 방식을 변화시키는 획기적인 MQL5 지표! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       퀀텀 브레이크아웃 PRO       혁신적이고 역동적인 브레이크아웃 존 전략으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. Quantum Breakout Indicator는 5개의 이익 목표 영역이 있는 브레이크아웃 영역의 신호 화살표와 브레이크아웃 상자를 기반으로 한 손절 제안을 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 중요한! 구매 후 설치 매뉴얼을 받으려면 개인 메시지를 보내주십시오. 추천: 기간: M15 통화쌍: GBPJPY, EURJPY, USDJPY,NZDUSD, XAUUSD 계정 유형: 스프레드가 매우 낮은 ECN, Raw 또는 Razor 브로커 시간: GM
Entry Points Pro for MT5
Yury Orlov
4.54 (157)
다시 색을 칠하지 않고 거래에 진입할 수 있는 정확한 신호를 제공하는 MT5용 지표입니다. 외환, 암호화폐, 금속, 주식, 지수 등 모든 금융 자산에 적용할 수 있습니다. 매우 정확한 추정값을 제공하고 매수와 매도의 가장 좋은 시점을 알려줍니다. 하나의 시그널로 수익을 내는 지표의 예와 함께 비디오 (6:22)시청하십시오! 대부분의 거래자는 Entry Points Pro 지표의 도움으로 첫 거래 주 동안 트레이딩 결과를 개선합니다. 저희의   Telegram Group 을 구독하세요! Entry Points Pro 지표의 좋은점. 재도색이 없는 진입 신호 신호가 나타나고 확인되면(시그널 캔들이 완성된 경우) 신호는 더 이상 사라지지 않습니다. 여타 보조지표의 경우 신호를 표시한 다음 제거되기 때문에 큰 재정적 손실로 이어집니다. 오류 없는 거래 게시 알고리즘을 통해 트레이드(진입 또는 청산)를 할 이상적인 순간을 찾을 수 있으며, 이를 통해 이를 사용하는 모든 거래자의
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance,   HH/LL/HL/LH,    Fair Value Gap, FVG,  Premium  &   Discount   Zones, Fibonacci Retracement, OTE, Buy Side Liquidity, Sell Side Liquidity, BSL/SSL Taken, Equal Highs & Lows, MTF Dashboard, Multiple Time Frame, BigBar, HTF OB, HTF Market Structure
AW Trend Predictor MT5
AW Trading Software Limited
4.76 (54)
하나의 시스템에서 추세와 고장 수준의 조합입니다. 고급 지표 알고리즘은 시장 노이즈를 필터링하고 추세, 진입점 및 가능한 출구 수준을 결정합니다. 표시기 신호는 통계 모듈에 기록되어 가장 적합한 도구를 선택하여 신호 기록의 효율성을 보여줍니다. 이 표시기는 이익 실현 및 손절매 표시를 계산합니다. 매뉴얼 및 지침 ->   HERE   / MT4 버전 ->   HERE 지표로 거래하는 방법: Trend Predictor로 거래하는 것은 3단계로 간단합니다. 1단계 - 포지션 열기 70% 이상의 성공률로 매수 신호를 받았습니다. 2단계 - StopLoss 결정 반대 신호로 트렁크 선택 3단계 - 이익 실현 전략 정의 전략 1: TP1 도달 시 전체 포지션 청산 전략 2: TP1 도달 시 포지션의 50% 청산 및 TP2 도달 시 나머지 50% 청산 전략 3: 추세 반전 시 전체 포지션 청산 이익: 결과를 다시 그리지 않음, 신호는 엄격하게 양초가 닫힐 때 어드바이저에서 사용할 수 있습니
Auto Order Block with break of structure based on ICT and Smart Money Concepts Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   ,  MTF      ( Multi Time Frame )    Volume Imbalance     ,  MTF          vIMB Gap’s Equal High / Low’s     ,  MTF             EQH / EQL Liquidity               Current Day High / Low           HOD /
Blahtech Supply Demand MT5
Blahtech Limited
4.57 (14)
Was: $299  Now: $99   Supply Demand uses previous price action to identify potential imbalances between buyers and sellers. The key is to identify the better odds zones, not just the untouched ones. Blahtech Supply Demand indicator delivers functionality previously unavailable on any trading platform. This 4-in-1 indicator not only highlights the higher probability zones using a multi-criteria strength engine, but also combines it with multi-timeframe trend analysis, previously confirmed swings
ON Trade Gann Squares MT5
Abdullah Alrai
5 (1)
간 스퀘어 지표는 W.D. 간이 쓴 "시장 예측을 위한 수학적 공식" 기사에 기반한 강력한 시장 분석 도구입니다. 이 도구는 수학적 개념과 간 이론을 사용하여 정확한 시장 분석을 수행합니다. 144, 90, 52의 제곱과 9의 제곱을 사용합니다. 또한 의 9의 제곱근 및 해당 제곱의 채널 및 스타 패턴과의 관련성을 통합합니다. 사용자 메뉴얼 및 적용: 이 지표를 사용하기 전에 사용자 메뉴얼을 읽고 질문이 있을 경우 문의하시기 바랍니다. 전체 메뉴얼은 웹사이트에서 제공됩니다. MT5의 전체 버전을 구매하거나 MT4의 무료 버전을 테스트할 수 있습니다. 두 버전 모두 링크에서 확인하실 수 있습니다. 주요 기능 및 기능: 간 스퀘어 지표는 정확한 결정을 위해 기하학적 개념과 간 이론을 활용하는 시장 분석을 위한 포괄적인 도구 집합을 제공합니다. 주요 기능은 다음과 같습니다. 9의 제곱 분석:   이 지표는 9의 제곱에 대한 수평 선, 스타 패턴, 그리드 및 간 팬을 그릴 수 있습니다. 간
TrendMaestro5
Stefano Frisetti
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 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 and therefore the mome
가격이 역전되고 후퇴함에 따라 시장 구조가 변경됩니다. 시장 구조 반전 경고 표시기는 추세 또는 가격 움직임이 고갈에 가까워지고 반전할 준비가 되었음을 식별합니다. 일반적으로 반전이나 큰 하락이 일어나려고 할 때 발생하는 시장 구조의 변화를 알려줍니다. 지표는 가능한 고갈 지점 근처에서 새로운 고점 또는 저점이 형성될 때마다 초기에 돌파와 가격 모멘텀을 식별합니다. 표시기는 반대쪽에 있는 마지막 촛불에 직사각형을 그립니다. 그런 다음 현재의 단기 추세에서 계속 움직이기 때문에 가격과 함께 직사각형을 따라갈 것입니다. 가격이 사각형 위나 아래로 다시 닫힐 정도로 약해지면 시장 구조에 잠재적인 변화가 일어나고 있음을 나타냅니다. 그런 다음 표시기는 방향의 잠재적인 이동과 추세 또는 주요 하락의 가능한 반전 시작에 대해 경고합니다. 작동 방식을 보려면 아래의 작동 표시기를 참조하십시오! 모든 쌍 및 주요 기간을 모니터링하는 대시보드: https://www.mql5.com/
Trend Line Map Pro MT5
STE S.S.COMPANY
4.67 (9)
트렌드 라인 맵 표시기는 트렌드 스크리너 표시기의 애드온입니다. Trend screener(Trend Line Signals)에 의해 생성된 모든 신호에 대한 스캐너로 작동합니다. Trend Screener Indicator 기반의 Trend Line Scanner입니다. Trend Screener Pro 표시기가 없으면 Trend Line Map Pro가 작동하지 않습니다. It's a Trend Line Scanner based on Trend Screener Indicator. If you don't have Trend Screener Pro Indicator,     the Trend Line Map Pro will not work . MQL5 블로그에 액세스하여 추세선 지도 표시기의 무료 버전을 다운로드할 수 있습니다. Metatrader Tester 제한 없이 구매하기 전에 사용해 보십시오. : 여기를 클릭하세요 1. 쉽게 얻을 수 있는 이점 통화 및
TrendLine PRO MT5
Evgenii Aksenov
4.78 (49)
The Trend Line PRO indicator is an independent trading strategy. It shows the trend change, the entry point to the transaction, as well as automatically calculates three levels of Take Profit and Stop Loss protection Trend Line PRO is perfect for all Meta Trader symbols: currencies, metals, cryptocurrencies, stocks and indices Advantages of Trend Line PRO Never redraws its signals The possibility of using it as an independent strategy It has three automatic levels Take Profit and Stop Loss lev
TPSproTREND PrO MT5
Roman Podpora
5 (5)
TPSpro TRENDPRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  -  Version MT4                  DETAILED DESCRIPTION        /       TRADING SETUPS       
Gartley Hunter Multi
Siarhei Vashchylka
5 (5)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all classic timeframes: (m1, m5, m15, m30, H1, H4, D1, Wk, Mn). Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all classic timeframes 3. Search for patterns of all possible sizes. Fr
Black Dragon indicator mt5
Ramil Minniakhmetov
4.82 (56)
추세 감지 표시기는 모든 전략을 보완하며 독립적인 도구로도 사용할 수 있습니다.   장점 사용하기 쉽고 불필요한 정보로 차트에 과부하가 걸리지 않습니다. 모든 전략에 대한 필터로 사용할 수 있습니다. 기본 제공 수준의 동적 지원 및 저항이 있어 이익을 얻고 손절매를 설정하는 데 모두 사용할 수 있습니다. 촛대가 닫힌 후에도 표시기는 색상을 변경하지 않습니다.  주식 시장, 지수, 석유, 금 및 모든 시간대에서 작동합니다. 토스트 알림, 이메일 알림, 푸시 알림 및 소리 알림 기능이 있습니다. 내 다른 개발은 여기에서 찾을 수 있습니다:   https://www.mql5.com/ko/users/mechanic/seller 입력 매개변수 Alert - 켜기/끄기. 알리다; Push Notification - 켜기/끄기. 푸시 알림; Mail - 켜기/끄기 이메일 알림; Fibo 1,2,3,4,5,6,7,11,21,31,41,51,61,71 - 동적 지원 및 저항 수준 설정.
Golden Spikes Detector
Batsirayi L Marango
5 (1)
Golden Spikes Detector This indicator is based on an advanced strategy primarily for trading spikes on Boom and Crash Indices. Complex algorithms were implemented to detect high probability entries only. It alerts on potential Buy and Sell entries. To trade spikes on the Deriv or Binary broker, only take Buy Boom and Sell Cash alerts. It was optimised to be loaded on 5-minute timeframe although multiple timeframe analysis is done in the background. Features ·             Desktop pop up and sound
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (14)
매트릭스 화살표 표시기 MT5 는 외환, 상품, 암호 화폐, 지수, 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 기간 표시기를 따르는 고유한 10 in 1 추세입니다.  Matrix Arrow Indicator MT5 는 다음과 같은 최대 10개의 표준 지표에서 정보와 데이터를 수집하여 초기 단계에서 현재 추세를 결정합니다. 평균 방향 이동 지수(ADX) 상품 채널 지수(CCI) 클래식 하이켄 아시 캔들 이동 평균 이동 평균 수렴 발산(MACD) 상대 활력 지수(RVI) 상대 강도 지수(RSI) 포물선 SAR 스토캐스틱 오실레이터 윌리엄스의 백분율 범위 모든 지표가 유효한 매수 또는 매도 신호를 제공하면 강력한 상승/하락 추세를 나타내는 다음 캔들/막대가 시작될 때 해당 화살표가 차트에 인쇄됩니다. 사용자는 사용할 표시기를 선택하고 각 표시기의 매개변수를 개별적으로 조정할 수 있습니다. 매트릭스 화살표 표시기 MT5는 선택한 표시기에서만 정보를 수
Smart Peak Bottom
Xiaoyu Huang
5 (2)
이것은 고점과 저점을 판단하기 위한 명확한 지표이며 진동 시장에 적합합니다. 프로모션 가격 49$ → 59$ 특징 상의와 하의를 잘 판단한다 다시 그리기 없음, 드리프트 없음 빠른 계산, 지연 없음 풍부한 알림 모드 여러 매개 변수 및 색상을 조정할 수 있습니다. 매개변수 "======== 메인 ========" HighLowPeriod1 = 9 HighLowPeriod2 = 60 HighLowPeriod3 = 34 HighLowEMAPeriod = 4 MASignalPeriod = 5 "======== 알림 ========" UseAlertNotify = 참; UseMetaQuotesIDNotify = 참; UseMailNotify = 참; NotifySignalMode = 색상 변경 및 레벨 확인; 하이레벨 = 80; 저수준 = 20; NofityPreMessage = "스마트 피크 바닥"; EA 통화의 경우 0. 높은 버퍼 1.낮은 버퍼 2. 방향 버퍼 1 up
IX Power MT5
Daniel Stein
5 (2)
IX Power는   마침내 FX Power의 탁월한 정밀도를 외환이 아닌 기호에도 적용했습니다. 좋아하는 지수, 주식, 원자재, ETF, 심지어 암호화폐까지 단기, 중기, 장기 추세의 강도를 정확하게 파악할 수 있습니다. 단말기가 제공하는   모든 것을 분석할   수 있습니다. 사용해 보고 트레이딩   타이밍이 크게 향상되는   것을 경험해 보세요. IX Power 주요 특징 단말기에서 사용 가능한 모든 거래 심볼에 대해 100% 정확한 비재도장 계산 결과 제공 사전 구성 및 추가적으로 개별 구성 가능한 강도 분석 기간의 드롭다운 선택 가능 이메일, 메시지, 모바일 알림을 통한 다양한 알림 옵션 제공 EA 요청을 위한 액세스 가능한 버퍼 더 나은 성능을 위한 사용자 지정 가능한 계산 한도 더 많은 것을 보고 싶은 사용자를 위한 특별 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을 위한 무한한 그래픽 설정 가능 Windows 11 및 macOS 스타일의 둥
Account Graph MT5
Kyra Nickaline Watson-gordon
5 (1)
An indicator to draw a graph of account current and historical state such as Balance, Equity, Margin, Free Margin, Margin Level, Drawdown, Account Profit, Deposit and Withdrawals. Indicator Inputs : Draw Balance Graph Draw Equity Graph Draw Margin Graph Draw Free Margin Graph Draw Margin Level Graph Draw Drawdown Graph Draw Account Profit Graph Hide Data on Chart and Buffers Connect Gaps by Lines Sign of DDs on Profit Sign of DDs on Loss Tips : The Indicator will draw historical balance gra
제작자의 제품 더 보기
For MT4 version please send private message. - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - For bar color option please send private message. - 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.
B Xtrender
Yashar Seyyedin
5 (1)
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.
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
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 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
To get access to MT5 version please contact via private message. This is the exact conversion from TradingView:Nadaraya-Watson Envelope" by " LuxAlgo ". This is not a light-load processing indicator. It is a 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:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. 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 to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
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
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
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: "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.
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 get access to MT5 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by " colinmck ". - 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 for downloading
IntradayTrader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
Vortex Indicator
Yashar Seyyedin
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
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To get access to MT5 version please contact via private message. This is the exact conversion from TradingView: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. 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.
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Range Identifier" By "Mango2Juice". - All twelve averaging options are available:  EMA, DEMA, TEMA, WMA, VWMA, SMA, SMMA, RMA, HMA, LSMA, Kijun, McGinley - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart and not for thresholds.  - You can message in private chat for further changes you need.
MacroTrendTrader
Yashar Seyyedin
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
Choppy Trader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
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 . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
FREE
Full Pack Moving Average
Yashar Seyyedin
4 (2)
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
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
RSI versus SMA
Yashar Seyyedin
4 (1)
To download MT5 version please click  here . This is the exact conversion from TradingView: "RSI versus SMA" By "JayRogers". This indicator lets you read the buffers for all Lines on chart.  Note: This is an indicator, Not an expert. Meaning It does not take trades. If you want the EA please contact via message. You can easily use the indicator to understand the logic behind trades that the TradingView strategy takes. The strategy is profitable if this indicator is applied to the right symbol at
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
필터:
Khulani
156
Khulani 2023.08.02 18:44 
 

Really great! Thanks.

Yashar Seyyedin
31988
개발자의 답변 Yashar Seyyedin 2023.08.02 22:30
Thanks. Wish you happy trading.
Darz
2635
Darz 2023.07.17 04:56 
 

Excellent Indicator, exactly the same to what we have on TradingView

Yashar Seyyedin
31988
개발자의 답변 Yashar Seyyedin 2023.07.17 08:00
Thanks for the positive review. Wish you happy trading.
리뷰 답변
버전 1.40 2024.02.02
Updated the default setting to avoid bad graphics of fillings in MT5.
버전 1.30 2023.07.06
Added Alerts input option.
버전 1.20 2023.06.01
Fixed memory leakage issue.
버전 1.10 2023.05.26
Fixed issue related to removing text label object from chart.