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

Nadaraya Watson Envelope LuxAlgo MT4

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

#property strict

input string EA_Setting="";
input int magic_number=1234;
input double fixed_lot_size=0.01; // select fixed lot size
input bool multiplie_entry=false; //allow multiple entries in the same direction

input string    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

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 index)
{
   double value_buy=iCustom(_Symbol, PERIOD_CURRENT,
    "Market/Nadaraya Watson Envelope LuxAlgo MT4",
    h, mult, src, repaint, 5, index);
   return value_buy!=EMPTY_VALUE;
}

bool IsNWSell(int index)
{
   double value_sell=iCustom(_Symbol, PERIOD_CURRENT,
    "Market/Nadaraya Watson Envelope LuxAlgo MT4",
    h, mult, src, repaint, 6, index);
   return value_sell!=EMPTY_VALUE;
}

int BuyCount()
{
   int counter=0;
   for(int i=0;i<OrdersTotal();i++)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_BUY) counter++;
   }
   return counter;
}

int SellCount()
{
   int counter=0;
   for(int i=0;i<OrdersTotal();i++)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_SELL) counter++;
   }
   return counter;
}

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

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

void CloseBuy()
{
   for(int i=OrdersTotal()-1;i>=0;i--)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_BUY) 
         if(OrderClose(OrderTicket(), OrderLots(), Bid, 3, clrNONE)==false)
         {
            Print("Error Closing Position: ", GetLastError());
         }
   }
}

void CloseSell()
{
   for(int i=OrdersTotal()-1;i>=0;i--)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_SELL) 
         if(OrderClose(OrderTicket(), OrderLots(), Ask, 3, clrNONE)==false)
         {
            Print("Error Closing Position: ", GetLastError());
         }
   }
}

datetime timer=NULL;
bool isNewBar()
{
   datetime candle_start_time= (int)(TimeCurrent()/(PeriodSeconds()))*PeriodSeconds();
   if(timer==NULL) {}
   else if(timer==candle_start_time) return false;
   timer=candle_start_time;
   return true;
}


