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

Twin Range Filter by colinmck

5

To get access to MT4 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.

Here is the code a sample EA that operated based on signals coming from the indicator:

#include <Trade\Trade.mqh>
CTrade trade;
int handle_twr=0;

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

input group "TWR setting"
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input int per1 = 27; //Fast period
input double mult1 = 1.6; //Fast range
input int per2 = 55; //Slow period
input double mult2 = 2; //Slow range
input bool showAlerts=true; //use Alerts


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_twr=iCustom(_Symbol, PERIOD_CURRENT, "Market/Twin Range Filter by colinmck", src, per1, mult1, per2, mult2, showAlerts);
   if(handle_twr==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsTWRBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_twr, 12, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsTWRSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_twr, 13, 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
SpaciousTrader
21
SpaciousTrader 2023.07.11 22:09 
 

Great indicator and awesome support by the author Yashar !!

추천 제품
RSIScalperPro
PATRICK WENNING
RSIScalperPro를 소개합니다 - 메타트레이더 5용 RSI 기반의 혁신적인 인디케이터로, 1분 차트에서의 스캘핑에 최적화되어 있습니다! RSIScalperPro를 사용하면 정확한 진입 및 청산 신호를 제공하는 강력한 도구를 손에 넣을 수 있습니다. RSIScalperPro는 서로 다른 두 가지 RSI 지표를 사용하여 과매수 및 과매도 레벨에 대한 명확한 신호를 제공합니다. 2개의 RSI의 시간 프레임 및 제한 값을 원하는 대로 조정하여 트레이딩 전략에 최적화된 결과를 얻을 수 있습니다. 차트 상의 개별 화살표는 거래 진입 및 청산 타이밍을 쉽게 파악하는 데 도움이 됩니다. 또한 RSIScalperPro의 특징 중 하나는 사용자 정의 가능한 3개의 이동 평균선입니다. 이를 통해 트렌드의 방향을 판단하고 강력한 거래 신호를 확인하는 데 도움이 됩니다. 이를 통해 조기에 트렌드를 감지하고 수익성 높은 거래에 참여할 수 있습니다. 뿐만 아니라 RSIScalperPro는 새로운 거래
To get access to MT4 version please click   here . This is the exact conversion from TradingView: QQE MT4 Glaz-modified by JustUncleL This is a light-load processing and non-repaint indicator. All input options are available. This is not a multi time frame indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
이 지표는 실제 거래에 완벽한 자동 파동 분석 지표입니다! 사례... 참고:   웨이브 그레이딩에 서양식 이름을 사용하는 데 익숙하지 않습니다. Tang Lun(Tang Zhong Shuo Zen)의 명명 규칙의 영향으로 기본 웨이브를   펜   으로 명명하고 2차 웨이브 밴드를   세그먼트   로 명명했습니다. 동시에, 세그먼트에는 추세 방향이 있습니다.   주요 추세 세그먼트에는   이름이 지정되지만(이 이름 지정 방법은 향후 노트에서 사용됩니다. 먼저 말씀드리겠습니다.) 알고리즘은 굴곡 이론과 거의 관련이 없으므로 그렇게 해서는 안 됩니다. 이는 나의 시장 분석을   통해 요약된 끊임없이 변화하고 복잡한 운영 규칙을   반영합니다. 밴드는 더 이상 사람마다 다르지 않도록 표준화되고 정의되었습니다. 인위적인 간섭의 드로잉 방법은 시장 진입을 엄격하게 분석하는 데 핵심적인 역할을 합니다. 이 지표를 사용하는 것은 거래 인터페이스의 미학을 개선하고 원래의 K-line 거래를
Rocket Trend
Andriy Sydoruk
The Rocket Trend indicator is trending. The indicator draws two-color points connected by lines along the chart. This is a trend indicator, it is an algorithmic indicator. It is easy to work and understand when a blue circle appears, you need to buy, when a red one appears, sell. The indicator is used for scalping and pipsing, and has proven itself well. Rocket Trend is available for analyzing the direction of the trend for a specific period of time. Ideal for novice traders learning the laws o
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". 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 
- This is an implementation of OCC ==> open close cross - This indicator applies twelve different averaging methods to open and close prices separately to signal the trend switching. - All MA methods are set as input as well as period and different offsets applied to linear regression and ALMA averaging. - Buffers 16 and 17 can be used in EAs to detect trend direction. - You can message in private chat for further changes you need.
The indicator helps to enter a trade following the trend, at the same time, after some correction. It finds strong trending movements of a currency pair on a given number of bars, and also finds correction levels to this trend. If the trend is strong enough, and the correction becomes equal to the one specified in the parameters, then the indicator signals this. You can set different correction values, 38, 50 and 62 (Fibonacci levels) are better. In addition, you can set the minimum trend lengt
To get access to MT4 version please click here . Also you can check this link . This is the exact conversion from TradingView: "UT Bot" by "Yo_adriiiiaan". 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
ATR Bands Expansion Indicator
AL MOOSAWI ABDULLAH JAFFER BAQER
Unlock Precision with ATR Bands Expansion Indicator The ATR Bands Expansion Indicator is your gateway to identifying dynamic price movements and breakout opportunities in the financial markets. Designed to enhance your trading strategy, this tool uses Average True Range (ATR) principles to create adaptive bands that expand and contract based on market volatility. Key Highlights : Not Optimized: This indicator is designed for you to optimize according to your trading preferences and mark
This Indicator adding power to traditional zigzag indicator. With High-Low numbers in vision it will be easier to estimate change of trend by knowing the depth of each wave. Information including points, pips, percentage%, and #bars can be displayed based on configuration. All information is real-time update. This indicator is especially useful in sideway market to buy low sell high.
Quantile Estimator
Fillipe Dos Santos
Quantile Estimator Overview This indicator implements a robust statistical method for analyzing price distributions and detecting outliers in financial markets. It's particularly valuable because it: Uses volume-weighted calculations for more accurate market representation Handles non-normal price distributions effectively Provides robust outlier detection through adaptive fencing Key Components Core Statistical Methods Harrell-Davis Quantile Estimator : Calculates weighted percentiles using bet
Vwap Bands Auto
Ricardo Almeida Branco
The Vwap Bands Auto indicator seeks to automatically map the maximum market frequency ( automatic update of the outermost band ) and has two intermediate bands that also adjust to daily volatility. Another tool from White Trader that combines price and volume, in addition to mapping the daily amplitude. The external band is updated automatically when the daily maximum or minimum breaks the current frequency, and can be an input signal, seeking a return to the daily vwap. Thus, in addition t
Xtrade Trend Detector
Dago Elkana Samuel Dadie
Xtrade Trend Detector is an indicator capable of finding the best opportunities to take a position in any stock market. Indeed, it is a great tool for scalpers but also for Daytraders. You could therefore use it to identify areas to trade, it fits easily on a chart. I use it to detect trends on Big timeframes and take positions on Small timeframes. Don't hesitate to give me a feedback if you test it.
Introduction to Fractal Pattern Scanner Fractal Indicator refers to the technical indicator that makes use of the fractal geometry found in the financial market. Fractal Pattern Scanner is the advanced Fractal Indicator that brings the latest trading technology after the extensive research and development work in the fractal geometry in the financial market. The most important feature in Fractal Pattern Scanner is the ability to measure the turning point probability as well as the trend probabil
Elevate Your Trading Experience with the famous UT Bot Alert Indicator! Summary: The UT Bot Alert Indicator by Quant Nomad has a proven track record and is your gateway to a more profitable trading journey. It's a meticulously crafted tool designed to provide precision, real-time insights, and a user-friendly experience.  Key Features: 1. Precision Analysis: Powered by advanced algorithms for accurate trend identification, pinpointing critical support and resistance levels. 2. Real-time Alert
Volume Candle MT5
Rafael Caetano Pinto
This indicator shows the candles with the highest volume in the market, based on a period and above-average growth percentage. It is also possible to activate the "Show in-depth analysis" functionality that uses algorithms to paint the candles with the probably market direction instead of painting based on the opening and closing positions. EA programmers: This indicator does not redraw.
Mean Reversal Heikin Ashi Indicator calculates special trade reversal points based on Heikin Ashi candlesticks patterns. This indicator can be used on all symbols, even in Forex or B3 Brazillian Markets. You can configure just the position of each arrow. Then, after include the indicator on the graphic, pay attention on each arrow that indicates a long or short trade.
제품의 현재 가격은 49달러로, 한정된 시간 동안 제공됩니다. Market Structure의 다음 가격은 99달러입니다. MT5용 Market Structure Break Out을 소개합니다 – 전문 MSB 및 Unbroken Zone 지표. MT4 버전도 이용 가능합니다. 여기를 확인하세요: https ://www .mql5 .com /en /market /product /109958 이 지표는 지속적으로 업데이트되고 있습니다. 우리는 시장 구조를 기반으로 매우 정확한 진입 및 종료 지점을 제공하기 위해 노력하고 있습니다. 현재 버전 1.1에 도달했으며, 지금 가입하시면 다음과 같은 최신 변경 사항을 확인하실 수 있습니다: 매수 및 매도 목표:   매수 및 매도 포지션의 최적 이익 실현 수준에 대한 명확한 통찰을 제공합니다. 마지막 MSB 방향:   최신 시장 구조 돌파 방향을 표시하여 더 나은 결정을 내릴 수 있도록 도와줍니다. 향상된 시각적 모드:   밝은, 어두운 또는 사
The indicator determines a special pattern of Joe Dinapoli. It gives very high probability buy and sell signals. Indicator does not repaint. Indicator Usage Buy Signal ''B'' Entry : Market buy order at signal bar close Stop : Low of signal bar Take Profit : First swing high Sell Signal ''S'' Entry : Market sell order at signal bar close Stop : High of signal bar Take Profit : First swing low Indicator Parameters Fast EMA : External Parameter (should be kept as default) Slow EMA: External Param
Drawing Pack MT5
John Louis Fernando Diamante
This indicator provides several drawing tools to assist in various methods of chart analysis. The drawings will keep their proportions (according to their handle trendline) across different chart scales, update in real time, and multiple drawings are supported. # Drawing Option Description  1 Grid box draggable boxed grid, user defines rows x colums, diagonal ray option  2 Grid partial or fullscreen grid, sized by handle line  3 Grid flex a diagonal grid, sized and sloped by handle line  4 Cyc
Harmonic Pro
Kambiz Shahriarynasab
Only 5 copies of the EA at $30! Next price --> $45 Find charts and signals based on harmonic patterns, which work great in 1-hour timeframes and up. Buy and sell signs based on different harmonic patterns as follows: 0: ABC_D 1: ABCD_E 2: 3Drive 3: 5_0 4: Gartley 5: Bat 6: Crab 7: Butterfly 8: Cypher 9: NenStar 10: Shark 11: AntiBat 12: AntiGartley 13: AntiCrab 14: AntiButterfly 15: AntiCypher 16: AntiNenStar 17: AntiShark How to use: When there is an opportunity to buy or sell, you have 5:
AdvancedCandleWrapper
Douglas Mbogo Ntongai
Draw as many custom candles as possible on a single chart with this special indicator. Your analysis skill will never be the same again for those who know the power that having a hawkeye view of all price action at once provides. Optimized for performance and allows customization on the appearance of candle bodies and wicks. This is an integral part of analysis at our desks, we hope it will never leave your charts too once you can use it to its full potential.
Visual ATR Bands Midline Trend Indicator
AL MOOSAWI ABDULLAH JAFFER BAQER
Unlock the Power of Trend Dynamics with ATR Bands Midline Trend Indicator! The ATR Bands Midline Trend Indicator is a meticulously crafted tool designed to help traders identify trends with precision using the Average True Range (ATR) as a foundation. This indicator focuses on calculating a midline derived from ATR bands, providing a unique perspective for traders to detect trend direction and strength effectively. ️ Important : This indicator is not optimized, leaving the door open for y
Scissors Pattern
Kambiz Shahriarynasab
Configure scaffolding charts and signals based on the scissor pattern, which works great at low times. Buy and sell signs based on 2 previous candle patterns It works on the active time form, and when detecting the pattern in 4 time frames, 5 minutes, 15 minutes, 30 minutes and one hour, the alert can be set to notify us of the formation of this pattern. MetaTrader version 4 click here How to use: When there is an opportunity to buy or sell, the marker places a scissors mark on the candle
Machine Learning Adaptive SuperTrend - Take Your Trading to the Next Level! Introducing the   Machine Learning Adaptive SuperTrend , an advanced trading indicator designed to adapt to market volatility dynamically using machine learning techniques. This indicator employs k-means clustering to categorize market volatility into high, medium, and low levels, enhancing the traditional SuperTrend strategy. Perfect for traders who want an edge in identifying trend shifts and market conditio
To get access to MT4 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. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
TilsonT3
Jonathan Pereira
Tillson's T3 moving average was introduced to the world of technical analysis in the article ''A Better Moving Average'', published in the American magazine Technical Analysis of Stock Commodities. Developed by Tim Tillson, analysts and traders of futures markets soon became fascinated with this technique that smoothes the price series while decreasing the lag (lag) typical of trend-following systems.
FREE
The Gold-Euro Edge The Gold-Euro Edge is a powerful trading tool designed to provide real-time insights into the volatility of two major markets: XAUUSD (Gold/USD) and EURUSD (Euro/USD) . Key Features Comprehensive Market Analysis : Continuously analyzes price fluctuations in both XAUUSD and EURUSD, identifying periods of heightened or diminished volatility. Real-Time Alerts : Audible Alerts : Receive immediate audio notifications directly from your trading platform, alerting you to significant
Koala Engulf Pattern
Ashkan Hazegh Nikrou
3 (1)
Koala Engulf Pattern Introduction Professional MT5 indicator to detect engulf price action pattern. Useful in forex , cryptocurrency , CFD, Oil market. Some adjustable methods to separate qualified engulf patterns. Nice drawing on chart by fill engulf candles and draw stop loss and 3 different take profits on chart. Alert system contain pop up, mobile notification, email alert. Koala Engulf Pattern Advantages Pure Price Action pattern, engulf is one of amazing price action patterns and very pu
The Beta index, also known as the Beta indicator, is one of the key reference indicators for hedging institutions. It allows you to measure the relative risk of individual assets, such as currencies and commodities, in comparison to market portfolios, cross-currency pairs, the U.S. dollar index, and stock indices. By understanding how your assets perform in relation to market benchmarks, you will have a clearer understanding of your investment risk. Key Features: Accurate Risk Assessment: The Be
이 제품의 구매자들이 또한 구매함
Trend Screener Pro MT5
STE S.S.COMPANY
4.89 (70)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! 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.82 (17)
FX Volume: 브로커 시각에서 바라보는 진짜 시장 심리 간단 요약 트레이딩 접근 방식을 한층 더 향상시키고 싶으신가요? FX Volume 는 소매 트레이더와 브로커의 포지션을 실시간으로 파악할 수 있게 해 줍니다. 이는 COT 같은 지연된 보고서보다 훨씬 빠릅니다. 꾸준한 수익을 추구하는 분이든, 시장에서 더 깊은 우위를 원하시는 분이든, FX Volume 을 통해 대규모 불균형을 찾아내고, 돌파 여부를 확인하며 리스크 관리를 정교화할 수 있습니다. 지금 시작해 보세요! 실제 거래량 데이터가 의사결정을 어떻게 혁신할 수 있는지 직접 경험해 보시기 바랍니다. 1. 트레이더에게 FX Volume이 매우 유익한 이유 탁월한 정확도를 지닌 조기 경보 신호 • 다른 사람들보다 훨씬 앞서, 각 통화쌍을 매수·매도하는 트레이더 수를 거의 실시간으로 파악할 수 있습니다. • FX Volume 은 여러 리테일 브로커에서 추출한 실제 거래량 데이터를 종합해 명확하고 편리한 형태로 제공하는
Quantum TrendPulse
Bogdan Ion Puscasu
5 (11)
SuperTrend   ,   RSI   ,   Stochastic   의 힘을 하나의 포괄적인 지표로 결합하여 트레이딩 잠재력을 극대화하는 궁극의 트레이딩 도구   인 Quantum TrendPulse를   소개합니다. 정밀성과 효율성을 추구하는 트레이더를 위해 설계된 이 지표는 시장 추세, 모멘텀 변화, 최적의 진입 및 종료 지점을 자신 있게 식별하는 데 도움이 됩니다. 주요 특징: SuperTrend 통합:   주요 시장 추세를 쉽게 따라가고 수익성의 물결을 타세요. RSI 정밀도:   매수 과다 및 매도 과다 수준을 감지하여 시장 반전 시점을 파악하는 데 적합하며 SuperTrend 필터로 사용 가능 확률적 정확도:   변동성이 큰 시장에서 숨겨진 기회를 찾기 위해 확률적 진동   을 활용하고 SuperTrend의 필터로 사용 다중 시간대 분석:   M5부터 H1 또는 H4까지 다양한 시간대에 걸쳐 시장을 최신 상태로 유지하세요. 맞춤형 알림:   맞춤형 거래 조건이 충족되면
FX Levels MT5
Daniel Stein
5 (2)
FX Levels: 모든 시장을 위한 뛰어난 정확도의 지지와 저항 간단 요약 통화쌍, 지수, 주식, 원자재 등 어떤 시장이든 믿을 만한 지지·저항 레벨을 찾고 싶나요? FX Levels 는 전통적인 “Lighthouse” 기법과 첨단 동적 접근을 결합해, 거의 보편적인 정확성을 제공합니다. 실제 브로커 경험을 반영하고, 자동화된 일별 업데이트와 실시간 업데이트를 결합함으로써 FX Levels 는 가격 반전 포인트를 파악하고, 수익 목표를 설정하며, 자신 있게 트레이드를 관리할 수 있게 돕습니다. 지금 바로 시도해 보세요—정교한 지지/저항 분석이 어떻게 여러분의 트레이딩을 한 단계 끌어올릴 수 있는지 직접 확인하세요! 1. FX Levels가 트레이더에게 매우 유용한 이유 뛰어난 정확도의 지지·저항 존 • FX Levels 는 다양한 브로커 환경에서도 거의 동일한 존을 생성하도록 설계되어, 데이터 피드나 시간 설정 차이로 인한 불일치를 해소합니다. • 즉, 어떤 브로커를 사용하
TPSproTREND PrO MT5
Roman Podpora
4.6 (15)
TPSpro TREND PRO  - 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!  ИНСТРУКЦИЯ RUS         INSTRUCTIONS  ENG       R ecommended to use with an indicator   -
FX Power MT5 NG
Daniel Stein
5 (10)
FX Power: 통화 강세 분석으로 더 스마트한 거래 결정을 개요 FX Power 는 어떤 시장 상황에서도 주요 통화와 금의 실제 강세를 이해하기 위한 필수 도구입니다. 강한 통화를 매수하고 약한 통화를 매도함으로써 FX Power 는 거래 결정을 단순화하고 높은 확률의 기회를 발견합니다. 트렌드를 따르거나 극단적인 델타 값을 사용해 반전을 예측하고자 한다면, 이 도구는 귀하의 거래 스타일에 완벽히 적응합니다. 단순히 거래하지 말고, FX Power 로 더 스마트하게 거래하세요. 1. FX Power가 거래자에게 매우 유용한 이유 통화와 금의 실시간 강세 분석 • FX Power 는 주요 통화와 금의 상대적 강세를 계산하고 표시하여 시장 역학에 대한 명확한 통찰력을 제공합니다. • 어떤 자산이 앞서고 있고 어떤 자산이 뒤처지는지 모니터링하여 보다 현명한 거래 결정을 내릴 수 있습니다. 포괄적인 멀티 타임프레임 뷰 • 단기, 중기 및 장기 타임프레임에서 통화와 금의 강세를
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.86 (14)
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
FX Dynamic: 맞춤형 ATR 분석으로 변동성과 트렌드를 파악하세요 개요 FX Dynamic 는 Average True Range(ATR) 계산을 활용하여 트레이더에게 일간 및 일중 변동성에 대한 뛰어난 인사이트를 제공하는 강력한 도구입니다. 80%, 100%, 130%와 같은 명확한 변동성 임계값을 설정함으로써 시장이 평소 범위를 초과할 때 빠르게 경고를 받고, 유망한 수익 기회를 재빨리 식별할 수 있습니다. FX Dynamic 는 브로커의 시간대를 인식하거나 수동으로 조정할 수 있으며, 변동성 측정 기준을 일관되게 유지하며, MetaTrader 플랫폼과 완벽하게 연동되어 실시간 분석을 지원합니다. 1. FX Dynamic이 트레이더에게 매우 유용한 이유 실시간 ATR 인사이트 • 하루 및 일중 변동성을 한눈에 모니터링하세요. ATR의 80%, 100%, 130% 임계값이 도달 또는 초과되면, 시장의 중요한 지점에 있음을 알 수 있습니다. • 변동성이 완전히 폭발하기
Basic Harmonic Patterns Dashboard MT5
Mehran Sepah Mansoor
4.57 (7)
이 대시보드는 선택한 심볼에 대해 사용 가능한 최신 고조파 패턴을 표시하므로 시간을 절약하고 더 효율적으로 사용할 수 있습니다 /   MT4 버전 . 무료 인디케이터:   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")을 선택
우선적으로, 이 거래 도구는 전문적인 거래에 이상적인 비-다시 그리기 및 지연되지 않는 지표입니다.  온라인 강좌, 사용자 매뉴얼 및 데모. 스마트 가격 액션 컨셉트 인디케이터는 신규 및 경험 많은 트레이더 모두에게 매우 강력한 도구입니다. Inner Circle Trader Analysis 및 Smart Money Concepts Trading Strategies와 같은 고급 거래 아이디어를 결합하여 20가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하고 다양
TPSpro RFI Levels MT5
Roman Podpora
4.71 (17)
지침         러시아   -        영어       표시기와 함께 사용하는 것이 좋습니다   .       -       TPSpro   트렌드 프로 -   MT4 버전         거래에서 핵심 요소는 거래 상품을 매수 또는 매도하기로 결정하는 구역 또는 수준입니다. 주요 업체가 시장에서 자신의 존재를 숨기려는 시도에도 불구하고, 그들은 필연적으로 흔적을 남깁니다. 우리의 과제는 이러한 흔적을 식별하고 올바르게 해석하는 방법을 배우는 것이었습니다. 주요 기능:: 판매자와 구매자를 위한 활성 영역을 표시합니다! 이 지표는 매수 및 매도를 위한 모든 올바른 초기 임펄스 레벨/존을 보여줍니다. 진입점 검색이 시작되는 이러한 레벨/존이 활성화되면 레벨의 색상이 바뀌고 특정 음영으로 채워집니다. 또한 상황을 보다 직관적으로 이해하기 위해 화살표가 나타납니다. 더 높은 시간대의 레벨/존 표시(MTF 모드) 더 높은 시간 간격을 사용하여 레벨/존을 표시하는 기능을 추가했습니다.
Entry Points Pro for MT5
Yury Orlov
4.45 (127)
다시 색을 칠하지 않고 거래에 진입할 수 있는 정확한 신호를 제공하는 MT5용 지표입니다. 외환, 암호화폐, 금속, 주식, 지수 등 모든 금융 자산에 적용할 수 있습니다. 매우 정확한 추정값을 제공하고 매수와 매도의 가장 좋은 시점을 알려줍니다. 하나의 시그널로 수익을 내는 지표의 예와 함께 비디오 (6:22)시청하십시오! 대부분의 거래자는 Entry Points Pro 지표의 도움으로 첫 거래 주 동안 트레이딩 결과를 개선합니다. 저희의   Telegram Group 을 구독하세요! Entry Points Pro 지표의 좋은점. 재도색이 없는 진입 신호 신호가 나타나고 확인되면(시그널 캔들이 완성된 경우) 신호는 더 이상 사라지지 않습니다. 여타 보조지표의 경우 신호를 표시한 다음 제거되기 때문에 큰 재정적 손실로 이어집니다. 오류 없는 거래 게시 알고리즘을 통해 트레이드(진입 또는 청산)를 할 이상적인 순간을 찾을 수 있으며, 이를 통해 이를 사용하는 모든 거래자의 성공률이
Gold Stuff mt5
Vasiliy Strukov
4.92 (173)
Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!     강력한 지원 및 트렌드 스캐너 표시기의 무료 사본을 받으실 수 있습니다. 메시지를 보내주세요. 나!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그리기. 경고 - 가청 경고를 끕니다. 이메일 알림 - 켜기 끄기. 이메일 알림. Puch-notification - 켜기 끄기. 푸시 알림. 다음으로 색 영역을 조정합니다. Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그
Support And Resistance Screener는 하나의 지표 안에 여러 도구를 제공하는 MetaTrader에 대한 하나의 레벨 지표입니다. 사용 가능한 도구는 다음과 같습니다. 1. 시장 구조 스크리너. 2. 완고한 후퇴 영역. 3. 약세 후퇴 영역. 4. 일일 피벗 포인트 5. 주간 피벗 포인트 6. 월간 피벗 포인트 7. 고조파 패턴과 볼륨에 기반한 강력한 지지와 저항. 8. 은행 수준 구역. LIMITED TIME OFFER : HV 지원 및 저항 표시기는 50 $ 및 평생 동안만 사용할 수 있습니다. ( 원래 가격 125$ ) MQL5 블로그에 액세스하면 분석 예제와 함께 모든 프리미엄 지표를 찾을 수 있습니다. 여기를 클릭하십시오. 주요 특징들 고조파 및 볼륨 알고리즘을 기반으로 하는 강력한 지원 및 저항 영역. Harmonic 및 Volume 알고리즘을 기반으로 한 강세 및 약세 풀백 영역. 시장 구조 스크리너 일간, 주간 및 월간 피벗 포인트. 실제 거래의
IX Power MT5
Daniel Stein
4.83 (6)
IX Power: 지수, 원자재, 암호화폐 및 외환 시장 통찰력을 발견하세요 개요 IX Power 는 지수, 원자재, 암호화폐 및 외환 시장의 강도를 분석할 수 있는 다목적 도구입니다. FX Power 는 모든 가용 통화 쌍 데이터를 사용하여 외환 쌍에 대해 가장 높은 정확도를 제공하는 반면, IX Power 는 기초 자산 시장 데이터에만 초점을 맞춥니다. 이로 인해 IX Power 는 비외환 시장에 이상적이며, 다중 쌍 분석이 필요하지 않은 간단한 외환 분석에도 신뢰할 수 있는 도구입니다. 모든 차트에서 매끄럽게 작동하며, 거래 결정을 향상시키기 위한 명확하고 실행 가능한 통찰력을 제공합니다. 1. IX Power가 트레이더에게 유용한 이유 다양한 시장 강도 분석 • IX Power 는 지수, 원자재, 암호화폐 및 외환 심볼의 강도를 계산하여 각 시장에 맞는 통찰력을 제공합니다. • US30, WTI, 금, 비트코인 또는 통화 쌍과 같은 자산을 모니터링하여 거래 기회를 발견
RelicusRoad Pro MT5
Relicus LLC
5 (17)
이제 $ 147 (몇 가지 업데이트 후 $ 499 증가) - 무제한 계정 (PCS 또는 MACS) RelicusRoad 사용 설명서 + 교육 비디오 + 비공개 Discord 그룹 액세스 + VIP 상태 시장을 보는 새로운 방법 RelicusRoad는 외환, 선물, 암호화폐, 주식 및 지수에 대한 세계에서 가장 강력한 거래 지표로서 거래자에게 수익성을 유지하는 데 필요한 모든 정보와 도구를 제공합니다. 우리는 초보자부터 고급까지 모든 거래자가 성공할 수 있도록 기술적 분석 및 거래 계획을 제공합니다. 미래 시장을 예측할 수 있는 충분한 정보를 제공하는 핵심 거래 지표입니다. 우리는 차트에서 말이 안 되는 여러 지표 대신 완전한 솔루션을 믿습니다. 타의 추종을 불허하는 매우 정확한 신호, 화살표 + 가격 조치 정보를 표시하는 올인원 표시기입니다. 강력한 AI를 기반으로 하는 RelicusRoad는 누락된 정보와 도구를 제공하여 교육하고 성공적인 트레이더인 트레이딩 전문가가 되도
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
매트릭스 화살표 표시기 MT5 는 외환, 상품, 암호 화폐, 지수, 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 기간 표시기를 따르는 고유한 10 in 1 추세입니다.  Matrix Arrow Indicator MT5 는 다음과 같은 최대 10개의 표준 지표에서 정보와 데이터를 수집하여 초기 단계에서 현재 추세를 결정합니다. 평균 방향 이동 지수(ADX) 상품 채널 지수(CCI) 클래식 하이켄 아시 캔들 이동 평균 이동 평균 수렴 발산(MACD) 상대 활력 지수(RVI) 상대 강도 지수(RSI) 포물선 SAR 스토캐스틱 오실레이터 윌리엄스의 백분율 범위 모든 지표가 유효한 매수 또는 매도 신호를 제공하면 강력한 상승/하락 추세를 나타내는 다음 캔들/막대가 시작될 때 해당 화살표가 차트에 인쇄됩니다. 사용자는 사용할 표시기를 선택하고 각 표시기의 매개변수를 개별적으로 조정할 수 있습니다. 매트릭스 화살표 표시기 MT5는 선택한 표시기에서만 정보를 수
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) 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 )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High / Low’s  
Legacy of Gann for MT5
Pavel Zamoshnikov
5 (5)
The indicator very accurately determines the levels of the possible end of the trend and profit fixing. The method of determining levels is based on the ideas of W.D.Gann, using an algorithm developed by his follower Kirill Borovsky. Extremely high reliability of reaching levels (according to K. Borovsky  - 80-90%) Indispensable for any trading strategy – every trader needs to determine the exit point from the market! Precisely determines targets on any timeframes and any instruments (forex, met
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals strictly at the close of a candle! TPA shows entries and re-entries, every time the bulls are definitely stronger than the bears and vice versa. Not to confuse with red/green candles. The shift of power gets confirmed at the earliest stage and is ONE exit strategy of several. There are available now two free parts of the TPA User Guide for our customers. The first "The Basics"
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
Gartley Hunter Multi
Siarhei Vashchylka
5 (9)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. 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 possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. All fou
우선 이 거래 시스템이 리페인팅, 리드로잉 및 레이그 인디케이터가 아니라는 점을 강조하는 것이 중요합니다. 이는 수동 및 로봇 거래 모두에 이상적인 것으로 만듭니다. 온라인 강좌, 설명서 및 프리셋 다운로드. "스마트 트렌드 트레이딩 시스템 MT5"은 새로운 및 경험이 풍부한 트레이더를 위해 맞춤형으로 제작된 종합적인 거래 솔루션입니다. 10개 이상의 프리미엄 인디케이터를 결합하고 7개 이상의 견고한 거래 전략을 특징으로 하여 다양한 시장 조건에 대한 다목적 선택이 가능합니다. 트렌드 추종 전략: 효과적인 트렌드 추이를 타기 위한 정확한 진입 및 손절 관리를 제공합니다. 반전 전략: 잠재적인 트렌드 반전을 식별하여 트레이더가 범위 시장을 활용할 수 있게 합니다. 스캘핑 전략: 빠르고 정확한 데이 트레이딩 및 단기 거래를 위해 설계되었습니다. 안정성: 모든 인디케이터가 리페인팅, 리드로잉 및 레이그가 아니므로 신뢰할 수 있는 신호를 보장합니다. 맞춤화: 개별 거래 선호도를 고려한 맞춤
Blahtech Market Profile MT5
Blahtech Limited
5 (10)
Was: $249  Now: $149   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
Atomic Analyst MT5
Issam Kassas
4.32 (19)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한 일일
Atbot
Zaha Feiz
4.67 (46)
AtBot: 작동 방식 및 사용 방법 ### 작동 방식 MT5 플랫폼용 "AtBot" 지표는 기술 분석 도구의 조합을 사용하여 매수 및 매도 신호를 생성합니다. 01:37 단순 이동 평균(SMA), 지수 이동 평균(EMA), 평균 진폭 범위(ATR) 지수를 통합하여 거래 기회를 식별합니다. 또한 Heikin Ashi 캔들을 사용하여 신호의 정확성을 향상시킬 수 있습니다. 구매 후 리뷰를 남기면 특별 보너스 선물을 받게 됩니다. ### 주요 기능: - 비재표시: 신호는 플로팅 후 변경되지 않습니다. - 비재작성: 신호는 일관되며 변경되지 않습니다. - 지연 없음: 지연 없이 시기적절한 신호를 제공합니다. - 다양한 시간대: 거래 전략에 맞게 모든 시간대에서 사용할 수 있습니다. ### 운영 단계: #### 입력 및 설정: - firstkey (TrendValue): 추세 감지의 민감도를 조정합니다. - Secondkey (SignalValue): 매수/매도 신호 생성의 민감도를 정의
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$   - 25% Discount ( It is 59$ now ) Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 - Non-repaint Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two
AT Forex Indicator MT5
Marzena Maria Szmit
5 (5)
The AT Forex Indicator MT5 is a sophisticated trading tool designed to provide traders with a comprehensive analysis of multiple currency pairs. This powerful indicator simplifies the complex nature of the forex market, making it accessible for both novice and experienced traders. AT Forex Indicator uses advanced algorithms to detect trends, patterns and is an essential tool for traders aiming to enhance their forex trading performance. With its robust features, ease of use, and reliable signal
Blahtech Supply Demand MT5
Blahtech Limited
4.54 (13)
Was: $299  Now: $149  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
Berma Bands
Muhammad Elbermawi
5 (3)
Berma Bands(BBs) 지표는 시장 동향을 파악하고 이를 활용하려는 트레이더에게 귀중한 도구입니다. 가격과 BBs 간의 관계를 분석함으로써 트레이더는 시장이 추세 단계인지 범위 단계인지를 분별할 수 있습니다. 버마 밴드는 세 개의 뚜렷한 선으로 구성되어 있습니다. 어퍼 버마 밴드, 미들 버마 밴드, 로어 버마 밴드입니다. 이 선들은 가격 주위에 그려져 전체 추세에 대한 가격 움직임을 시각적으로 표현합니다. 이 밴드들 사이의 거리는 변동성과 잠재적인 추세 반전에 대한 통찰력을 제공할 수 있습니다. 버마 밴드 라인이 각각에서 분리될 때, 그것은 종종 시장이 횡보 또는 범위 이동 기간에 접어들고 있음을 시사합니다. 이는 명확한 방향 편향이 없음을 나타냅니다. 트레이더는 이러한 기간 동안 추세를 파악하기 어려울 수 있으며 더 명확한 추세가 나타날 때까지 기다릴 수 있습니다. 버마 밴드 라인이 단일 라인으로 수렴할 때, 종종 강력한 추세 환경을 나타냅니다. 이러한 수렴은 가격이
제작자의 제품 더 보기
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
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
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
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
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 dou
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" 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.
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 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". - 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 processing and non-repaint indicator. - You can message in private chat for further changes you need.
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 ". - 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 based on signals coming from indicator: #property strict input string EA_Setting= "" ; input int magic_number= 12
To get access to MT4 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: "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
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
- 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
To get access to MT4 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
필터:
Muhammad Nasrullah
24
Muhammad Nasrullah 2023.11.26 12:34 
 

사용자가 평가에 대한 코멘트를 남기지 않았습니다

Yashar Seyyedin
45826
개발자의 답변 Yashar Seyyedin 2023.11.26 12:35
Thanks for the positive review.
SpaciousTrader
21
SpaciousTrader 2023.07.11 22:09 
 

Great indicator and awesome support by the author Yashar !!

Yashar Seyyedin
45826
개발자의 답변 Yashar Seyyedin 2023.07.11 22:26
Thanks for the positive review.
리뷰 답변
버전 1.10 2023.02.14
Added Alert option.