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

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.
For MT4 version please click here . - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - All input options are available. - This is a non-repaint and light processing load indicator. - Buffers are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need.
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-
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
[ 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
ShortBS
Yan Qi Zhu
ShortBS是一个很好的短线交易指示器,能很好与 BestPointOfInitiation ( https://www.mql5.com/zh/market/product/96671 )配合,能让你找到最合适的buy和sell位置,指标不含有未来函数,不会重新绘制。是一个针对(如果你感觉到这个指标能够帮助你进行更准确的交易,请帮忙给个好评,希望我的作品能够帮助更多有需要的人) ===================参数列表===================== maPeriod: 25 slowPeriod:20 fastPeriod:10 stepPeriod:5 =================参考使用方法=================== 此指标可以适用于任何交易品种,能够用在任何周期。
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.
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
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
Kill Zones MT5
Diego Arribas Lopez
MT4 Version Kill Zones Kill Zones allows you to insert up to 3 time zones in the chart. The visual representation of the Kill Zones in the chart together with an alert and notification system helps you to ignore fake trading setups occurring outside the Kill Zones or specific trading sessions. Using Kill Zones in your trading will help you filter higher probability trading setups. You should select time ranges where   the market   usually reacts with high volatility. Based on   EST time zone, f
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
Market Noise 시장 노이즈는 가격 차트에서 시장 단계를 결정하는 지표이며, 축적 또는 분산 단계가 발생할 때 분명하고 부드러운 추세 움직임과 시끄러운 평탄한 움직임을 구별합니다. 각 단계는 자체적인 거래 유형에 적합합니다. 추세를 따르는 시스템에서는 추세를 따르고, 공격적인 시스템에서는 플랫합니다. 시장 소음이 시작되면 거래 종료를 결정할 수 있습니다. 마찬가지로, 소음이 끝나자마자 공격적인 거래 시스템을 꺼야 합니다. 누군가는 두 가지 유형의 거래 전략을 서로 전환하면서 거래할 수 있습니다. 따라서 이 지표는 거래 결정 분야에서 훌륭한 조력자 역할을 합니다. 모든 가격 변동은 선택한 기간 동안의 일반적인 가격 변동과 해당 기간 내 가격 변동 형태의 노이즈라는 두 가지 구성 요소로 나눌 수 있습니다. 동시에, 서로 다른 기간의 서로 다른 시장은 잡음과 추세 구성 요소 사이의 광범위한 상호 관계를 보여줄 수 있습니다(그림 1). 가격 변동의 소음 수준이 높을수록 기본 추세의
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.
CAD Sniper X MT5
Mr James Daniel Coe
4.91 (11)
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
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
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), 
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
In order for Trailing Money Python   to work more efficiently, it was designed to be quite simple and plain and optimized by adding the Trailing Stop.  The robot only trades in a 5 minute time frame. There is a saying that brokers often use: "Earnings are worthy of the wallet!" Here, we see this word as a philosophy of trade. Therefore, we developed this robot. ** Timeframe: 5 Minutes ** Supported: ***Especially Stocks at Futures ** The minimum amount depends on the margin requirement of t
Nasdaq 5 Gage MT5
Kambiz Shahriarynasab
For Nasdaq trading, the most important principle is to know the trend of the fund. This indicator with 6 green and red lights provides you with the daily path of this important indicator. This indicator has been tested for 6 months and has a win rate of over 85%. Be sure to contact me before purchasing to get the necessary instructions on how to use and set up this indicator. You should use a broker that has dollar index, vix, and commodities. MT4 Version You can contact us via Instagram,
Impulse fractals indicator - is counter-trend oriented complex market fractal pattern.  Market creates bull/bear impulse, trend starts, fractals on impulsed wave are an agressive pullback signals. Buy arrow is plotted when market is bearish and it's impulse showed up-side fractal, and sell arrow is plotted when market is bullish and it's impulse showed dn-side fractal. Main indicator's adjustable inputs : impulsePeriod - main period of impulse histogram  filterPeriod  - smoothes impulse accordi
Traffic Signal
Ramzi Abuwarda
혁신적인 MT5 지표 '트래픽 신호'를 소개합니다 - 성공적인 트레이딩 세계로의 문을 열어드립니다! 정확성과 전문지식을 바탕으로 설계된 이 혁신적인 지표는 RSI, 스토캐스틱, CCI 및 모든 시간프레임의 트렌드 분석에 기반한 특별한 전략으로 가장 정확한 진입 신호를 생성합니다. 트래픽 신호는 무적의 자신감으로 시장을 탐색할 수 있도록 최상의 정확성을 제공합니다. 트래픽 신호를 통해 가장 수익성 높은 트레이딩 기회를 감지하기 위해 정밀하게 조정된 주요 기술적 지표의 철저한 분석에 접근할 수 있습니다. 불확실성에 작별을 고하고 정보 기반의 의사 결정의 새로운 시대를 맞이하세요. RSI, 스토캐스틱, CCI 및 트렌드의 잠재력을 트래픽 신호 내에서 완벽하게 융합하여 전례없는 시장의 역학을 생생하게 그려냅니다. 트래픽 신호를 통해 시장의 트렌드와 패턴을 쉽게 탐색하면서 모든 시간프레임을 주시할 수 있습니다. 단기적인 고조 또는 장기적인 전략적 플레이를 선호하든지, 이 뛰어난 지표는 여러분
이 지표는 실제 거래에 완벽한 자동 파동 분석 지표입니다! 사례... 참고:   웨이브 그레이딩에 서양식 이름을 사용하는 데 익숙하지 않습니다. Tang Lun(Tang Zhong Shuo Zen)의 명명 규칙의 영향으로 기본 웨이브를   펜   으로 명명하고 2차 웨이브 밴드를   세그먼트   로 명명했습니다. 동시에, 세그먼트에는 추세 방향이 있습니다.   주요 추세 세그먼트에는   이름이 지정되지만(이 이름 지정 방법은 향후 노트에서 사용됩니다. 먼저 말씀드리겠습니다.) 알고리즘은 굴곡 이론과 거의 관련이 없으므로 그렇게 해서는 안 됩니다. 이는 나의 시장 분석을   통해 요약된 끊임없이 변화하고 복잡한 운영 규칙을   반영합니다. 밴드는 더 이상 사람마다 다르지 않도록 표준화되고 정의되었습니다. 인위적인 간섭의 드로잉 방법은 시장 진입을 엄격하게 분석하는 데 핵심적인 역할을 합니다. 이 지표를 사용하는 것은 거래 인터페이스의 미학을 개선하고 원래의 K-line 거
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 gro
Dragon Ultra
Dang Cong Duong
5 (1)
At first, I got my teeth into   Dragon Ultra   Expert Advisor. Build a smart grid both with the trend and against the trend. The powerful combination of locking and partial loss closure. The program is constantly being improved and upgraded. You should use the  Dragon Training proficiently before buying the product. You can run in real environment with the Dragon Lite , note that the input parameters are hidden. Advantages of the Dragon Ultra Smart recovery system with Fibonacci grid Good resist
Introduction This indicator detects volume spread patterns for buy and sell opportunity. The patterns include demand and supply patterns. You might use each pattern for trading. However, these patterns are best used to detect the demand zone (=accumulation area) and supply zone (=distribution area). Demand pattern indicates generally potential buying opportunity. Supply pattern indicates generally potential selling opportunity. These are the underlying patterns rather than direct price action. T
이 제품의 구매자들이 또한 구매함
TPSproTREND PrO MT5
Roman Podpora
4.9 (10)
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!  Version MT4               DETAILED DESCRIPTION               R ecommended to use with an
TPSpro RFI Levels MT5
Roman Podpora
4.75 (12)
지침         러시아   -        영어       표시기와 함께 사용하는 것이 좋습니다   .       -       TPSpro   트렌드 프로 -   MT4 버전         거래에서 핵심 요소는 거래 상품을 매수 또는 매도하기로 결정하는 구역 또는 수준입니다. 주요 업체가 시장에서 자신의 존재를 숨기려는 시도에도 불구하고, 그들은 필연적으로 흔적을 남깁니다. 우리의 과제는 이러한 흔적을 식별하고 올바르게 해석하는 방법을 배우는 것이었습니다. 주요 기능:: 판매자와 구매자를 위한 활성 영역을 표시합니다! 이 지표는 매수 및 매도를 위한 모든 올바른 초기 임펄스 레벨/존을 보여줍니다. 진입점 검색이 시작되는 이러한 레벨/존이 활성화되면 레벨의 색상이 바뀌고 특정 음영으로 채워집니다. 또한 상황을 보다 직관적으로 이해하기 위해 화살표가 나타납니다. 더 높은 시간대의 레벨/존 표시(MTF 모드) 더 높은 시간 간격을 사용하여 레벨/존을 표시하는 기능을 추가했습니다.
Atbot
Zaha Feiz
4.88 (40)
AtBot: 작동 방식 및 사용 방법 ### 작동 방식 MT5 플랫폼용 "AtBot" 지표는 기술 분석 도구의 조합을 사용하여 매수 및 매도 신호를 생성합니다. 01:37 단순 이동 평균(SMA), 지수 이동 평균(EMA), 평균 진폭 범위(ATR) 지수를 통합하여 거래 기회를 식별합니다. 또한 Heikin Ashi 캔들을 사용하여 신호의 정확성을 향상시킬 수 있습니다. 구매 후 리뷰를 남기면 특별 보너스 선물을 받게 됩니다. ### 주요 기능: - 비재표시: 신호는 플로팅 후 변경되지 않습니다. - 비재작성: 신호는 일관되며 변경되지 않습니다. - 지연 없음: 지연 없이 시기적절한 신호를 제공합니다. - 다양한 시간대: 거래 전략에 맞게 모든 시간대에서 사용할 수 있습니다. ### 운영 단계: #### 입력 및 설정: - firstkey (TrendValue): 추세 감지의 민감도를 조정합니다. - Secondkey (SignalValue): 매수/매도 신호 생성의 민감도를 정의
Quantum TrendPulse
Bogdan Ion Puscasu
5 (2)
SuperTrend   ,   RSI   ,   Stochastic   의 힘을 하나의 포괄적인 지표로 결합하여 트레이딩 잠재력을 극대화하는 궁극의 트레이딩 도구   인 Quantum TrendPulse를   소개합니다. 정밀성과 효율성을 추구하는 트레이더를 위해 설계된 이 지표는 시장 추세, 모멘텀 변화, 최적의 진입 및 종료 지점을 자신 있게 식별하는 데 도움이 됩니다. 주요 특징: SuperTrend 통합:   주요 시장 추세를 쉽게 따라가고 수익성의 물결을 타세요. RSI 정밀도:   매수 과다 및 매도 과다 수준을 감지하여 시장 반전 시점을 파악하는 데 적합하며 SuperTrend 필터로 사용 가능 확률적 정확도:   변동성이 큰 시장에서 숨겨진 기회를 찾기 위해 확률적 진동   을 활용하고 SuperTrend의 필터로 사용 다중 시간대 분석:   M5부터 H1 또는 H4까지 다양한 시간대에 걸쳐 시장을 최신 상태로 유지하세요. 맞춤형 알림:   맞춤형 거래 조건이 충족되면
이 대시보드는 선택한 심볼에 대해 사용 가능한 최신 고조파 패턴을 표시하므로 시간을 절약하고 더 효율적으로 사용할 수 있습니다 /   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")
Atomic Analyst MT5
Issam Kassas
4.32 (19)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한
Trend Screener Pro MT5
STE S.S.COMPANY
4.88 (66)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! Forex, 상품, 암호 화폐, 지수 및 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 시간 프레임 및 다중 통화 표시기입니다. Trend Screener는 차트에 점이 있는 화살표 추세 신호를 제공하는 효율적인 지표 추세 추종 지표입니다. 추세 분석기 표시기에서 사용할 수 있는 기능: 1. 트렌드 스캐너. 2. 최대 이익 분석이 있는 추세선. 3. 추세 통화 강도 측정기. 4. 경고가 있는 추세 반전 점. 5. 경고가 있는 강력한 추세 점. 6. 추세 화살표 Trend Screener Indicator가 있는 일일 분석 예, 일일 신호 성능...등은 여기에서 찾을 수 있습니다. 여기를 클릭하십시오. LIMITED TIME OFFER : Trend Screener Indicator는 50$ 및 평생 동안만 사용할 수 있습니다
Gold Stuff mt5
Vasiliy Strukov
4.92 (172)
Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!     강력한 지원 및 트렌드 스캐너 표시기의 무료 사본을 받으실 수 있습니다. 메시지를 보내주세요. 나!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그리기. 경고 - 가청 경고를 끕니다. 이메일 알림 - 켜기 끄기. 이메일 알림. Puch-notification - 켜기 끄기. 푸시 알림. 다음으로 색 영역을 조정합니다. Gold Stuff mt5는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   설정 화살표 그리기 - 켜기 끄기. 차트에
FX Levels MT5
Daniel Stein
FX 레벨은 기존의 라이트하우스 방식과 혁신적인 동적 접근 방식을 결합한 매우 정확한 지지 및 저항 지표로 모든 거래 심볼에서 완벽하게 작동합니다. 여기에는 통화쌍, 지수, 주식 또는 원자재가 포함됩니다. FX 레벨은 반전 포인트를 식별하여 차트에 표시하므로 트레이딩 활동에서 수익 목표로 이상적으로 활용할 수 있습니다. FX 레벨을 개발하면서 브로커에 대한 광범위한 경험과 데이터 피드 및 시간 설정의 다양성을 활용했습니다. 그 결과 FX 레벨은 이제 여러 브로커에서 거의 100% 동일한 레벨을 식별할 수 있습니다. FX 레벨의 이 특별한 기능은 다른 지지 및 저항 지표에서는 찾아볼 수 없는 전례 없는 수준의 신뢰성을 사용자에게 제공합니다. 스타인 인베스트먼트는 좋은 트레이딩 도구와 훌륭한 도구의 차이를 만드는 것이 세부 사항이기 때문에 세부 사항에 많은 주의를 기울이고 있으며, 세부 사항에 대한 추가주의를 통해 잘 알려진 분석 방법을 사용자에게 완전히 새로운 수준으로 끌어올릴 수
우선 이 거래 시스템이 리페인팅, 리드로잉 및 레이그 인디케이터가 아니라는 점을 강조하는 것이 중요합니다. 이는 수동 및 로봇 거래 모두에 이상적인 것으로 만듭니다. 온라인 강좌, 설명서 및 프리셋 다운로드. "스마트 트렌드 트레이딩 시스템 MT5"은 새로운 및 경험이 풍부한 트레이더를 위해 맞춤형으로 제작된 종합적인 거래 솔루션입니다. 10개 이상의 프리미엄 인디케이터를 결합하고 7개 이상의 견고한 거래 전략을 특징으로 하여 다양한 시장 조건에 대한 다목적 선택이 가능합니다. 트렌드 추종 전략: 효과적인 트렌드 추이를 타기 위한 정확한 진입 및 손절 관리를 제공합니다. 반전 전략: 잠재적인 트렌드 반전을 식별하여 트레이더가 범위 시장을 활용할 수 있게 합니다. 스캘핑 전략: 빠르고 정확한 데이 트레이딩 및 단기 거래를 위해 설계되었습니다. 안정성: 모든 인디케이터가 리페인팅, 리드로잉 및 레이그가 아니므로 신뢰할 수 있는 신호를 보장합니다. 맞춤화: 개별 거래 선호도를 고려한 맞춤
FX Power MT5 NG
Daniel Stein
5 (7)
모닝 브리핑 여기 mql5 와 텔레그램에서 FX Power MT5 NG 는 오랫동안 인기 있는 통화 강도 측정기인 FX Power의 차세대 버전입니다. 이 차세대 강도 측정기는 무엇을 제공합니까? 기존 FX Power에서 좋아했던 모든 것 PLUS GOLD/XAU 강도 분석 더욱 정밀한 계산 결과 개별 구성 가능한 분석 기간 더 나은 성능을 위한 사용자 정의 가능한 계산 한도 특별 멀티더 많은 것을보고 싶은 사람들을위한 특별한 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을위한 끝없는 그래픽 설정 수많은 알림 옵션, 중요한 것을 다시는 놓치지 않도록 Windows 11 및 macOS 스타일의 둥근 모서리가 있는 새로운 디자인 마법처럼 움직이는 인디케이터 패널 FX 파워 키 특징 모든 주요 통화의 완전한 강세 이력 모든 시간대에 걸친 통화 강세 이력 모든 브로커 및 차트에서 고유 계산 결과 100% 신뢰할 수있는 실시간100 % 신뢰할 수있는 실시간 계산-> 다시 칠하지 않음
FX Volume MT5
Daniel Stein
4.93 (14)
모닝 브리핑을 통해 세부 정보와 스크린샷으로 매일 시장 업데이트를 받으세요 여기 mql5 및 텔레그램에서 FX 거래량은 브로커의 관점에서 시장 심리에 대한 실제 통찰력을 제공하는 최초이자 유일한 거래량 지표입니다. 브로커와 같은 기관 시장 참여자가 외환 시장에서 어떤 포지션을 취하고 있는지에 대한 훌륭한 통찰력을 COT 보고서보다 훨씬 빠르게 제공합니다. 차트에서 이 정보를 직접 확인하는 것은 트레이딩의 진정한 판도를 바꾸고 획기적인 솔루션입니다. 다음과 같은 고유한 시장 데이터 인사이트의 이점 비율 는 통화의 매수/매도 포지션 비율을 백분율로 표시 비율 변화 는 선택한 기간 내 매수 비율과 비율 변화를 표시 총 거래량 는 해당 통화의 총 거래량(롱 및 숏)을 로트 단위로 보여줍니다 Volumes Long 는 해당 통화의 모든 롱 포지션의 거래량을 보여줍니다 Volumes Short 는 해당 통화의 모든 숏 포지션의 거래량을 보여줍니다 Net Long 는 순 롱 포지션의 거래량
골드 블리츠 스캘핑 인디케이터를 소개합니다. 이 도구는 M1, M5, M15 시간 프레임에서 금을 스캘핑하는 데 최적화된 도구입니다. 첨단 AI 신경망을 사용하여 개발된 이 비 리페인트 인디케이터는 일관된 수익성과 뛰어난 거래 결과를 보장합니다. 정밀도와 효율성을 위해 설계된 골드 블리츠 스캘핑 인디케이터는 M15 시간 프레임에서 최고의 결과를 제공합니다. 주요 특징: 첨단 AI 신경망: 최첨단 AI 기술을 활용하여 비할 데 없는 정확성을 실현합니다. 비 리페인트: 리페인트 없이 신뢰할 수 있는 신호를 보장하여 일관된 성과를 제공합니다. 다중 시간 프레임 스캘핑: M1, M5, M15 시간 프레임에 최적화되어 있으며, M15 시간 프레임에서 가장 좋은 결과를 제공합니다. 포괄적인 신호: 명확한 매수/매도 신호와 이익 실현(TP), 손절매(SL) 수준을 제공하여 정보에 기반한 거래를 지원합니다. 장점: 높은 정확성: 높은 정확도의 신호로 우수한 거래 성과를 달성할 수 있습니다. 실
우선적으로, 이 거래 도구는 전문적인 거래에 이상적인 비-다시 그리기 및 지연되지 않는 지표입니다.  온라인 강좌, 사용자 매뉴얼 및 데모. 스마트 가격 액션 컨셉트 인디케이터는 신규 및 경험 많은 트레이더 모두에게 매우 강력한 도구입니다. Inner Circle Trader Analysis 및 Smart Money Concepts Trading Strategies와 같은 고급 거래 아이디어를 결합하여 20가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하
Entry Points Pro for MT5
Yury Orlov
4.44 (126)
다시 색을 칠하지 않고 거래에 진입할 수 있는 정확한 신호를 제공하는 MT5용 지표입니다. 외환, 암호화폐, 금속, 주식, 지수 등 모든 금융 자산에 적용할 수 있습니다. 매우 정확한 추정값을 제공하고 매수와 매도의 가장 좋은 시점을 알려줍니다. 하나의 시그널로 수익을 내는 지표의 예와 함께 비디오 (6:22)시청하십시오! 대부분의 거래자는 Entry Points Pro 지표의 도움으로 첫 거래 주 동안 트레이딩 결과를 개선합니다. 저희의   Telegram Group 을 구독하세요! Entry Points Pro 지표의 좋은점. 재도색이 없는 진입 신호 신호가 나타나고 확인되면(시그널 캔들이 완성된 경우) 신호는 더 이상 사라지지 않습니다. 여타 보조지표의 경우 신호를 표시한 다음 제거되기 때문에 큰 재정적 손실로 이어집니다. 오류 없는 거래 게시 알고리즘을 통해 트레이드(진입 또는 청산)를 할 이상적인 순간을 찾을 수 있으며, 이를 통해 이를 사용하는 모든 거래자의
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는 선택한 표시기에서만 정보를 수
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
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
Blahtech Supply Demand MT5
Blahtech Limited
4.54 (13)
Was: $299  Now: $99   Supply Demand uses previous price action to identify potential imbalances between buyers and sellers. The key is to identify the better odds zones, not just the untouched ones. Blahtech Supply Demand indicator delivers functionality previously unavailable on any trading platform. This 4-in-1 indicator not only highlights the higher probability zones using a multi-criteria strength engine, but also combines it with multi-timeframe trend analysis, previously confirmed swings
PZ Swing Trading MT5
PZ TRADING SLU
5 (4)
Protect against whipsaws: revolutionize your swing trading approach Special Offer: Purchase now to receive free bonuses worth $135! (Read more for details) Swing Trading is the first indicator designed to detect swings in the direction of the trend and possible reversal swings. It uses the baseline swing trading approach, widely described in trading literature. The indicator studies several price and time vectors to track the aggregate trend direction and detects situations in which the market i
Trade smarter, not harder: Empower your trading with Harmonacci Patterns Special Offer: Purchase now to receive free bonuses worth $165! (Read more for details) This is arguably the most complete harmonic price formation auto-recognition indicator you can find for the MetaTrader Platform. It detects 19 different patterns, takes fibonacci projections as seriously as you do, displays the Potential Reversal Zone (PRZ) and finds suitable stop-loss and take-profit levels. [ Installation Guide | Up
Support And Resistance Screener는 하나의 지표 안에 여러 도구를 제공하는 MetaTrader에 대한 하나의 레벨 지표입니다. 사용 가능한 도구는 다음과 같습니다. 1. 시장 구조 스크리너. 2. 완고한 후퇴 영역. 3. 약세 후퇴 영역. 4. 일일 피벗 포인트 5. 주간 피벗 포인트 6. 월간 피벗 포인트 7. 고조파 패턴과 볼륨에 기반한 강력한 지지와 저항. 8. 은행 수준 구역. LIMITED TIME OFFER : HV 지원 및 저항 표시기는 50 $ 및 평생 동안만 사용할 수 있습니다. ( 원래 가격 125$ ) MQL5 블로그에 액세스하면 분석 예제와 함께 모든 프리미엄 지표를 찾을 수 있습니다. 여기를 클릭하십시오. 주요 특징들 고조파 및 볼륨 알고리즘을 기반으로 하는 강력한 지원 및 저항 영역. Harmonic 및 Volume 알고리즘을 기반으로 한 강세 및 약세 풀백 영역. 시장 구조 스크리너 일간, 주간 및 월간 피벗 포인트. 실제
Italo Trend Indicator MT5
Italo Santana Gomes
4.9 (10)
BUY INDICATOR AND GET EA FOR FREE AS A BONUS + SOME OTHER GIFTS! ITALO TREND INDICATOR  is the best trend indicator on the market, the Indicator works on all time-frames and assets, indicator built after 7 years of experience on forex and many other markets. You know many trend indicators around the internet are not complete, does not help, and it's difficult to trade, but the Italo Trend Indicator is different , the Italo Trend Indicator shows the signal to buy or sell, to confirm the signal t
Quantum Trend Sniper
Bogdan Ion Puscasu
4.71 (49)
소개       Quantum Trend Sniper Indicator는   추세 반전을 식별하고 거래하는 방식을 변화시키는 획기적인 MQL5 지표입니다! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       Quantum Trend Sniper 표시기       매우 높은 정확도로 추세 반전을 식별하는 혁신적인 방법으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. ***Quantum Trend Sniper Indicator를 구입하면 Quantum Breakout Indicator를 무료로 받을 수 있습니다!*** Quantum Trend Sniper Indicator는 추세 반전을 식별하고 세 가지 이익실현 수준을 제안할 때 경고, 신호 화살표를 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 MT4 버전:       여기를 클릭하세요
RelicusRoad Pro MT5
Relicus LLC
5 (17)
이제 $ 147 (몇 가지 업데이트 후 $ 499 증가) - 무제한 계정 (PCS 또는 MACS) RelicusRoad 사용 설명서 + 교육 비디오 + 비공개 Discord 그룹 액세스 + VIP 상태 시장을 보는 새로운 방법 RelicusRoad는 외환, 선물, 암호화폐, 주식 및 지수에 대한 세계에서 가장 강력한 거래 지표로서 거래자에게 수익성을 유지하는 데 필요한 모든 정보와 도구를 제공합니다. 우리는 초보자부터 고급까지 모든 거래자가 성공할 수 있도록 기술적 분석 및 거래 계획을 제공합니다. 미래 시장을 예측할 수 있는 충분한 정보를 제공하는 핵심 거래 지표입니다. 우리는 차트에서 말이 안 되는 여러 지표 대신 완전한 솔루션을 믿습니다. 타의 추종을 불허하는 매우 정확한 신호, 화살표 + 가격 조치 정보를 표시하는 올인원 표시기입니다. 강력한 AI를 기반으로 하는 RelicusRoad는 누락된 정보와 도구를 제공하여 교육하고 성공적인 트레이더인 트레이딩 전문
Meco Ultimate Channel
Thapelo Kapwe
5 (1)
This indicator belongs to the family of channel indicators. These channel indicator was created based on the principle that the market will always trade in a swinging like pattern. The swinging like pattern is caused by the existence of both the bulls and bears in a market. This causes a market to trade in a dynamic channel. it is designed to help the buyer to identify the levels at which the bulls are buying and the bear are selling. The bulls are buying when the Market is cheap and the bears a
Golden Spike Premium
Kwaku Bondzie Ghartey
Golden Spikes Detector Notice: Limited-Time 50% Discount on All Products   Due to high interest, only a few (about 8) discounted spots remain for   Golden Spikes Premium .  For those interested, all my trading tools, including Golden Spikes Premium, are currently available at a 50% discount until October 30, 2024 . Feel free to take advantage while it lasts. Acknowledgement and Dedications:  The name of this indicator was Inspired by an Original; Mr Grant Koopman; a Knowledgeable and experienced
소개       Quantum Breakout PRO   , 브레이크아웃 존 거래 방식을 변화시키는 획기적인 MQL5 지표! 13년 이상의 거래 경험을 가진 숙련된 트레이더 팀이 개발한       퀀텀 브레이크아웃 PRO       혁신적이고 역동적인 브레이크아웃 존 전략으로 거래 여정을 새로운 차원으로 끌어올리도록 설계되었습니다. Quantum Breakout Indicator는 5개의 이익 목표 영역이 있는 브레이크아웃 영역의 신호 화살표와 브레이크아웃 상자를 기반으로 한 손절 제안을 제공합니다. 초보자 거래자와 전문 거래자 모두에게 적합합니다. Quantum EA 채널:       여기를 클릭하세요 중요한! 구매 후 설치 매뉴얼을 받으려면 개인 메시지를 보내주십시오. 추천: 기간: M15 통화쌍: GBPJPY, EURJPY, USDJPY,NZDUSD, XAUUSD 계정 유형: 스프레드가 매우 낮은 ECN, Raw 또는 Razor 브로커 시간: GM
PZ Trend Trading MT5
PZ TRADING SLU
3.67 (3)
Capture every opportunity: your go-to indicator for profitable trend trading Special Offer: Purchase now to receive free bonuses worth $109! (Read more for details) Trend Trading is an indicator designed to profit as much as possible from trends taking place in the market, by timing pullbacks and breakouts. It finds trading opportunities by analyzing what the price is doing during established trends. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Trade financial
Smart Liquidity Profile MT5
Suvashish Halder
5 (2)
The Smart Liquidity Profile is color-coded based on the importance of the traded activity at specific price levels, allowing traders to identify significant price levels such as support and resistance levels, supply and demand zones, liquidity gaps, consolidation zones, Buy-Side/Sell-Side Liquidity and so on.  Smart Liquidity Profile allows users to choose from a number of different time periods including 'Auto,' 'Fixed Range,' 'Swing High,' 'Swing Low,' 'Session,' 'Day,' 'Week,' 'Month,' 'Quart
제작자의 제품 더 보기
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
To get access to MT5 version please click here . 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.
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 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: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows on chart. - You can message in private chat for further changes you need. Thanks for downloading
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
Volume Oscillator
Yashar Seyyedin
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
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 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
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
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
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
IntradayTrader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
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
Vortex Indicator
Yashar Seyyedin
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
Choppy Trader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
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
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
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.
To download MT4 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 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.  
For MT4 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 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 MT5 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
Didi Index by everget MT4
Yashar Seyyedin
5 (1)
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows 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: "Range Identifier" By "Mango2Juice". - All twelve averaging options are available:  EMA, DEMA, TEMA, WMA, VWMA, SMA, SMMA, RMA, HMA, LSMA, Kijun, McGinley - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart and not for thresholds.  - You can message in private chat for further changes you need.
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
필터:
리뷰 없음
리뷰 답변
버전 1.10 2024.08.25
Fixed a bug!