추천 제품
To get access to MT5 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
DMI ADX Histogram Oscillator I present you one of the most precise and powerful indicator Its made of DMI Histogram together with ADX Oscillator. It has inside arrow to show a buy or sell setup. Features  The way it works its the next one : the histogram is a difference between DMI+ and DMI-.   At the same time together we have the oscillator ADX for Market to run It can be adapted to all type of trading styles such as scalping, day trading or swing. It doesn't matter if its forex, st
DsPMO
Ahmet Metin Yilmaz
Double Smoothed Price Momentum Oscillator The Momentum Oscillator measures the amount that a security’s price has changed over a given period of time. The Momentum Oscillator is the current price divided by the price of a previous period, and the quotient is multiplied by 100. The result is an indicator that oscillates around 100. Values less than 100 indicate negative momentum, or decreasing price, and vice versa. Double Smoothed Price Momentum Oscillator examines the price changes in the dete
XFlow4
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
HC candlestick pattern is a simple and convenient indicator able to define candle patterns.‌ Candlestick charts are a type of financial chart for tracking the movement of securities. They have their origins in the centuries-old Japanese rice trade and have made their way into modern day price charting. Some investors find them more visually appealing than the standard bar charts and the price action is easier to interpret. Hc candlestick pattern is a special indicator designed to find divergence
My indicator is 1000%, it never repaints, it works in every time period, there is only 1 variable, it sends notifications to your phone even if you are on vacation instead of at work, in a meeting, and there is also a robot version of this indicator With a single indicator you can get rid of indicator garbage It is especially suitable for scalping in the m1 and m5 time frames on the gold chart, and you can see long trends in the h1 time frame.
buy sell star indicator has a different algoritms then up down v6 and buy sell histogram indicators. so that i put this a another indicator on market. it is no repaint and all pairs and all time frame indicator. it need minimum 500 bars on charts. when  the white  x sign on the red histogram that is sell signals. when the white x sign on the blue  histogram that is sell signals. this indicator does not guarantie the win.price can make mowement on direction opposite the signals. this is multi tim
Signal Arrows is an indicator that generates trade arrows. It generates trade arrows with its own algorithm. These arrows give buying and selling signals.  Can be used in all pairs. Sends a signal to the user with the alert feature. The indicator certainly does not repaint. Trade rules Enter the signal when the buy signal arrives. In order to exit from the transaction, an opposite signal must be received. It is absolutely necessary to close the operation when an opposite signal is received. Th
This is a fully automatic Expert Advisor. It can trade any market, any timeframe and any currency pair. The EA uses simple indicators like SMA, RSI and CCI, and a smart martingale system, that does not open systematical new positions, but waits for a new signal for each new order, wich is limiting drawdown compared to other martingale systems. It uses a combination of seven strategies you can select in the parameters to fit your needs. The strategy tester in MetaTrader 4 can give you the setup y
Order Blocks ICT Multi TF MT4
Diego Arribas Lopez
5 (1)
[ MT5 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 anal
Big Player EA GBPUSD is an EA that generates trading signals with custom strategies. The EA scans 5 months of history and generates signals and buys or sells on these signals. At least 5 months of data should be behind when testing the EA. Also, cross Takeprofit strategies are implemented in the EA. Single, double, triple and quad TP strategies are applied. Thanks to the cross Takeprofit strategies, the EA works easily even during high activity times.  Big Player EA Family Single Symbols:   EU
Market Session Pro MT4
Kambiz Shahriarynasab
5 (1)
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
Market Structure Break Out for MT4를 소개합니다 – 귀하의 전문적인 MSB 및 무결한 존 인디케이터  mql5 커뮤니티의  Koala Trading Solution 채널  에 가입하여 Koala 제품에 관한 최신 뉴스를 확인하세요. 가입 링크는 아래에 있습니다: https://www.mql5.com/en/channels/koalatradingsolution Market Structure Break Out: 시장 파동에 대한 순수한 분석을 위한 당신의 길 이 지표는 시장 구조 및 움직임 파동을 그리고 최적의 MSB 또는 시장 구조 브레이크 아웃을 찾기 위해 설계되었습니다. 시장이 움직이고 최근 구조를 파괴할 때, 이 브레이크 아웃이 얼마나 중요한 요인이었는지를 판단하고, 특정 요인보다 크면 이 브레이크 아웃이 확인된 것으로 간주됩니다. 따라서 이 도구에서는 4가지 중요한 케이스가 있습니다:  시장 구조 파동  확인된 구조 브레이크 아웃 및  파괴되지
To get access to MT5 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.
Limitless Lite
Cumhur Yugnuk
Limitless Lite follow trend. Color change trend changed. Works in EURUSD/GBPUSD/XAUUSD/US500/USDCAD/JP225/USDTRY/USDMXN and all pairs Best timeframes 1H/4H/DAILY Signal on close of a bar. DOES NOT repaint. DOES NOT repaint. DOES NOT repaint. DOES NOT repaint. DOES NOT recalculate. DOES NOT recalculate. DOES NOT recalculate. DOES NOT recalculate NOTE : TREND CHANGED FOLLOW ARROW Settings : No Settings, change color
Ultimate solution on price action trade system Built Inside One Tool! Our smart algorithm tool will detect the price action pattern and alert upon potential with entry signals and exit levels including stoploss and takeprofit levels based on the time setting on each market session. This tool will also filters out market currency strength to ensure our entry are in a good currency conditions based on it's trend. Benefit You Get Easy, visual and effective price action detection. Gives you th
Sven AI Trading BOT EA is operating Grid, Martingale, Arbitrage Strategies by new moderne Artificial Intelligence Technologies ! Sven AI Trading BOT EA is using new moderne Artificial Intelligence Grid Technologies for very fast automatical High-Frequency trading of CFDs, Currencies, Forex (FX), Indices, Indexes, Stocks, Shares, ETFs, Gold, Commodities, Metals, ETCs, Futures and Options into MetaTrader 4 Platform ! Sven AI Trading BOT EA is using new High Quantity and High Quality Artificial Int
Std Channels
Muhammed Emin Ugur
Std Channels The Std Channels Indicator is a technical indicator that uses standard deviation to create five channels around a price chart. The channels are used to identify support and resistance levels, as well as trends and reversals. The indicator is calculated by first calculating the standard deviation of the price data over a specified period of time. The channels are then created by adding and subtracting the standard deviation from the price data. The five channels are as follows: Upper
This indicator will allow you to evaluate single currency linear regression. WHAT IS LINEAR REGRESSION?(PIC.3) Linear regression is an attempt to model a straight-line equation between two variables considering a set of data values. The aim of the model is to find the best fit that can serve the two unknown values without putting the other at a disadvantage. In this case, the two variables are price and time, the two most basic factors in the Forex market. Linear regression works in such a wa
Big Player EA AUDUSD is an EA that generates trading signals with custom strategies. The EA scans 5 months of history and generates signals and buys or sells on these signals. At least 5 months of data should be behind when testing the EA. Also, cross Takeprofit strategies are implemented in the EA. Single, double, triple and quad TP strategies are applied. Thanks to the cross Takeprofit strategies, the EA works easily even during high activity times.  Big Player EA Family Single Symbols:   EU
Trend Tracking System is an indicator that generates trade arrows. It generates trade arrows with its own algorithm. These arrows give buying and selling signals. The indicator certainly does not repaint. The point at which the signal is given does not change. You can use it in all graphics. You can use it in all pairs. This indicator shows the input and output signals as arrows and alert. When sl_tp is set to true, the indicator will send you the close long and close short warnings. It tells yo
Trend New
Vitalii Zakharuk
Trend New Trend Indicator, shows the signals for entry. Displays both entry points and the trend itself. Shows statistically calculated moments for entering the market with arrows. When using the indicator, it is possible to optimally distribute the risk factor. Settings: Uses all one parameter for settings. Selecting a parameter, it is necessary to visually resemble it so that the appropriate graph has a projection of extremes. Options: Length - the number of bars for calculating the ind
Kill Zones MT4
Diego Arribas Lopez
MT5 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, followi
Global Trend
Vitalii Zakharuk
Global Trend Indicator, shows the signals for entry. Displays both entry points and the trend itself. Shows statistically calculated moments for entering the market with arrows. When using the indicator, the risk factor can be optimally distributed. Settings: Uses all one parameter for settings. Choosing a parameter, it is necessary to visually resemble it so that the appropriate graph has a projection of extremes. Parameters: Length - the number of bars for calculating the indicator.
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
Trade View Risk Reward Tool
Mehmet Ozhan Hastaoglu
Risk Reward Tool , It is easy to use. With this tool you can see the rates of profit loss profit. You can see your strategy and earnings reward status of your goals.Double calculation can be done with single tool. Move with drag and drop.  You can adjust the lot amount for calculations. The calculation results are shown in the comment section. There may sometimes be graphical errors during movements. Calculations works at all currency. Calculations All CFD works. Updates and improvements will co
Warning: Our product works with 28 symbols. The average accuracy level of the signals is 99%. We see signals below 15 pips as unsuccessful. Technique Signal   indicator is designed for signal trading. This indicator generates trend signals. It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators. The
Market Noise 시장 노이즈는 가격 차트에서 시장 단계를 결정하는 지표이며, 축적 또는 분산 단계가 발생할 때 분명하고 부드러운 추세 움직임과 시끄러운 평탄한 움직임을 구별합니다. 각 단계는 자체적인 거래 유형에 적합합니다. 추세를 따르는 시스템에서는 추세를 따르고, 공격적인 시스템에서는 플랫합니다. 시장 소음이 시작되면 거래 종료를 결정할 수 있습니다. 마찬가지로, 소음이 끝나자마자 공격적인 거래 시스템을 꺼야 합니다. 누군가는 두 가지 유형의 거래 전략을 서로 전환하면서 거래할 수 있습니다. 따라서 이 지표는 거래 결정 분야에서 훌륭한 조력자 역할을 합니다. 모든 가격 변동은 선택한 기간 동안의 일반적인 가격 변동과 해당 기간 내 가격 변동 형태의 노이즈라는 두 가지 구성 요소로 나눌 수 있습니다. 동시에, 서로 다른 기간의 서로 다른 시장은 잡음과 추세 구성 요소 사이의 광범위한 상호 관계를 보여줄 수 있습니다(그림 1). 가격 변동의 소음 수준이 높을수록 기본 추세의
The Trend Professor is a moving average based indicator designed for the purpose of helping the community of traders to analyse the price trend. The indicator will be displayed in the main chart as it is indicated on the screenshot section. How it works The indicator has lines of moving averages and colored histograms to depict the direction of the trend. There will be a fast signal line colored blue/yellow/red at some points. The red/yellow colored lines stands for bearish trend/signal while th
-   Real price is 70$   - 50% Discount ( It is 35$ now ) Contact me for instruction, any questions! Introduction A flag can be used as an entry pattern for the continuation of an established trend. The formation usually occurs after a strong trending move. The pattern usually forms at the midpoint of a full swing and shows the start of moving. Bullish flags can form after an uptrend, bearish flags can form after a downtrend. Flag Pattern Scanner Indicator It is usually difficult for a trade
이 제품의 구매자들이 또한 구매함
Gann Made Easy
Oleg Rodin
4.84 (57)
Gann Made Easy 는 mr.의 이론을 사용하여 최고의 거래 원칙을 기반으로 하는 전문적이고 사용하기 쉬운 Forex 거래 시스템입니다. W.D. 간. 이 표시기는 Stop Loss 및 Take Profit Levels를 포함하여 정확한 BUY 및 SELL 신호를 제공합니다. PUSH 알림을 사용하여 이동 중에도 거래할 수 있습니다. 구매 후 연락주세요! 내 거래 팁과 훌륭한 보너스 지표를 무료로 공유하겠습니다! 아마도 Gann 거래 방법에 대해 이미 여러 번 들었을 것입니다. 일반적으로 Gann의 이론은 초보자 거래자뿐만 아니라 이미 거래 경험이 있는 사람들에게도 매우 복잡한 것입니다. Gann의 거래 방식은 이론적으로 적용하기 쉽지 않기 때문입니다. 나는 그 지식을 연마하고 Forex 지표에 최고의 원칙을 적용하기 위해 몇 년을 보냈습니다. 표시기는 적용하기가 매우 쉽습니다. 차트에 첨부하고 간단한 거래 권장 사항을 따르기만 하면 됩니다. 지표는 지속적으로 시장 분석 작업
Trend Punch
Mohamed Hassan
5 (12)
This indicator is unstoppable when combined with our other indicator called  Support & Resistance . After purchase, send us a message and you will get it   for  FREE as a BONUS! Introducing Trend Punch , the revolutionary forex trend indicator that will transform the way you trade! Trend Punch is uniquely designed to provide precise buy and sell arrows during strong market trends, making your trading decisions clearer and more confident. Whether you're trading major currency pairs or exotic sym
Gold Stuff
Vasiliy Strukov
4.89 (201)
Gold Stuff는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 표시기에서 완전 자동 Expert Advisor EA Gold Stuff를 작동합니다. 내 프로필에서 찾을 수 있습니다. 설정 및 개인 보너스를 받으려면 구매 후 즉시 저에게 연락하십시오!   강력한 지원 및 트렌드 스캐너 표시기의 무료 사본을 받으실 수 있습니다. 메시지를 보내주세요. 나!   설정 화살표 그리기 - 켜기 끄기. 차트에 화살표 그리기. 경고 - 가청 경고를 끕니다. 이메일 알림 - 켜기 끄기. 이메일 알림. Puch-notification - 켜기 끄기. 푸시 알림. 다음으로 색 영역을 조정합니다. Gold Stuff는 금을 위해 특별히 설계된 추세 지표이며 모든 금융 상품에서도 사용할 수 있습니다. 표시기가 다시 그려지지 않고 지연되지 않습니다. 권장 기간 H1. 표시기에서 완
Trend Pulse
Mohamed Hassan
5 (3)
Please contact me after purchase to immediately get your PDF strategy + documentation for Trend Pulse !  Official release price of $89  (1 /50 copies left). Next price is $199 . Introducing Trend Pulse , a unique and robust indicator capable of detecting bullish, bearish, and even ranging trends! Trend Pulse uses a special algorithm to filter out market noise with real precision. If the current symbol is moving sideways, Trend Pulse will send you a ranging signal, letting you know that it'
Apollo Pips PLUS SP
Oleg Rodin
5 (3)
제품을 구매하기 전에 아래 정보를 읽어보세요! Apollo Pips PLUS SP는 독특한 제품입니다! 모든 거래 지표에 액세스할 수 있는 새로운 "APOLLO PIPS" 지표와 "슈퍼 팩" 보너스를 받고 싶은 분들을 위한 것입니다! Apollo Pips PLUS SP 제품을 구매하면 실제로 Apollo Pips 표시기의 완전히 새로운 버전을 구매하게 됩니다. 이 버전의 지표에는 개선된 알고리즘과 사용하기 쉬운 매개변수가 있어 모든 시장 및 거래 스타일에서 지표를 사용할 수 있는 기회를 제공합니다. 이 제품의 구매자는 슈퍼 보너스로 다른 모든 표시기에 무료로 액세스할 수 있습니다! 내 모든 거래 도구에 액세스하고 싶었다면 이 제품이 당신에게 딱 맞습니다! :) 하지만 이것이 전부는 아닙니다! :) 이 제품의 모든 구매자는 또한 내 새로운 지표를 무료로 받을 자격이 있습니다! :) 새로운 거래 지표를 사용할 수 있게 되었는데, 귀하는 저의 특별한 "SUPER PACK" 평생 보너스
FX Power MT4 NG
Daniel Stein
5 (12)
모닝 브리핑 여기 mql5 와 텔레그램에서 FX Power MT4 NG 는 오랫동안 인기 있는 통화 강도 측정기인 FX Power의 차세대 버전입니다. 이 차세대 강도 측정기는 무엇을 제공합니까? 기존 FX Power에서 좋아했던 모든 것 PLUS GOLD/XAU 강도 분석 더욱 정밀한 계산 결과 개별 구성 가능한 분석 기간 더 나은 성능을 위한 사용자 정의 가능한 계산 한도 특별 멀티더 많은 것을보고 싶은 사람들을위한 특별한 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을위한 끝없는 그래픽 설정 수많은 알림 옵션, 중요한 것을 다시는 놓치지 않도록 Windows 11 및 macOS 스타일의 둥근 모서리가 있는 새로운 디자인 마법처럼 움직이는 인디케이터 패널 FX 파워 키 특징 모든 주요 통화의 완전한 강세 이력 모든 시간대에 걸친 통화 강세 이력 모든 브로커 및 차트에서 고유 계산 결과 100% 신뢰할 수있는 실시간100 % 신뢰할 수있는 실시간 계산-> 다시 칠하지 않음
Scalper Inside PRO
Alexey Minkov
4.69 (49)
An exclusive indicator that utilizes an innovative algorithm to swiftly and accurately determine the market trend. The indicator automatically calculates opening, closing, and profit levels, providing detailed trading statistics. With these features, you can choose the most appropriate trading instrument for the current market conditions. Additionally, you can easily integrate your own arrow indicators into Scalper Inside Pro to quickly evaluate their statistics and profitability. Scalper Inside
TPSproTREND PrO
Roman Podpora
4.78 (18)
TPSpro TREND PRO는   시장을 자동으로 분석하여 추세와 각 변화에 대한 정보를 제공할 뿐만 아니라 다시 그리지 않고도 거래에 진입할 수 있는 신호를 제공하는 추세 지표입니다! 지표는 각 양초를 사용하여 개별적으로 분석합니다. 다른 임펄스를 언급합니다 - 업 또는 다운 임펄스. 통화, 암호화폐, 금속, 주식, 지수 거래의 정확한 진입점! 버전 MT5                   표시기에 대한 전체 설명       표시기   와 함께 사용하는 것이 좋습니다   -   RFI LEVELS 주요 기능: 렌더링 없이 정확한 입력 신호! 신호가 나타나면 관련성은 유지됩니다! 이는 신호를 제공한 후 변경하여 예금 자금 손실을 초래할 수 있는 다시 그리기 지표와의 중요한 차이점입니다. 이제 더 큰 확률과 정확도로 시장에 진입할 수 있습니다. 화살표가 나타난 후 목표에 도달(이익실현)하거나 반전 신호가 나타날 때까지 캔들을 색칠하는 기능도 있습니다. STOP LOSS / TAK
Currency Strength Wizard
Oleg Rodin
4.91 (35)
통화 강도 마법사는 성공적인 거래를 위한 올인원 솔루션을 제공하는 매우 강력한 지표입니다. 표시기는 여러 시간 프레임의 모든 통화 데이터를 사용하여 이 또는 해당 외환 쌍의 힘을 계산합니다. 이 데이터는 특정 통화의 힘을 확인하는 데 사용할 수 있는 사용하기 쉬운 통화 지수 및 통화 전력선의 형태로 표시됩니다. 필요한 것은 거래하려는 차트에 표시기를 부착하는 것뿐입니다. 표시기는 거래하는 통화의 실제 강세를 보여줍니다. 지표는 또한 추세와 거래할 때 유리하게 사용할 수 있는 구매 및 판매 거래량 압력의 극한값을 보여줍니다. 지표는 또한 피보나치에 기반한 가능한 대상을 보여줍니다. 표시기는 PUSH 알림을 포함한 모든 유형의 알림을 제공합니다. 구매 후 연락주세요. 나는 당신과 거래 팁을 공유하고 당신에게 무료로 훌륭한 보너스 지표를 줄 것입니다! 나는 당신에게 행복하고 유익한 거래를 기원합니다!
- Real price is 80$ - 40% Discount ( It is 49$ now ) Contact me for instruction, any questions! Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breakouts. Many false breakouts start with a candlestick that breaks out of a level but ends with an immediate candlestick that brings the price back into t
RelicusRoad Pro
Relicus LLC
4.54 (80)
이제 $ 147 (몇 가지 업데이트 후 $ 499 증가) - 무제한 계정 (PCS 또는 MACS) RelicusRoad 사용 설명서 + 교육 비디오 + 비공개 Discord 그룹 액세스 + VIP 상태 시장을 보는 새로운 방법 RelicusRoad는 외환, 선물, 암호화폐, 주식 및 지수에 대한 세계에서 가장 강력한 거래 지표로서 거래자에게 수익성을 유지하는 데 필요한 모든 정보와 도구를 제공합니다. 우리는 초보자부터 고급까지 모든 거래자가 성공할 수 있도록 기술적 분석 및 거래 계획을 제공합니다. 미래 시장을 예측할 수 있는 충분한 정보를 제공하는 핵심 거래 지표입니다. 우리는 차트에서 말이 안 되는 여러 지표 대신 완전한 솔루션을 믿습니다. 타의 추종을 불허하는 매우 정확한 신호, 화살표 + 가격 조치 정보를 표시하는 올인원 표시기입니다. 강력한 AI를 기반으로 하는 RelicusRoad는 누락된 정보와 도구를 제공하여 교육하고 성공적인 트레이더인 트레이딩 전문
우선적으로, 이 거래 도구는 전문적인 거래에 이상적인 비-다시 그리기 및 지연되지 않는 지표입니다.  온라인 강좌, 사용자 매뉴얼 및 데모. 스마트 가격 액션 컨셉트 인디케이터는 신규 및 경험 많은 트레이더 모두에게 매우 강력한 도구입니다. Inner Circle Trader Analysis 및 Smart Money Concepts Trading Strategies와 같은 고급 거래 아이디어를 결합하여 20가지 이상의 유용한 지표를 하나로 결합합니다. 이 인디케이터는 스마트 머니 컨셉트에 중점을 두어 대형 기관의 거래 방식을 제공하고 이동을 예측하는 데 도움을 줍니다.  특히 유동성 분석에 뛰어나 기관이 어떻게 거래하는지 이해하는 데 도움을 줍니다. 시장 트렌드를 예측하고 가격 변동을 신중하게 분석하는 데 탁월합니다. 귀하의 거래를 기관 전략에 맞추어 시장의 동향에 대해 더 정확한 예측을 할 수 있습니다. 이 인디케이터는 시장 구조를 분석하고 중요한 주문 블록을 식별하고 다양한
Clear Breakout
Martin Alejandro Bamonte
"Breakout Buy-Sell" 지표는 다양한 시장 세션(도쿄, 런던, 뉴욕) 동안 가격 돌파를 기반으로 매수 및 매도 기회를 식별하고 강조하도록 설계되었습니다. 이 지표는 트레이더가 매수 및 매도 영역뿐만 아니라 이익 실현(TP) 및 손절매(SL) 수준을 명확하게 시각화하는 데 도움이 됩니다. 사용 전략 이 지표는 다음과 같이 사용할 수 있습니다: 초기 설정 : 시장 세션을 선택하고 GMT 오프셋을 조정합니다. 시장 시각화 : 각 세션 시작 시 그려지는 돌파 상자를 관찰합니다. 이러한 상자는 기간의 최고점과 최저점을 나타냅니다. 매수 및 매도 신호 : 상자의 최고점을 초과하는 돌파는 매수 신호로 간주됩니다. 최저점을 밑도는 돌파는 매도 신호로 간주됩니다. 위험 관리 : TP1, TP2, TP3 및 SL 수준을 사용하여 포지션을 관리합니다. TP 수준은 다양한 수익 목표를 위해 설계되었으며 SL은 불리한 움직임으로부터 보호를 보장합니다. 적용 전략 이 지표를 최대한 활용하기 위해
Advanced Currency IMPULSE with ALERT
Bernhard Schweigert
4.9 (455)
현재 31% 할인!! 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 지표는 우리가 독점 기능과 비밀 공식을 통합했기 때문에 독특하고 고품질이며 저렴한 거래 도구입니다. 단 하나의 차트로 28개 통화 쌍 모두에 대한 경고를 제공합니다. 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오! 새로운 기본 알고리즘을 기반으로 구축되어 잠재적인 거래를 훨씬 더 쉽게 식별하고 확인할 수 있습니다. 이는 통화의 강세 또는 약세가 가속되는지 여부를 그래픽으로 표시하고 가속 속도를 측정하기 때문입니다. 자동차의 속도계처럼 생각하면 됩니다. 가속화할 때 Forex 시장에서 동일한 일이 분명히 더 빠르게 발생합니다. 즉, 반대 방향으로 가속화되는 통화를 페어링하면 잠재적으로 수익성 있는 거래를 식별한 것입니다. 통화 모멘텀의 수직선과 화살표가 거래를 안내합니다! 역동적인 Market Fibonacci 23
Trend Screener
STE S.S.COMPANY
4.79 (81)
트렌드 표시기, 트렌드 트레이딩 및 필터링을 위한 획기적인 고유 솔루션, 하나의 도구 안에 내장된 모든 중요한 트렌드 기능! Forex, 상품, 암호 화폐, 지수 및 주식과 같은 모든 기호/도구에 사용할 수 있는 100% 다시 칠하지 않는 다중 시간 프레임 및 다중 통화 표시기입니다. Trend Screener는 차트에 점이 있는 화살표 추세 신호를 제공하는 효율적인 지표 추세 추종 지표입니다. 추세 분석기 표시기에서 사용할 수 있는 기능: 1. 트렌드 스캐너. 2. 최대 이익 분석이 있는 추세선. 3. 추세 통화 강도 측정기. 4. 경고가 있는 추세 반전 점. 5. 경고가 있는 강력한 추세 점. 6. 추세 화살표 Trend Screener Indicator가 있는 일일 분석 예, 일일 신호 성능...등은 여기에서 찾을 수 있습니다.   여기를 클릭하십시오. LIMITED TIME OFFER : Trend Screener Indicator는 50 $ 및 평생 동안만 사용할 수 있
현재 20% 할인 ! 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 대시보드 소프트웨어는 28개의 통화 쌍에서 작동합니다. 2가지 주요 지표(Advanced Currency Strength 28 및 Advanced Currency Impulse)를 기반으로 합니다. 전체 Forex 시장에 대한 훌륭한 개요를 제공합니다. 고급 통화 강도 값, 통화 이동 속도 및 모든(9) 시간대의 28 Forex 쌍에 대한 신호를 보여줍니다. 추세 및/또는 스캘핑 기회를 정확히 파악하기 위해 차트의 단일 지표를 사용하여 전체 시장을 볼 수 있을 때 거래가 어떻게 개선될지 상상해 보십시오! 잠재적인 거래를 식별하고 확인하면서 강력한 통화와 약한 통화를 더욱 쉽게 식별할 수 있도록 이 지표에 기능을 내장했습니다. 이 표시기는 통화의 강세 또는 약세가 증가 또는 감소하는지 여부와 모든 시간대에서 수행되는 방식을 그래픽으로 보여줍니다. 추가된 새로운 기능은 현재 시장 조건 변화에 적
Atomic Analyst
Issam Kassas
5 (2)
우선적으로 언급할 점은이 거래 지표가 다시 그리지 않고 지연되지 않으며 이를 통해 수동 및 로봇 거래 모두에 이상적이라는 점입니다. 사용자 매뉴얼: 설정, 입력 및 전략. Atomic Analyst는 가격의 강도와 모멘텀을 활용하여 시장에서 더 나은 이점을 찾는 PA Price Action Indicator입니다. 고급 필터를 장착하여 잡음과 거짓 신호를 제거하고 거래 잠재력을 높이는 데 도움이 됩니다. 복잡한 지표의 다중 레이어를 사용하여 Atomic Analyst는 차트를 스캔하고 복잡한 수학적 계산을 간단한 신호와 색상으로 변환하여 초보 트레이더가 이해하고 일관된 거래 결정을 내릴 수 있도록합니다. "Atomic Analyst"는 새로운 및 경험이 풍부한 트레이더를위한 종합적인 거래 솔루션입니다. 프리미엄 지표와 최고 수준의 기능을 하나의 거래 전략에 결합하여 모든 종류의 트레이더에 대한 다재다능한 선택지가되었습니다. 인트라데이 거래 및 스캘핑 전략 : 빠르고 정확한
Advanced Currency Strength28 Indicator
Bernhard Schweigert
4.91 (607)
현재 26% 할인 초보자 또는 전문가 트레이더를 위한 최고의 솔루션! 이 지표는 우리가 독점 기능과 새로운 공식을 통합했기 때문에 독특하고 고품질이며 저렴한 거래 도구입니다. 단 하나의 차트로 28 Forex 쌍의 통화 강도를 읽을 수 있습니다! 새로운 추세 또는 스캘핑 기회의 정확한 트리거 포인트를 정확히 찾아낼 수 있기 때문에 거래가 어떻게 개선될지 상상해 보십시오. 사용 설명서: 여기를 클릭  https://www.mql5.com/en/blogs/post/697384 그것이 첫 번째, 원본입니다! 쓸모없는 지망생 클론을 사지 마십시오. 더 스페셜  강력한 통화 모멘텀을 보여주는 하위 창의 화살표 GAP가 거래를 안내합니다! 기본 또는 호가 통화가 과매도/과매도 영역(외부 시장 피보나치 수준)에 있을 때 개별 차트의 기본 창에 경고 표시가 나타납니다. 통화 강도가 외부 범위에서 떨어질 때 풀백/반전 경고. 교차 패턴의 특별 경고 추세를 빠르게 볼 수 있는
PRO Renko System
Oleg Rodin
5 (23)
PRO Renko System 은 RENKO 차트 거래를 위해 특별히 고안된 매우 정확한 거래 시스템입니다. 이것은 다양한 거래 상품에 적용될 수있는 보편적 인 시스템입니다. 체계는 효과적으로 당신에게 정확한 반전 신호에 접근을 주는 소위 시장 소음을 중화합니다. 이 표시기는 사용하기가 매우 쉽고 신호 생성을 담당하는 매개 변수가 하나만 있습니다. 당신은 쉽게 당신의 선택의 어떤 무역 계기에 공구를 적응시킬 수 있고 renko 막대기의 크기. 나는 항상 당신이 내 소프트웨어로 수익성있게 거래 할 수 있도록 추가 지원을 제공 할 준비가되어 있습니다! 나는 당신에게 행복하고 수익성있는 거래를 기원합니다! 구매 후 저에게 연락하십시오! 내 렌코 차트 생성기를 보내드립니다. 또한 내 개인 권장 사항 및 시스템의 다른 모듈을 무료로 공유 할 것입니다!
Gold Channel XAUUSD
Paulo Rocha
5 (2)
Gold Channel is a volatility-based indicator, developed with a specific timing algorithm for the XAUUSD pair, which consists of finding possible corrections in the market. This indicator shows two outer lines, an inner line (retracement line) and an arrow sign, where the theory of the channel is to help identify overbought and oversold conditions in the market. The market price will generally fall between the boundaries of the channel. If prices touch or move outside the channel it is a tra
Backtest and Read Overview before purchase. Chart patterns have been a topic of debate among traders; some believe they are reliable signalers, while others do not. Our Chart Patterns All-in-One indicator displays various chart patterns to help you test these theories for yourself. The profitability of these patterns is not a reflection of the indicator's effectiveness but rather an evaluation of the patterns themselves. The Chart Patterns All-in-One indicator is an excellent tool for visualizin
PZ Trend Trading
PZ TRADING SLU
4.8 (5)
Capture every opportunity: your go-to indicator for profitable trend trading Special Offer: Purchase now to receive free bonuses worth $159! (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
TPSpro RFI Levels
Roman Podpora
4.8 (20)
Reversal First Impulse levels (RFI)    INSTRUCTIONS        RUS       -       ENG              R ecommended to use with an indicator   -   TPSpro  TREND PRO -  Version MT5 A key element in trading is zones or levels from which decisions to buy or sell a trading instrument are made. Despite attempts by major players to conceal their presence in the market, they inevitably leave traces. Our task was to learn how to identify these traces and interpret them correctly. Main functions: Displaying activ
NAM Order Blocks
NAM TECH GROUP, CORP.
5 (1)
MT4 Multi-timeframe Order Blocks detection indicator. Features - Fully customizable on chart control panel, provides complete interaction. - Hide and show control panel wherever you want. - Detect OBs on multiple timeframes. - Select OBs quantity to display. - Different OBs user interface. - Different filters on OBs. - OB proximity alert. - ADR High and Low lines. - Notification service (Screen alerts | Push notifications). Summary Order block is a market behavior that indicates order collection
Order Block Hunter
Noha Mohamed Fathy Younes Badr
5 (1)
Order block hunter indicator is the best indicator for  hunt the order blocks that area where there has been a large concentration of limit orders waiting to be executed Order blocks are identified on a chart by observing previous price action and looking for areas where the price experienced significant movement or sudden changes in direction .This indicator does that for you by using very complicated codes and helps you to take the best areas To buy and sell because it make marks at the best a
Scalper Vault
Oleg Rodin
5 (22)
Scalper Vault 는 성공적인 스캘핑에 필요한 모든 것을 제공하는 전문 스캘핑 시스템입니다. 이 표시기는 외환 및 바이너리 옵션 거래자가 사용할 수 있는 완전한 거래 시스템입니다. 권장 시간 프레임은 M5입니다. 시스템은 추세 방향으로 정확한 화살표 신호를 제공합니다. 또한 상단 및 하단 신호와 Gann 시장 수준을 제공합니다.  이 시스템은 사용하기가 매우 쉽습니다. 원하는 시장 지역의 화살표만 따라가면 됩니다. 엑시트는 가격이 적정 수준에 도달하거나 시장의 고점 또는 저점 신호가 나타날 때 수행됩니다.  표시기는 PUSH 알림을 포함한 모든 유형의 경고를 제공합니다. 인디케이터 구매 후 연락주세요. 내 개인 거래 권장 사항과 훌륭한 보너스 지표를 무료로 공유합니다! 나는 당신에게 행복하고 유익한 거래를 기원합니다!
M1 Arrow
Oleg Rodin
4.67 (12)
시장의 두 가지 기본 원칙에 기반한 일중 전략. 알고리즘은 추가 필터를 사용하여 거래량 및 가격 파동 분석을 기반으로 합니다. 지표의 지능형 알고리즘은 두 가지 시장 요인이 하나로 결합될 때만 신호를 제공합니다. 지표는 더 높은 시간 프레임의 데이터를 사용하여 M1 차트에서 특정 범위의 파도를 계산합니다. 그리고 파동을 확인하기 위해 지표는 볼륨 분석을 사용합니다. 이 표시기는 준비된 거래 시스템입니다. 트레이더가 필요로 하는 모든 것은 신호를 따르는 것입니다. 또한 지표는 자신의 거래 시스템의 기초가 될 수 있습니다. 거래는 분 차트에서만 수행됩니다. 지표가 MTF 원리를 사용한다는 사실에도 불구하고 지표 알고리즘은 가능한 한 안정적입니다. 구매 후 반드시 저에게 편지를 보내주세요! 내 거래 설정 및 권장 사항을 공유하겠습니다!
Advanced Supply Demand
Bernhard Schweigert
4.9 (271)
현재 33% 할인! 초보자나 전문 트레이더를 위한 최고의 솔루션! 이 보조지표는 우리가 다수의 독창적 기능과 새로운 공식을 통합한 독특하고 고품질이며 저렴한 거래 도구입니다. 이 업데이트를 통해 이중 시간대를 표시할 수 있습니다. 더 높은 TF를 표시할 수 있을 뿐만 아니라 차트 TF와 더 높은 TF 모두를 표시할 수 있습니다: 중첩 영역 표시. 모든 Supply Demand 트레이더들이 좋아할 것입니다. :) 중요한 정보 공개 Advanced Supply Demand의 잠재력을 극대화하려면 다음을 방문하십시오. https://www.mql5.com/ko/blogs/post/720245   진입 또는 목표의 명확한 트리거 포인트를 정확히 찾아냄으로 해서 거래가 어떻게 개선될지 상상해 보십시오. 새로운 알고리즘을 기반으로 매수자와 매도자 간의 잠재적인 불균형을 훨씬 더 쉽게 분간할 수 있습니다. 왜냐하면 가장 강한 공급영역과 가장 강한 수요 영역과 과거에 어떻게 진행 되었는지를(이
IX Power MT4
Daniel Stein
5 (5)
IX Power는 마침내 FX Power의 탁월한 정밀도를 외환이 아닌 기호에도 적용했습니다. 좋아하는 지수, 주식, 원자재, ETF, 심지어 암호화폐까지 단기, 중기, 장기 추세의 강도를 정확하게 파악할 수 있습니다. 단말기가 제공하는 모든 것을 분석할 수 있습니다. 사용해 보고 트레이딩 타이밍이 크게 향상되는 것을 경험해 보세요. IX Power 주요 특징 단말기에서 사용 가능한 모든 거래 심볼에 대해 100% 정확한 비재도장 계산 결과 제공 사전 구성 및 추가적으로 개별 구성 가능한 강도 분석 기간의 드롭다운 선택 가능 이메일, 메시지, 모바일 알림을 통한 다양한 알림 옵션 제공 EA 요청을 위한 액세스 가능한 버퍼 더 나은 성능을 위한 사용자 지정 가능한 계산 한도 더 많은 것을 보고 싶은 사용자를 위한 특별 다중 인스턴스 설정 모든 차트에서 좋아하는 색상을 위한 무한한 그래픽 설정 가능 Windows 11 및 macOS 스타일의 둥근 모서리를 가
Break and Retest
Mohamed Hassan
3.83 (12)
This Indicator only places quality trades when the market is really in your favor with a clear break and retest. Patience is key with this price action strategy! If you want more alert signals per day, you increase the number next to the parameter called: Support & Resistance Sensitivity.  After many months of hard work and dedication, we are extremely proud to present you our  Break and Retest price action indicator created from scratch. One of the most complex indicators that we made with ove
제작자의 제품 더 보기
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
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
Hull Suite By Insilico
Yashar Seyyedin
5 (1)
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
To 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: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please 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
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
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
Volume Oscillator
Yashar Seyyedin
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
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
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: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
To get access to MT5 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
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 . 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
Full Pack Moving Average
Yashar Seyyedin
4 (2)
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "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
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: "Zero Lag MACD Enhanced - Version 1.2" by "   Albert.Callisto ". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "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
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 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
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
Choppy Trader
Yashar Seyyedin
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
To download 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
RSI versus SMA
Yashar Seyyedin
4 (1)
To download MT5 version please click  here . This is the exact conversion from TradingView: "RSI versus SMA" By "JayRogers". This indicator lets you read the buffers for all Lines on chart.  Note: This is an indicator, Not an expert. Meaning It does not take trades. If you want the EA please contact via message. You can easily use the indicator to understand the logic behind trades that the TradingView strategy takes. The strategy is profitable if this indicator is applied to the right symbol at
FREE
- This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
FREE
필터:
리뷰 없음
리뷰 답변
버전 1.10 2024.08.25
Fixed a bug!