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

Nadaraya Watson Envelope LuxAlgo

To get access to MT4 version click here.

  • This is the exact conversion from "Nadaraya-Watson Envelope" by "LuxAlgo". (with non-repaint input option)
  • This is not a light-load processing indicator if repaint input is set to true.
  • All input options are available. 
  • Buffers are available for processing in EAs.
  • I changed default input setup to non-repaint mode for better performance required for mql market validation procedure.

Here is the source code of a simple Expert Advisor operating based on signals from this indicator.

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

input group "EA Setting"
input int magic_number=123456; //magic number
input double fixed_lot_size=0.01; // select fixed lot size
input bool multiplie_entry=false; //allow multiple entries in the same direction

input group "nw setting"
input double h = 8.;//Bandwidth
input double mult = 3; //
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input bool repaint = false; //Repainting Smoothing


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_nw=iCustom(_Symbol, PERIOD_CURRENT, "Market/Nadaraya Watson Envelope LuxAlgo", h, mult, src, repaint);
   if(handle_nw==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsNWBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_nw, 5, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsNWSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_nw, 6, 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;
}


추천 제품
This indicator closes the positions when Profit. This way you can achieve a goal without determine Take Profit.  Parameters: Profit: the amount of Dolllars you want to close when profit.  Just determine Profit section and open new positions. If Any of your positions reaches above Profit , Indicator will close automatically and you will recieve your Profit. 
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.
About indicator > The indicator is a function based on one value (open/high prices up to now) and then it is a mathematical representation of the whole function that is totally independent from any else values. So, if you ask yourself will the future be as it is on the graph... I can tell you - as it was the same as the trading function up to the moment "now"... In conclusion, the point of the indicator is  to try to show the future of the trading function into eternity. The graphic is sometime
RoboTick Signal
Mahir Okan Ortakoy
Hello, In this indicator, I started with a simple moving average crossover algorithm. However, in order ot get more succesfull results, I created different scenarios by basin the intersections and aptimized values of the moving averages on opening, closing, high and low values. I am presenting you with the most stable version of the moving averages that you have probably seen in any environment. We added a bit of volume into it. In my opinion, adding the Bollinger Band indicator from the ready-
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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
XFlow
Maxim Kuznetsov
XFlow shows an expanding price channel that helps determine the trend and the moments of its reversal. It is also used when accompanying transactions to set take profit/stop loss and averages. It has practically no parameters and is very easy to use - just specify an important moment in the history for you and the indicator will calculate the price channel. DISPLAYED LINES ROTATE - a thick solid line. The center of the general price rotation. The price makes wide cyclical movements around the
RubdFx Spike
Namu Makwembo
Rubdfx Spike Indicator 1.5: Updated for Strategic Trading The Rubdfx Spike Indicator is developed to aid traders in identifying potential market reversals and trends. It highlights spikes that indicate possible upward or downward movements, helping you observe when a trend may continue. A trend is identified when a buy or sell spike persists until the next opposite spike appears. Key Features: Versatility: Any Timeframe Adaptability: Designed   to work on all Timeframes however Recommended for
EverGrowth Pro MT5
Canberk Dogan Denizli
미래의 거래 노력에 대한 실용적인 관점을 찾고 있다면 EverGrowth를 소개하겠습니다. 약 6800줄의 광범위한 코드베이스로 구성된 본격적인 전문 EA와 거래 활동에 참여한다는 생각에 사로잡혔습니까? EverGrowth는 실제 시장 조건에서 테스트 결과를 충실히 복제하여 진정성을 우선시하는 다양한 기능과 지표를 자랑합니다. 고급 기능을 활용하여 트레이더에게 거래 전략을 강화할 수 있는 포괄적인 도구 세트를 제공합니다. 이와 같이 EverGrowth는 궁극적인 EA로서 M1 기간 동안 다양한 통화 쌍을 거래할 수 있는 적합성을 제공합니다. 현재 활발한 거래에는 USDCAD 및 EURAUD 쌍이 포함됩니다. 그러나 시간이 지남에 따라 우리는 변화의 파도를 타는 것과 같이 시장에 적응하기 위해 이러한 쌍을 수정할 것입니다. 우리는 EA의 성능에 따라 접근 방식을 조정하여 원활한 적응을 보장할 것입니다.   받은 편지함을 연중무휴 24시간 부지런히 모니터링하므로 고객 서비스 경험은
To get access to MT4 version please click  here . This is the exact conversion from TradingView: "VolATR" by "barrettdenning" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing. This 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. Here is the source code of a sample EA operating based
The Price Tracker Indicator is designed to outline a dynamic price channel, showcasing areas where price movement is typically contained. The indicator highlights potential areas of interest where price may react when approaching the channel limits. Versatile for Scalping and Swing Trading The indicator adapts to all timeframes and can complement various trading strategies. It integrates seamlessly with tools such as supply and demand levels, reversal patterns, and other confluences. Key Feat
[ MT4 Version ]  [ Kill Zones ]  [ SMT Divergences ] How to trade using Order Blocks:  Click here User Interface Performance:  During testing in the strategy tester, the UI may experience lag. Rest assured, this issue is specific to the testing environment and does not affect the indicator's performance in live trading. Elevate your trading strategy with the  Order Blocks ICT Multi TF  indicator, a cutting-edge tool designed to enhance your trading decisions through advanced order block analysis
Market Session Pro
Kambiz Shahriarynasab
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that your
- 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.
Volume Trade Levels
Mahmoud Sabry Mohamed Youssef
The idea behind this indicator is very simple , First it contains 2 mechanisms to place your trades: 1- Enter the Pips you want to duplicate to price levels. 2- Automatically let the indicator specify the largest Buy / Sell Volume Candle and place duplicated levels based on the candle itself. How it works: 1- Enter the Pips you want to duplicate to price levels:    1- once the indicator is loaded you will need first to Specify the number of pips in the indicator Configuration window ,you can g
ShortBS
Yan Qi Zhu
ShortBS是一个很好的短线交易指示器,能很好与 BestPointOfInitiation ( https://www.mql5.com/zh/market/product/96671 )配合,能让你找到最合适的buy和sell位置,指标不含有未来函数,不会重新绘制。是一个针对(如果你感觉到这个指标能够帮助你进行更准确的交易,请帮忙给个好评,希望我的作品能够帮助更多有需要的人) ===================参数列表===================== maPeriod: 25 slowPeriod:20 fastPeriod:10 stepPeriod:5 =================参考使用方法=================== 此指标可以适用于任何交易品种,能够用在任何周期。
CChart
Rong Bin Su
Overview In the fast-paced world of forex and financial markets, quick reactions and precise decision-making are crucial. However, the standard MetaTrader 5 terminal only supports a minimum of 1-minute charts, limiting traders' sensitivity to market fluctuations. To address this issue, we introduce the Second-Level Chart Candlestick Indicator , allowing you to effortlessly view and analyze market dynamics from 1 second to 30 seconds on a sub-chart. Key Features Support for Multiple Second-Level
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.
Buy Sell Visual MTF
Naththapach Thanakulchayanan
This MT5 indicator, Bull Bear Visual MTF (21 Time Frames), summarize the strength color graphic and percentages of power for both  Bull and Bear in current market emotion stage which will show you in multi time frames and sum of the total Bull and Bear power strength which is an important information for traders especially you can see all Bull and Bear power in visualized graphic easily, Hope it will be helpful tool for you for making a good decision in trading.
Balanced Price Range BPR Indicator ICT MT5 The Balanced Price Range BPR Indicator ICT MT5 is a specialized tool within the ICT trading framework in MetaTrader 5. This indicator detects the overlap between two Fair Value Gaps (FVG), helping traders identify key price reaction areas. It visually differentiates market zones by marking bearish BPRs in brown and bullish BPRs in green, offering valuable insights into market movements.   Balanced Price Range Indicator Overview The table below outlines
FREE
PriceActionOracle
Vitalii Zakharuk
The PriceActionOracle indicator greatly simplifies your trading decision-making process by providing accurate signals about market reversals. It is based on a built-in algorithm that not only recognizes possible reversals, but also confirms them at support and resistance levels. This indicator embodies the concept of market cyclicality in a form of technical analysis. PriceActionOracle tracks the market trend with a high degree of reliability, ignoring short-term fluctuations and noise around
RRR with lines Indicator Download MT5 Effective risk management is a fundamental aspect of sustainable trading in financial markets. The RRR Indicator in MetaTrader 5 provides traders with a structured approach to calculating the Risk-to-Reward Ratio (RRR) . By drawing three adjustable horizontal lines, it assists traders in setting Stop Loss and Take Profit levels with precision. «Indicator Installation & User Guide» MT5 Indicator Installation  |  RRR with lines Indicator MT5  | ALL Products By
FREE
This is a two in one indicator implementation of Average Directional Index based on heiken ashi and normal candles. Normal candles and Heiken Ashi is selectable via input tab. The other inputs are ADX smoothing and DI length. This indicator lets you read the buffers: +di: buffer 6 -di: buffer 7 -adx: buffer 10 Note: This is a non-repaint indicator with light load processing. - You can message in private chat for further changes you need.
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
CAD Sniper X MT5
Mr James Daniel Coe
4.9 (10)
BUILDING ON THE SUCCESS OF MY POPULAR FREE EA 'CAD SNIPER'... I PRESENT CAD SNIPER X! THOUSANDS MORE TRADES | NO BROKER LIMITATIONS | BETTER STATISTICS | MULTIPLE STRATEGIES Send me a PRIVATE MESSAGE after purchase for the manual and a free bonus TWO STRATEGIES IN ONE FOR AUDCAD, NZDCAD, GBPCAD and CADCHF Strategy 1 can be used with any broker, trades much more frequently and is the default strategy for CAD Sniper X. It's shown robust backtest success for many years and is adapted from ot
Boom 600 Precision Spike Detector The Boom 600 Precision Spike Detector is your ultimate tool for trading the Boom 600 market with precision and confidence. Equipped with advanced features, this indicator helps you identify potential buy opportunities and reversals, making it an essential tool for traders aiming to capture spikes with minimal effort. Key Features: Non-Repainting Signals: Accurate, non-repainting signals that you can trust for reliable trading decisions. Audible Alerts: Stay on t
Revera
Anton Kondratev
5 (1)
REVERA EA   는 EURUSD + AUDUSD + AUDCAD 시장의 취약성을 식별하기 위한 다중 통화, 유연하고 완전 자동화되고 다면적인 개방형 도구입니다! Not        Grid       , Not        Martingale       , Not         AI         , Not         Neural Network ,     Not       Arbitrage . Default     Settings for One Сhart     EURUSD M15 REVERA 가이드 신호 수수료 브로커 환불 업데이트 내 블로그 Only 7 Copy of 10 Left  for 390 $ Next Price 590 $  이것       이다       다중   통화       체계       저것       허용합니다       너에게       다양화하다       당신의       위험       여러   통화   쌍   에   걸쳐   . 기본  
Explosive Breakout Hunter 는 강력한 브레이크아웃을 포착하여 수익을 극대화하는 것을 목표로 한 EA입니다. 승률은 약 50%이며, 월 몇 번의 진입만 이루어지지만, 양보다 질을 중시합니다. 기회를 차분히 기다리며 꾸준히 큰 수익을 쌓아갑니다. 이 EA로 기대할 수 있는 수익을 백테스트 결과 스크린샷을 통해 확인해 보세요. 또한 무료 데모를 꼭 체험해 보시기 바랍니다. 설치는 매우 간단하며, 설정 변경이 전혀 필요하지 않습니다. 기본 설정만으로도 GMT+2(서머타임 포함) 서버 시간을 사용하는 대부분의 브로커에서 문제없이 작동합니다. 만약 브로커의 서버 시간이 다를 경우, 속성에서 쉽게 조정할 수 있습니다. 필수 조건: 통화쌍:   USDJPY 시간 프레임:   1시간 차트 진입 시간:   동유럽 시간(EET) 기준 오전 7시~정오 권장 조건: 최소 초기 자본: $1,000 레버리지: 최소 1:25(권장 1:100) VPS 사용: 안정적인 24시간 365일 운영을
Trend dashboard MT5
Jan Flodin
5 (1)
I recommend you to read the   product's blog  (manual) from start to end so that it is clear from the beginning what the indicactor offers. This multi time frame and multi symbol trend indicator sends an alert when a strong trend or trend reversal has been identified. It can do so by selecting to build up the dashboard using Moving average (single or double (both MA:s aligned and price above/below both)), RSI, Bollinger bands, ADX, Composite index (Constance M. Brown), Awesome (Bill Williams), 
시장에 숨겨진 진정한 패턴을 발견하세요. PREDATOR AURORA 트레이딩 시스템과 함께 하세요 — 하이브리드 트레이딩 지표의 최종 보스. 다른 사람들이 보지 못하는 것을 보세요! PREDATOR AURORA 트레이딩 시스템은 평범함의 그림자에서 움츠러들기를 거부하는 사람들을 위해 설계된 강력한 도구입니다. 이것은 단순한 또 다른 지표가 아닙니다; 이것은 당신의 치트 코드입니다; 당신의 불공정한 이점이며, 시장의 움직임을 치명적인 정확도로 추적하는 정교한 하이브리드 헌팅 시스템입니다. 오직 가장 강한 자만이 생존하는 정글에서, 자연에서 가장 강력한 포식자에게 영감을 받은 PREDATOR AURORA는 변화하는 시장 조건에 원활하게 적응하는 고급 적응 알고리즘을 사용합니다. 그림자 속에 숨어 있는 포식자처럼, 시장의 소음을 뚫고 다른 사람들이 결코 발견하지 못할 높은 확률의 거래 기회를 드러냅니다. 주요 특징: 적응형 헌팅 메커니즘: 시장 변동성에 즉시 조정되어 무자비한 효
Seasonal Pattern Trader
Dominik Patrick Doser
Disclaimer : Keep in mind that seasonal patterns are not always reliable. Therefore, thoughtful risk management is crucial to minimize losses.  Seasonal patterns in the financial world are like a well-guarded secret that successful investors use to their advantage. These patterns are recurring price movements that occur during specific periods or around special events. Additionally, there are also intraday patterns that repeat. For example, Uncle Ted from Forex Family suggests examining previou
이 제품의 구매자들이 또한 구매함
Trend Screener Pro MT5
STE S.S.COMPANY
4.85 (82)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! Forex, 상품, 암호 화폐, 지수 및 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 시간 프레임 및 다중 통화 표시기입니다. Trend Screener는 차트에 점이 있는 화살표 추세 신호를 제공하는 효율적인 지표 추세 추종 지표입니다. 추세 분석기 표시기에서 사용할 수 있는 기능: 1. 트렌드 스캐너. 2. 최대 이익 분석이 있는 추세선. 3. 추세 통화 강도 측정기. 4. 경고가 있는 추세 반전 점. 5. 경고가 있는 강력한 추세 점. 6. 추세 화살표 Trend Screener Indicator가 있는 일일 분석 예, 일일 신호 성능...등은 여기에서 찾을 수 있습니다. 여기를 클릭하십시오. LIMITED TIME OFFER : Trend Screener Indicator는 50$ 및 평생 동안만 사용할 수 있습니다.
Algo Pumping
Ihor Otkydach
5 (11)
PUMPING STATION – 당신만을 위한 올인원(All-in-One) 전략 PUMPING STATION은 당신의 외환 거래를 더욱 흥미롭고 효과적으로 바꿔줄 혁신적인 인디케이터입니다. 단순한 보조 도구가 아니라, 강력한 알고리즘을 갖춘 완전한 거래 시스템으로서 보다 안정적인 트레이딩을 시작할 수 있도록 도와줍니다. 이 제품을 구매하시면 다음의 혜택을 무료로 받으실 수 있습니다: 전용 설정 파일: 자동 설정으로 최대의 퍼포먼스를 제공합니다. 단계별 동영상 가이드: PUMPING STATION 전략으로 거래하는 법을 배워보세요. Pumping Utility: PUMPING STATION과 함께 사용하도록 설계된 반자동 거래 봇으로, 거래를 더욱 쉽고 편리하게 만들어줍니다. ※ 구매 후 바로 저에게 메시지를 보내주세요. 추가 자료에 대한 접근 권한을 제공해드립니다. PUMPING STATION은 어떻게 작동하나요? 트렌드 컨트롤: 시장의 추세 방향을 즉시 파악합니다. 추세는 최고의
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.89 (18)
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
Divergence Bomber
Ihor Otkydach
5 (2)
이 지표를 구매하신 분께는 다음과 같은 혜택이 무료로 제공됩니다: 각 거래를 자동으로 관리하고, 손절/익절 수준을 설정하며, 전략 규칙에 따라 거래를 종료하는 전용 도우미 툴 "Bomber Utility" 다양한 자산에 맞게 지표를 설정할 수 있는 셋업 파일(Set Files) "최소 위험", "균형 잡힌 위험", "관망 전략" 모드로 설정 가능한 Bomber Utility의 셋업 파일 이 전략을 빠르게 설치, 설정, 시작할 수 있도록 돕는 단계별 영상 매뉴얼 주의: 위의 모든 보너스를 받기 위해서는 MQL5 개인 메시지 시스템을 통해 판매자에게 연락해 주세요. 독창적인 커스텀 지표인 “Divergence Bomber(다이버전스 봄버)”를 소개합니다. 이 지표는 MACD 다이버전스(괴리) 전략을 기반으로 한 올인원(All-in-One) 거래 시스템입니다. 이 기술 지표의 주요 목적은 가격과 MACD 지표 간의 다이버전스를 감지하고, **향후 가격이 어느 방향으로 움직일지를 알려주는
MonetTrend
Aliya Bolek
MonetTrend — Премиум-индикатор для торговли по тренду (M30, H1, H4) MonetTrend — это мощный и визуально понятный трендовый индикатор, созданный для торговли на таймфреймах M30, H1 и H4. Он идеально подходит для работы с волатильными инструментами, такими как: • Золото (XAUUSD) • Криптовалюты (BTCUSD) • Валютные пары (EURUSD, USDJPY и др.) Ключевые особенности MonetTrend: • Автоматическое отображение Take Profit 1 (TP1) и Stop Loss (SL): После появления сигнала индикатор сразу показывает: • TP
Support And Resistance Screener는 하나의 지표 안에 여러 도구를 제공하는 MetaTrader에 대한 하나의 레벨 지표입니다. 사용 가능한 도구는 다음과 같습니다. 1. 시장 구조 스크리너. 2. 완고한 후퇴 영역. 3. 약세 후퇴 영역. 4. 일일 피벗 포인트 5. 주간 피벗 포인트 6. 월간 피벗 포인트 7. 고조파 패턴과 볼륨에 기반한 강력한 지지와 저항. 8. 은행 수준 구역. LIMITED TIME OFFER : HV 지원 및 저항 표시기는 50 $ 및 평생 동안만 사용할 수 있습니다. ( 원래 가격 125$ ) MQL5 블로그에 액세스하면 분석 예제와 함께 모든 프리미엄 지표를 찾을 수 있습니다. 여기를 클릭하십시오. 주요 특징들 고조파 및 볼륨 알고리즘을 기반으로 하는 강력한 지원 및 저항 영역. Harmonic 및 Volume 알고리즘을 기반으로 한 강세 및 약세 풀백 영역. 시장 구조 스크리너 일간, 주간 및 월간 피벗 포인트. 실제 거래의
TPSpro RFI Levels MT5
Roman Podpora
4.55 (20)
주요 플레이어의 반전 구역 / 피크 볼륨 / 활성 구역 =       TS TPS프로시스템 지침 RUS       /       지침       영어       /           버전 MT4        이 지표를 구매한 모든 구매자는 또한 다음을 무료로 받습니다. RFI SIGNALS 서비스의 거래 신호에 6개월 동안 액세스할 수 있습니다. TPSproSYSTEM 알고리즘에 따른 즉시 사용 가능한 진입 포인트입니다. 정기적으로 업데이트되는 교육 자료 - 전략에 푹 빠져서 전문가 수준을 높여보세요. 주중 24/5 지원 및 비공개 트레이더 채팅 이용 - 시장 상황에 대한 소통, 지원 및 분석. 저자가 설정한 파일 - 별도의 노력 없이 최대 결과를 얻을 수 있도록 지표를 자동으로 설정합니다. 주요 기능: 판매자와 구매자의 활동 영역을 표시합니다! 이 지표는 매수 및 매도에 대한 모든 올바른 첫 번째 임펄스 레벨/존을 표시합니다. 진입점 검색이 시작되는 이러한 레벨/존이 활성화되면
FX Volume MT5
Daniel Stein
4.82 (17)
FX Volume: 브로커 시각에서 바라보는 진짜 시장 심리 간단 요약 트레이딩 접근 방식을 한층 더 향상시키고 싶으신가요? FX Volume 는 소매 트레이더와 브로커의 포지션을 실시간으로 파악할 수 있게 해 줍니다. 이는 COT 같은 지연된 보고서보다 훨씬 빠릅니다. 꾸준한 수익을 추구하는 분이든, 시장에서 더 깊은 우위를 원하시는 분이든, FX Volume 을 통해 대규모 불균형을 찾아내고, 돌파 여부를 확인하며 리스크 관리를 정교화할 수 있습니다. 지금 시작해 보세요! 실제 거래량 데이터가 의사결정을 어떻게 혁신할 수 있는지 직접 경험해 보시기 바랍니다. 1. 트레이더에게 FX Volume이 매우 유익한 이유 탁월한 정확도를 지닌 조기 경보 신호 • 다른 사람들보다 훨씬 앞서, 각 통화쌍을 매수·매도하는 트레이더 수를 거의 실시간으로 파악할 수 있습니다. • FX Volume 은 여러 리테일 브로커에서 추출한 실제 거래량 데이터를 종합해 명확하고 편리한 형태로 제공하는
Cycle Maestro MT5
Stefano Frisetti
NOTE: CYCLEMAESTRO is distributed only on this website, there are no other distributors. Demo version is for reference only and is not supported. Full versione is perfectly functional and it is supported. CYCLEMAESTRO , the first and only indicator of Cyclic Analysis, useful for giving signals of TRADING, BUY, SELL, STOP LOSS, ADDING. Created on the logic of   Serghei Istrati   and programmed by   Stefano Frisetti ;   CYCLEMAESTRO   is not an indicator like the others, the challenge was to inter
RelicusRoad Pro MT5
Relicus LLC
4.78 (18)
이제 $ 147 (몇 가지 업데이트 후 $ 499 증가) - 무제한 계정 (PCS 또는 MACS) RelicusRoad 사용 설명서 + 교육 비디오 + 비공개 Discord 그룹 액세스 + VIP 상태 시장을 보는 새로운 방법 RelicusRoad는 외환, 선물, 암호화폐, 주식 및 지수에 대한 세계에서 가장 강력한 거래 지표로서 거래자에게 수익성을 유지하는 데 필요한 모든 정보와 도구를 제공합니다. 우리는 초보자부터 고급까지 모든 거래자가 성공할 수 있도록 기술적 분석 및 거래 계획을 제공합니다. 미래 시장을 예측할 수 있는 충분한 정보를 제공하는 핵심 거래 지표입니다. 우리는 차트에서 말이 안 되는 여러 지표 대신 완전한 솔루션을 믿습니다. 타의 추종을 불허하는 매우 정확한 신호, 화살표 + 가격 조치 정보를 표시하는 올인원 표시기입니다. 강력한 AI를 기반으로 하는 RelicusRoad는 누락된 정보와 도구를 제공하여 교육하고 성공적인 트레이더인 트레이딩 전문가가 되도
Gold Stuff mt5
Vasiliy Strukov
4.93 (178)
Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!     강력한 지원 및 트렌드 스캐너 표시기의 무료 사본을 받으실 수 있습니다. 메시지를 보내주세요. 나!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그리기. 경고 - 가청 경고를 끕니다. 이메일 알림 - 켜기 끄기. 이메일 알림. Puch-notification - 켜기 끄기. 푸시 알림. 다음으로 색 영역을 조정합니다. Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그
MetaForecast M5
Vahidreza Heidar Gholami
5 (3)
MetaForecast는 가격 데이터의 조화를 기반으로 모든 시장의 미래를 예측하고 시각화합니다. 시장이 항상 예측 가능한 것은 아니지만 가격에 패턴이 있다면 MetaForecast는 가능한 정확하게 미래를 예측할 수 있습니다. 다른 유사한 제품과 비교했을 때, MetaForecast는 시장 동향을 분석하여 더 정확한 결과를 생성할 수 있습니다. 입력 매개변수 Past size (과거 크기) MetaForecast가 미래 예측을 생성하기 위한 모델을 만드는 데 사용하는 막대의 수를 지정합니다. 모델은 선택한 막대 위에 그려진 노란색 선으로 표시됩니다. Future size (미래 크기) 예측해야 할 미래 막대의 수를 지정합니다. 예측된 미래는 핑크색 선으로 표시되며 그 위에 파란색 회귀선이 그려집니다. Degree (차수) 이 입력은 MetaForecast가 시장에서 수행할 분석 수준을 결정합니다. Degree 설명  0 차수 0의 경우, "Past size" 입력에 모든 봉우리와
FX Power MT5 NG
Daniel Stein
5 (15)
FX Power: 통화 강세 분석으로 더 스마트한 거래 결정을 개요 FX Power 는 어떤 시장 상황에서도 주요 통화와 금의 실제 강세를 이해하기 위한 필수 도구입니다. 강한 통화를 매수하고 약한 통화를 매도함으로써 FX Power 는 거래 결정을 단순화하고 높은 확률의 기회를 발견합니다. 트렌드를 따르거나 극단적인 델타 값을 사용해 반전을 예측하고자 한다면, 이 도구는 귀하의 거래 스타일에 완벽히 적응합니다. 단순히 거래하지 말고, FX Power 로 더 스마트하게 거래하세요. 1. FX Power가 거래자에게 매우 유용한 이유 통화와 금의 실시간 강세 분석 • FX Power 는 주요 통화와 금의 상대적 강세를 계산하고 표시하여 시장 역학에 대한 명확한 통찰력을 제공합니다. • 어떤 자산이 앞서고 있고 어떤 자산이 뒤처지는지 모니터링하여 보다 현명한 거래 결정을 내릴 수 있습니다. 포괄적인 멀티 타임프레임 뷰 • 단기, 중기 및 장기 타임프레임에서 통화와 금의 강세를
Quantum TrendPulse
Bogdan Ion Puscasu
5 (13)
SuperTrend   ,   RSI   ,   Stochastic   의 힘을 하나의 포괄적인 지표로 결합하여 트레이딩 잠재력을 극대화하는 궁극의 트레이딩 도구   인 Quantum TrendPulse를   소개합니다. 정밀성과 효율성을 추구하는 트레이더를 위해 설계된 이 지표는 시장 추세, 모멘텀 변화, 최적의 진입 및 종료 지점을 자신 있게 식별하는 데 도움이 됩니다. 주요 특징: SuperTrend 통합:   주요 시장 추세를 쉽게 따라가고 수익성의 물결을 타세요. RSI 정밀도:   매수 과다 및 매도 과다 수준을 감지하여 시장 반전 시점을 파악하는 데 적합하며 SuperTrend 필터로 사용 가능 확률적 정확도:   변동성이 큰 시장에서 숨겨진 기회를 찾기 위해 확률적 진동   을 활용하고 SuperTrend의 필터로 사용 다중 시간대 분석:   M5부터 H1 또는 H4까지 다양한 시간대에 걸쳐 시장을 최신 상태로 유지하세요. 맞춤형 알림:   맞춤형 거래 조건이 충족되면
MONEYTRON – ТВОЙ ЛИЧНЫЙ СИГНАЛ НА УСПЕХ! XAUUSD | AUDUSD | USDJPY | BTCUSD Поддержка таймфреймов: M5, M15, M30, H1 Почему трейдеры выбирают Moneytron? 82% успешных сделок — это не просто цифры, это результат продуманной логики, точного алгоритма и настоящей силы анализа. Автоматические сигналы на вход — не нужно гадать: когда покупать, когда продавать. 3 уровня Take Profit — ты сам выбираешь свой уровень прибыли: безопасный, уверенный или максимум. Четкий Stop Loss — контролируешь риск
Advanced Currency Strength28 MT5
Bernhard Schweigert
5 (2)
초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 지표는 우리가 독점 기능과 새로운 공식을 통합했기 때문에 독특하고 고품질이며 저렴한 거래 도구입니다. 단 하나의 차트로 28 Forex 쌍의 통화 강도를 읽을 수 있습니다! 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오. 사용 설명서: 여기를 클릭  https://www.mql5.com/en/blogs/post/697384 그것이 첫 번째, 원본입니다! 쓸모없는 지망생 클론을 사지 마십시오. 더 스페셜  강력한 통화 모멘텀을 보여주는 하위 창의 화살표 GAP가 거래를 안내합니다! 기본 또는 호가 통화가 과매도/과매도 영역(외부 시장 피보나치 수준)에 있을 때 개별 차트의 기본 창에 경고 표시가 나타납니다. 통화 강도가 외부 범위에서 떨어질 때 풀백/반전 경고. 교차 패턴의 특별 경고 추세를 빠르게 볼 수 있는 다중 시간 프레임 선택이 가능합
Atomic Analyst MT5
Issam Kassas
4.32 (19)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한 일일
CBT Quantum Maverick 고효율 바이너리 옵션 거래 시스템 CBT Quantum Maverick는 정밀하고 간단하며 체계적인 거래를 원하는 트레이더를 위해 설계된 고성능 바이너리 옵션 거래 시스템입니다. 사용자 지정이 필요 없으며, 처음부터 최적화된 결과를 제공합니다. 약간의 연습만으로 신호를 쉽게 마스터할 수 있습니다. 주요 특징: 정확한 신호 제공: 현재 봉 데이터를 기반으로 다음 캔들에 대한 신호를 생성하며, 빈번한 재도색이 없습니다. 다양한 시장에 대한 적응성: 바이너리 옵션 거래에 특화되었으며, 여러 브로커 및 자산 클래스와 호환됩니다. 호환 가능: Deriv Synthetic Charts: 모든 시간 프레임에서 사용 가능. OTC 차트: Quotex, PocketOption, Binomo, Stockity, IQOption, Exnova, OlympTrade, Deriv, Binolla, Homebroker 등의 브로커와 호환(MT5로의 무료 데이터 임
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는 선택한 표시기에서만 정보를 수
Grabber System MT5
Ihor Otkydach
5 (5)
탁월한 기술적 지표인 Grabber를 소개합니다. 이 도구는 즉시 사용 가능한 “올인원(All-Inclusive)” 트레이딩 전략으로 작동합니다. 하나의 코드 안에 강력한 시장 기술 분석 도구, 매매 신호(화살표), 알림 기능, 푸시 알림이 통합되어 있습니다. 이 인디케이터를 구매하신 모든 분들께는 다음의 항목이 무료로 제공됩니다: Grabber 유틸리티: 오픈 포지션을 자동으로 관리하는 도구 단계별 영상 매뉴얼: 설치, 설정, 그리고 실제 거래 방법을 안내 맞춤형 세트 파일: 인디케이터를 빠르게 자동 설정하여 최고의 성과를 낼 수 있도록 도와줍니다 다른 전략은 이제 잊어버리세요! Grabber만이 여러분을 새로운 트레이딩의 정점으로 이끌어 줄 수 있습니다. Grabber 전략의 주요 특징: 거래 시간 프레임: M5부터 H4까지 거래 가능한 자산: 어떤 자산이든 사용 가능하지만, 제가 직접 테스트한 종목들을 추천드립니다 (GBPUSD, GBPCAD, GBPCHF, AUDCAD, AU
TPSproTREND PrO MT5
Roman Podpora
4.72 (18)
VERSION MT4        —        ИНСТРУКЦИЯ RUS           —        INSTRUCTIONS  ENG 주요 기능: 렌더링 없이 정확한 입력 신호! 신호가 나타나면 관련성은 유지됩니다! 이는 신호를 제공한 후 변경하여 예금 자금 손실을 초래할 수 있는 다시 그리기 지표와의 중요한 차이점입니다. 이제 더 큰 확률과 정확도로 시장에 진입할 수 있습니다. 화살표가 나타난 후 목표에 도달(이익실현)하거나 반전 신호가 나타날 때까지 캔들을 색칠하는 기능도 있습니다. STOP LOSS / TAKE PROFIT 구역 표시 진입점 검색 시 시각적 명확성을 높이기 위해 시장 진입을 위한 최적 지점이 검색되는 BUY/SELL 영역을 초기에 표시하는 모듈을 만들었습니다. 정지 손실 수준 작업을 위한 추가 지능형 논리는 시간이 지남에 따라 크기를 줄이는 데 도움이 되므로 거래에 들어갈 때 초기 위험을 줄이는 데 도움이 됩니다(move sl). 더 높은 기간의 MIN
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  
Gold Trend 5
Sergei Linskii
3.5 (2)
금 추세 - 좋은 주식 기술 지표입니다. 인디케이터 알고리즘은 자산의 가격 움직임을 분석하고 변동성과 잠재적 진입 구간을 반영합니다. 최고의 지표 신호: - 매도 = 빨간색 히스토그램 + 빨간색 숏 포인터 + 같은 방향의 노란색 신호 화살표. - 매수 = 파란색 히스토그램 + 파란색 롱 포인터 + 같은 방향의 아쿠아 신호 화살표. 인디케이터의 장점 1. 표시기는 높은 정확도로 신호를 생성합니다. 2. 확인된 화살표 신호는 추세가 바뀔 때만 다시 그릴 수 있습니다. 3. 모든 브로커의 메타트레이더 5 거래 플랫폼에서 거래할 수 있습니다. 4. 모든 자산(통화, 금속, 암호화폐, 주식, 지수 등)을 거래할 수 있습니다. 5. H1 차트주기(중기 트레이딩)에서 거래하는 것이 좋습니다. 6. 지표 설정에서 개별 매개 변수(TF, 색상 등)를 변경할 수 있으므로 각 트레이더가 지표를 쉽게 사용자 지정할 수 있습니다. 7. 이 보조지표는 독립적인 트레이딩 시스템뿐만 아니라 트레이딩
Basic Harmonic Patterns Dashboard MT5
Mehran Sepah Mansoor
4.22 (9)
이 대시보드는 선택한 심볼에 대해 사용 가능한 최신 고조파 패턴을 표시하므로 시간을 절약하고 더 효율적으로 사용할 수 있습니다 /   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가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하고 다양
FX Levels MT5
Daniel Stein
5 (4)
FX Levels: 모든 시장을 위한 뛰어난 정확도의 지지와 저항 간단 요약 통화쌍, 지수, 주식, 원자재 등 어떤 시장이든 믿을 만한 지지·저항 레벨을 찾고 싶나요? FX Levels 는 전통적인 “Lighthouse” 기법과 첨단 동적 접근을 결합해, 거의 보편적인 정확성을 제공합니다. 실제 브로커 경험을 반영하고, 자동화된 일별 업데이트와 실시간 업데이트를 결합함으로써 FX Levels 는 가격 반전 포인트를 파악하고, 수익 목표를 설정하며, 자신 있게 트레이드를 관리할 수 있게 돕습니다. 지금 바로 시도해 보세요—정교한 지지/저항 분석이 어떻게 여러분의 트레이딩을 한 단계 끌어올릴 수 있는지 직접 확인하세요! 1. FX Levels가 트레이더에게 매우 유용한 이유 뛰어난 정확도의 지지·저항 존 • FX Levels 는 다양한 브로커 환경에서도 거의 동일한 존을 생성하도록 설계되어, 데이터 피드나 시간 설정 차이로 인한 불일치를 해소합니다. • 즉, 어떤 브로커를 사용하
소개       Quantum Breakout PRO   , 브레이크아웃 존 거래 방식을 변화시키는 획기적인 MQL5 지표! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       퀀텀 브레이크아웃 PRO       혁신적이고 역동적인 브레이크아웃 존 전략으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. Quantum Breakout Indicator는 5개의 이익 목표 영역이 있는 브레이크아웃 영역의 신호 화살표와 브레이크아웃 상자를 기반으로 한 손절 제안을 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 중요한! 구매 후 설치 매뉴얼을 받으려면 개인 메시지를 보내주십시오. 추천: 기간: M15 통화쌍: GBPJPY, EURJPY, USDJPY,NZDUSD, XAUUSD 계정 유형: 스프레드가 매우 낮은 ECN, Raw 또는 Razor 브로커 시간: GMT +3 중개인 :
*** Entry In The Zone and SMC Multi Timeframe 은 Smart Money Concept (SMC)을 기반으로 한 실시간 시장 분석 도구 입니다. 이 도구는 반전 신호 와 **다중 시간대 구조 감지(Multi-Timeframe Structure Detection)**를 통합하여 주요 반전 구역(POI)을 자동으로 식별합니다. 이를 통해 트레이더가 더 체계적이고 자신감 있게 거래 계획과 결정을 내릴 수 있도록 지원 합니다. 주요 기능: - 자동 시장 구조 감지 (BOS 및 CHoCH, mBOS 및 mCHoCH) - Order Blocks, 공급 & 수요 구역, Fair Value Gaps (FVG) 식별 - 유동성 구역, Premium & Discount 영역, Equal Highs & Lows - 주요 관심 구역 (POI) - 거래 세션 시간 분석 (도쿄, 런던, 뉴욕) - 사용자 맞춤 자동 -계산 및 하이라이팅대시보드 -  신호 재도색 없음! 실시
Beast Super Signal MT5
Dustin Vlok
2.71 (7)
수익성 있는 거래 기회를 쉽게 식별하는 데 도움이 되는 강력한 외환 거래 지표를 찾고 계십니까? Beast Super Signal보다 더 이상 보지 마십시오. 사용하기 쉬운 이 추세 기반 지표는 시장 상황을 지속적으로 모니터링하여 새로운 개발 추세를 찾거나 기존 추세에 뛰어들 수 있습니다. Beast Super Signal은 모든 내부 전략이 정렬되고 서로 100% 합류할 때 매수 또는 매도 신호를 제공하므로 추가 확인이 필요하지 않습니다. 신호 화살표 알림을 받으면 구매 또는 판매하기만 하면 됩니다. 구매 후 비공개 VIP 그룹에 추가되도록 저에게 메시지를 보내주세요! (전체 제품 구매만 해당). 최신 최적화된 세트 파일을 구입한 후 저에게 메시지를 보내주세요. MT4 버전은   여기에서 사용할 수 있습니다. 여기에서   Beast Super Signal EA를 받으세요. 최신 결과를 보려면 댓글 섹션을 확인하세요! Beast Super Signal은 1:1, 1:2
ATrend
Zaha Feiz
4.77 (13)
ATREND: 작동 방식 및 사용 방법 ### 작동 방식 MT5 플랫폼을 위한 "ATREND" 지표는 기술 분석 방법론의 조합을 활용하여 트레이더에게 강력한 매수 및 매도 신호를 제공하도록 설계되었습니다. 이 지표는 주로 변동성 측정을 위해 평균 진폭 범위(ATR)를 활용하며, 잠재적인 시장 움직임을 식별하기 위한 트렌드 탐지 알고리즘과 함께 사용됩니다. 구매 후 메시지를 남기면 특별 보너스 선물을 받게 됩니다. ### 주요 특징: - 동적 트렌드 탐지: 이 지표는 시장 트렌드를 평가하고 신호를 조정하여 트레이더가 현재 시장 상황에 맞춰 전략을 조정할 수 있도록 돕습니다. - 변동성 측정: ATR을 사용하여 시장의 변동성을 측정하며, 이는 최적의 손절매(SL) 및 이익 실현(TP) 수준을 결정하는 데 중요합니다. - 신호 시각화: 이 지표는 차트에 매수 및 매도 신호를 시각적으로 표시하여 트레이더의 의사 결정을 향상시킵니다. ### 운영 단계 #### 입력 및 설정 - TimeFr
제작자의 제품 더 보기
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
Hull Suite By Insilico
Yashar Seyyedin
5 (2)
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade tra
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing and non-repaint indicator. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #include <Trade\Trade.mqh> CTrade tra
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
FREE
Strategy description Detect trend based on GoldTrader rules. Enter in both direction as much as needed to achieve acceptable amount of profit. The screenshot is the backtest EURUSD related to 2020.1.1 to 2023.1.1 in M15. ==> 30% draw-down and 30% profit over three years. This is a light load expert. Most calculations are done based on M15 candle closure. Note: Martingale is a betting system.
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
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 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 MT4 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the code a sample EA that operated b
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 rangin
FREE
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
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
ADX and DI
Yashar Seyyedin
To download MT5 version please click here . This is the exact conversion from TradingView indicator: "ADX and DI" By " BeikabuOyaji". This is probably the most popular implementation of Average Directional Index available. This indicator lets you read the buffers as below: index 0: DIPlusBuffer ==> Green Line by default index 1: DIMinusBuffer ==> Red Line by default index 2: ADXBuffer ==> Navy Line by default - You can message in private chat for further changes you need. Note: This is a non-rep
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: "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
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.
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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
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.
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 MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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
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
Volume Oscillator for MT4
Yashar Seyyedin
5 (1)
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 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
- 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
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
To download MT4 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
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
To download MT5 version please click here . - This is the exact conversion from TradingView: "QQE mod" By "Mihkel00". - It can be used to detect trend direction and trend strength. - Gray bars represent weak trends. You can set thresholds to achieve better accuracy in detecting trend strength. - There is buffer index 15,16,17 to use in EA for optimization purposes. - The indicator is loaded light and non-repaint.  - You can message in private chat for further changes you need.
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 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
필터:
리뷰 없음
리뷰 답변
버전 1.10 2024.08.25
Fixed a bug!