• Genel bakış
  • İncelemeler (2)
  • Yorumlar (2)
  • Yenilikler

Twin Range Filter by colinmck

5

To get access to MT4 version please click here.

- This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck".
- The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.
- This is a light-load processing and non-repaint indicator.
- All input options are available. 
- Buffers are available for processing in EAs.
- You can message in private chat for further changes you need.

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

    #include <Trade\Trade.mqh>
    CTrade trade;
    int handle_twr=0;
    
    input group "EA Setting"
    input int magic_number=123456; //magic number
    input double fixed_lot_size=0.01; // select fixed lot size
    
    input group "TWR setting"
    input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
    input int per1 = 27; //Fast period
    input double mult1 = 1.6; //Fast range
    input int per2 = 55; //Slow period
    input double mult2 = 2; //Slow range
    input bool showAlerts=true; //use Alerts
    
    
    int OnInit()
      {
       trade.SetExpertMagicNumber(magic_number);
       handle_twr=iCustom(_Symbol, PERIOD_CURRENT, "Market/Twin Range Filter by colinmck", src, per1, mult1, per2, mult2, showAlerts);
       if(handle_twr==INVALID_HANDLE) 
       {
          Print("Indicator not found!");
          return INIT_FAILED;
       }
       return(INIT_SUCCEEDED);
      }
    
    void OnDeinit(const int reason)
      {
       IndicatorRelease(handle_twr);
      }
    
    void OnTick()
      {
       if(!isNewBar()) return;
       ///////////////////////////////////////////////////////////////////
       bool buy_condition=true;
       buy_condition &= (BuyCount()==0);
       buy_condition &= (IsTWRBuy(1));
       if(buy_condition) 
       {
          CloseSell();
          Buy();
       }
          
       bool sell_condition=true;
       sell_condition &= (SellCount()==0);
       sell_condition &= (IsTWRSell(1));
       if(sell_condition) 
       {
          CloseBuy();
          Sell();
       }
      }
    
    bool IsTWRBuy(int i)
    {
       double array[];
       ArraySetAsSeries(array, true);
       CopyBuffer(handle_twr, 12, i, 1, array);
       return array[0]!=EMPTY_VALUE;
    }
    
    bool IsTWRSell(int i)
    {
       double array[];
       ArraySetAsSeries(array, true);
       CopyBuffer(handle_twr, 13, i, 1, array);
       return array[0]!=EMPTY_VALUE;
    }
    
    int BuyCount()
    {
       int buy=0;
       for(int i=0;i<PositionsTotal();i++)
       {
          ulong ticket=PositionGetTicket(i);
          if(ticket==0) continue;
          if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
          if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
          buy++;
       }  
       return buy;
    }
    
    int SellCount()
    {
       int sell=0;
       for(int i=0;i<PositionsTotal();i++)
       {
          ulong ticket=PositionGetTicket(i);
          if(ticket==0) continue;
          if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
          if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
          sell++;
       }  
       return sell;
    }
    
    
    void Buy()
    {
       double Ask=SymbolInfoDouble(_Symbol, SYMBOL_ASK);
       if(!trade.Buy(fixed_lot_size, _Symbol, Ask, 0, 0, ""))
       {
          Print("Error executing order: ", GetLastError());
          //ExpertRemove();
       }
    }
    
    void Sell()
    {
       double Bid=SymbolInfoDouble(_Symbol, SYMBOL_BID);
       if(!trade.Sell(fixed_lot_size, _Symbol, Bid, 0, 0, ""))
       {
          Print("Error executing order: ", GetLastError());
          //ExpertRemove();
       }
    }
    
    
    void CloseBuy()
    {
       for(int i=PositionsTotal()-1;i>=0;i--)
       {
          ulong ticket=PositionGetTicket(i);
          if(ticket==0) continue;
          if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
          if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
          if(trade.PositionClose(ticket)==false)
          {
             Print("Error closing position: ", GetLastError());
             //ExpertRemove();
          }
       }  
    }
    
    void CloseSell()
    {
       for(int i=PositionsTotal()-1;i>=0;i--)
       {
          ulong ticket=PositionGetTicket(i);
          if(ticket==0) continue;
          if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
          if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
          if(trade.PositionClose(ticket)==false)
          {
             Print("Error closing position: ", GetLastError());
             //ExpertRemove();
          }
       }  
    }
    
    datetime timer=NULL;
    bool isNewBar()
    {
       datetime candle_start_time= (int)(TimeCurrent()/(PeriodSeconds()))*PeriodSeconds();
       if(timer==NULL) {}
       else if(timer==candle_start_time) return false;
       timer=candle_start_time;
       return true;
    }
    


    İncelemeler 2
    SpaciousTrader
    21
    SpaciousTrader 2023.07.11 22:09 
     

    Great indicator and awesome support by the author Yashar !!

    Önerilen ürünler
    ArcTracer
    Syed Oarasul Islam
    This Indicator draws Fibonacci Arc levels in two different ways. You can select whether to draw Fibonacci Arc levels based on your favourite ZigZag settings or you can let the indicator to draw Arc levels based on given number of bars or candles.  You can also set Mobile and Email notification for your favourite Arc levels individually. With this indicator you will not have to feel lonely as the it can generate Voice alerts, which will keep you focused on your trading and remove boredom.  Produc
    FibExtender
    Syed Oarasul Islam
    This Indicator draws Fibonacci Extension levels in two different ways. You can select whether to draw Fibonacci Extension levels based on your favourite ZigZag settings or you can let the indicator to draw Fibonacci Extension  level based on given number of Bars or Candles.  You can also set Mobile and Email notification for your favourite Extension  levels individually. With this indicator you will not have to feel lonely as the it can generate Voice alerts, which will keep you focused on your
    The indicator is the advanced form of the MetaTrader 4 standard Fibonacci tool. It is unique and very reasonable for serious Fibonacci traders. Key Features Drawing of Fibonacci retracement and expansion levels in a few seconds by using hotkeys. Auto adjusting of retracement levels once the market makes new highs/lows. Ability to edit/remove any retracement & expansion levels on chart. Auto snap to exact high and low of bars while plotting on chart. Getting very clear charts even though many ret
    Elliott Wave Trend was designed for the scientific wave counting. This tool focuses to get rid of the vagueness of the classic Elliott Wave Counting using the guideline from the template and pattern approach. In doing so, firstly Elliott Wave Trend offers the template for your wave counting. Secondly, it offers Wave Structural Score to assist to identify accurate wave formation. It offers both impulse wave Structural Score and corrective wave Structure Score. Structural Score is the rating to sh
    The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
    Matreshka
    Dimitr Trifonov
    5 (2)
    Matreshka self-testing and self-optimizing indicator: 1. Is an interpretation of the Elliott Wave Analysis Theory. 2. Based on the principle of the indicator type ZigZag, and the waves are based on the principle of interpretation of the theory of DeMark. 3. Filters waves in length and height. 4. Draws up to six levels of ZigZag at the same time, tracking waves of different orders. 5. Marks Pulsed and Recoil Waves. 6. Draws arrows to open positions 7. Draws three channels. 8. Notes support and re
    Easy Indy
    Vinutthapon Bumroong
    This indicator automatically draws trendlines, Fibonacci levels, support and resistance zones, and identifies BOS (Break of Structure) and CHOCH (Change of Character) patterns on the chart. Just by placing it on the graph, it handles the essential technical analysis tasks for traders, providing a streamlined, effective trading tool this tools is alway make every one easy for trading.
    L'indicatore SMC Venom Model BPR è uno strumento professionale per i trader che operano nell'ambito del concetto di Smart Money (SMC). Identifica automaticamente due modelli chiave sul grafico dei prezzi: FVG   (Fair Value Gap) è una combinazione di tre candele, in cui c'è un gap tra la prima e la terza candela. Forma una zona tra livelli in cui non c'è supporto di volume, il che spesso porta a una correzione dei prezzi. BPR   (Balanced Price Range) è una combinazione di due modelli FVG che for
    Volume Trade Levels
    Mahmoud Sabry Mohamed Youssef
    The idea behind this indicator is very simple , First it contains 2 mechanisms to place your trades: 1- Enter the Pips you want to duplicate to price levels. 2- Automatically let the indicator specify the largest Buy / Sell Volume Candle and place duplicated levels based on the candle itself. How it works: 1- Enter the Pips you want to duplicate to price levels:    1- once the indicator is loaded you will need first to Specify the number of pips in the indicator Configuration window ,you can g
    Trade smarter, not harder: Empower your trading with Harmonacci Patterns 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 | Update Guide | Troubleshooting | FAQ | All Products ] It detects 19 different harmonic pri
    Introduction to X3 Chart Pattern Scanner X3 Cherart Pattern Scanner is the non-repainting and non-lagging indicator detecting X3 chart patterns including Harmonic pattern, Elliott Wave pattern, X3 patterns, and Japanese Candlestick patterns. Historical patterns match with signal patterns. Hence, you can readily develop the solid trading strategy in your chart. More importantly, this superb pattern scanner can detect the optimal pattern of its kind. In addition, you can switch on and off individu
    Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized, leaving room for you to tailor it to your unique trading preferences.
    Unlock powerful breakout opportunities The 123 Pattern is one of the most popular, powerful and flexible chart patterns. The pattern is made up of three price points: a bottom, a peak or valley, and a Fibonacci retracement between 38.2% and 71.8%. A pattern is considered valid when the price breaks beyond the last peak or valley, moment at which the indicator plots an arrow, rises an alert, and the trade can be placed. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ]
    Harmonic Patterns Osw MT5
    William Oswaldo Mayorga Urduy
    HARMONİK MODELLER OSW MT5 Bu indikatör Harmonik Modelleri tespit ederek üzerlerinde işlem yapmanızı sağlamakla görevli olup, siparişi alıp almadığınıza göre manuel analiz ekleyebilmeniz için size sinyal vermektedir. Göstergenin tespit ettiği Harmonik Modeller arasında şunlar yer alır: >gartley > yarasa >Kelebek >yengeç >Köpekbalığı Bulabileceğiniz işlevler arasında şunlar yer alır: >Posta, Mobil ve PC için Uyarılar Oluşturun >Harmoniklerin renklerini hem satın alırken hem de satarken
    The rubdfx divergence indicator is a technical analysis tool that compares a security's price movement. It is used to identify potential changes in the price trend of a security. The indicator can be applied to any type of chart, including bar charts and candlestick charts. The algorithm is based on MACD, which has been modified to detect multiple positive and negative divergences. Settings  ___settings___ * fastEMA * slowEMA * signalSMA *Alerts:   True/False     #Indicator Usage Buying :
    Introduction Harmonic Patterns are best used to predict potential turning point. Traditionally, Harmonic Pattern was identified manually connecting peaks and troughs points in the chart. Manual harmonic pattern detection is painfully tedious and not suitable for everyone. You are often exposed under subjective pattern identification with manual pattern detection. To avoid these limitations, Harmonic Pattern Plus was designed to automate your harmonic pattern detection process. The functionality
    TSO Bollinger Bandit Strategy is an indicator based on the Bollinger Bandit Trading Strategy as presented in the book Building Winning Trading Systems with TradeStation by G. Pruitt and J. R. Hill. SCANNER is included . Now with Scanner you can find trading opportunities and setups easily and faster.   Features A complete entry and exit strategy for trending markets. Get email / push notifications when an entry signal occurs. The indicator is not repainting. Can easily be used in an EA. (see Fo
    LineaMMSuavizado
    Cesar Juan Flores Navarro
    Se considera la secuencia de la serie Fibonacci (2,3,5,8,13) que sera multiplicado por un periodo (11 o 33 o 70 etc.), de las 5 lineas se sacara una sola que sera contendrá el máximo y mínimo de las 5, a esta linea se le aplicara un suavizador de 3....y a esta linea suavizada se le volverá a aplicar un suavizador de 3. obteniéndose 2 lineas suavizadas. A simple vista se ve las intersecciones que hacen las lineas que pueden ser usadas para comprar o vender. Cambien se puede usar con apoyo de otro
    Pattern Trader No Repaint Indicator MT5 Version Indicator searches for 123 Pattern, 1234 Pattern, Double Top, Double Bottom Patterns , Head and Shoulders, Inverse Head and Shoulders, ZigZag 1.618 and Father Bat Pattern. Pattern Trader indicator uses Zig Zag Indicator and Improved Fractals to determine the patterns. Targets and Stop Loss Levels are defined by Fibonacci calculations.  Those levels must be taken as a recommendation. The trader may use different tools like Moving Avarages,
    Precision trading: leverage wolfe waves for accurate signals Wolfe Waves are naturally occurring trading patterns present in all financial markets and represent a fight towards an equilibrium price. These patterns can develop over short and long-term time frames and are one of the most reliable predictive reversal patterns in existence, normally preceding strong and long price movements. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Clear trading signals Amazingly
    PZ Trend Trading MT5
    PZ TRADING SLU
    3.8 (5)
    Capture every opportunity: your go-to indicator for profitable trend trading 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 markets with confidence and efficiency Profit from established trends without getting whip
    Surf Board
    Mohammadal Alizadehmadani
    Benefits of the Surfboard indicator : Entry signals without repainting If a signal appears and is confirmed, it does NOT disappear anymore, unlike indicators with repainting, which lead to major financial losses because they can show a signal and then remove it. perfect opening of trades The indicator algorithms allow you to find the Peak and floor position to enter a deal (buy or sell an asset), which increases the success rate for each and every trader using it. Surfboard works with any asset
    Candle EA MT5
    Mansour Babasafary
    3.71 (21)
    This expert is based on patterns The main patterns of this specialist are candlestick patterns Detects trends with candlestick patterns It has a profit limit and a loss limit, so it has a low risk The best time frame to use this expert is M30 time frame The best currency pairs to use with this expert is the EURUSD, GBPUSD, AUDUSD, USDCAD currency pairs Attributes: Can be used in the EURUSD, GBPUSD, AUDUSD, USDCAD  currency pairs Can be used in M30, H1, H4 time frames Has profit limit and loss
    This is Gekko's Cutomized Relative Strength Index (RSI), a customized version of the famous RSI indicator. Use the regular RSI and take advantage two entry signals calculations and different ways of being alerted whenever there is potential entry or exit point. Inputs Period: Period for the RSI calculation; How will the indicator calculate entry (swing) signals: 1- Produces Exit Signals for Swings based on RSI entering and leaving Upper and Lower Levels Zones; 2- Produces Entry/Exit Signals for
    Unlock the power of Fibonacci with our advanced indicator! This tool precisely plots Fibonacci levels based on the previous day's high and low, identifying the next day's key support and resistance levels. Perfect for day trading and swing trading, it has consistently generated weekly profits for me. Elevate your trading strategy and seize profitable opportunities with ease. NOTE: In the Input section make sure the draw labels are set to "True" so you can see each levels.
    To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
    Was: $249  Now: $149   Market Profile defines a number of day types that can help the trader to determine market behaviour. A key feature is the Value Area, representing the range of price action where 70% of trading took place. Understanding the Value Area can give traders valuable insight into market direction and establish the higher odds trade. It is an excellent addition to any system you may be using. Inspired by Jim Dalton’s book “Mind Over Markets”, this indicator is designed to suit the
    Description The indicator uses market profile theory to show the most relevant trading zones, on a daily basis. The zones to be shown are LVN (low volume nodes) and POC (point of control). An LVN zone is one which represents price areas with the least time or volume throughout the day. Typically, these areas indicate a supply or demand initiative, and in the future, they can turn into important breakout or retracement zones. A POC zone is one which represents price areas with the most time or vo
    Best SAR MT5
    Ashkan Hazegh Nikrou
    4.33 (3)
    Acıklama:  Forex piyasasında (PSAR) Profesyonel ve populate göstergelerden Birine Dayanan Yeni ücretsiz göstergemizi tanıtmaktan mutluluk duyuyoruz (PSAR) drank gösterge orijinal Parabolik SAR göstergesinde Yeni bir değişikliktir pro SAR göstergesinde noktalar ve Fiyat tablosu arasındaki geçişi görebilirsiniz, drank crossover bir sinyal değil, hareketin sonu potansiyeli hakkında konuşun, yeni mavi nokta ile satın almaya başlayabilir ve ilk mavi noktadan bir atr önce stop loss koyabilirsiniz ve
    FREE
    Breaker Block & Void Indicator MT5 A Breaker Block represents a price zone where the market revisits after breaching an Order Block . In simple terms, when the price pulls back to a previously broken order block, it forms a breaker block. The Breaker Block Indicator is designed to automatically detect these critical zones, marking them once an order block is violated and the price retraces. By analyzing market movements, it helps traders identify recurring patterns in price action. «Indicator I
    Bu ürünün alıcıları ayrıca şunları da satın alıyor
    Trend Screener Pro MT5
    STE S.S.COMPANY
    4.85 (80)
    Trend Göstergesi, Trend Alım Satım ve Filtreleme için Çığır Açan Benzersiz Çözüm, Tüm Önemli Trend Özellikleriyle Tek Bir Araç İçinde Yerleştirildi! Forex, emtialar, kripto para birimleri, endeksler ve hisse senetleri gibi tüm sembollerde/araçlarda kullanılabilen %100 yeniden boyamayan çoklu zaman çerçevesi ve Çoklu para birimi göstergesidir. Trend Screener, grafikte noktalarla ok trend sinyalleri sağlayan etkili bir trend trend göstergesidir. Trend analizörü göstergesinde bulunan özellikler: 1.
    Algo Pumping
    Ihor Otkydach
    5 (10)
    PUMPING STATION – Kişisel “her şey dahil” stratejiniz Karşınızda PUMPING STATION — forex dünyasında işlem yapma şeklinizi heyecan verici ve etkili bir sürece dönüştürecek devrim niteliğinde bir gösterge. Bu sadece bir yardımcı değil, güçlü algoritmalarla donatılmış tam teşekküllü bir ticaret sistemidir ve daha istikrarlı işlem yapmanıza yardımcı olur. Bu ürünü satın aldığınızda ŞUNLARI ÜCRETSİZ olarak alırsınız: Özel ayar dosyaları: Otomatik kurulum ve maksimum performans için. Adım adım video e
    Golden Trend Indicator MT5
    Noha Mohamed Fathy Younes Badr
    4.89 (18)
    Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
    TPSpro RFI Levels MT5
    Roman Podpora
    4.55 (20)
    Geri dönüş bölgeleri / Tepe hacimleri / Önemli bir oyuncunun aktif bölgeleri =       TS TPSPROSİSTEMİ TALİMATLAR RUS       /       TALİMATLAR       ENG       /           Sürüm MT4        Bu göstergenin her alıcısı ayrıca ÜCRETSİZ şunları elde eder: RFI SIGNALS servisinden işlem sinyallerine 6 ay erişim - TPSproSYSTEM algoritmasına göre hazır giriş noktaları. Düzenli olarak güncellenen eğitim materyalleri - stratejiye dalın ve profesyonel seviyenizi yükseltin. Hafta içi 7/24 destek ve kapalı ya
    Divergence Bomber
    Ihor Otkydach
    5 (1)
    Bu göstergeyi satın alan herkese aşağıdaki ekstra içerikler ücretsiz olarak sunulmaktadır: Her işlemi otomatik olarak yöneten, Stop Loss ve Take Profit seviyelerini ayarlayan ve işlemleri strateji kurallarına göre kapatan özel yardımcı araç: "Bomber Utility" Göstergenin farklı varlıklar üzerinde kullanılmasına yönelik ayar dosyaları (set dosyaları) Bomber Utility için 3 farklı modda kullanım sunan ayar dosyaları: "Minimum Risk", "Dengeli Risk" ve "Bekle-Gör Stratejisi" Bu ticaret stratejisini hı
    Gold Stuff mt5
    Vasiliy Strukov
    4.93 (178)
    Gold Stuff mt5, özellikle altın için tasarlanmış bir trend göstergesidir ve herhangi bir finansal enstrümanda da kullanılabilir. Gösterge yeniden çizilmez ve gecikmez. Önerilen zaman dilimi H1. Ayarları ve kişisel bir bonusu almak için satın alma işleminden hemen sonra benimle iletişime geçin!  Güçlü Destek ve Trend Tarayıcı göstergemizin ücretsiz bir kopyasını pm'den alabilirsiniz. Ben!   AYARLAR Ok Çiz - açık kapalı. grafik üzerinde oklar çizmek. Uyarılar - sesli uyarılar kapalı. E-posta b
    TPSproTREND PrO MT5
    Roman Podpora
    4.72 (18)
    VERSION MT4        —        ИНСТРУКЦИЯ RUS           —        INSTRUCTIONS  ENG Ana işlevler: VERME OLMADAN doğru giriş sinyalleri! Bir sinyal belirirse, alakalı kalır! Bu, bir sinyal sağlayıp daha sonra onu değiştirebilen ve mevduatta fon kaybına yol açabilen yeniden çekme göstergelerinden önemli bir farktır. Artık pazara daha büyük bir olasılık ve doğrulukla girebilirsiniz. Ayrıca, ok göründükten sonra hedefe ulaşılıncaya kadar (kar al) veya bir geri dönüş sinyali görünene kadar mumları renkle
    RelicusRoad Pro MT5
    Relicus LLC
    4.78 (18)
    Şimdi 147 $ (birkaç güncellemeden sonra 499 $ 'a yükseliyor) - Sınırsız Hesaplar (PC'ler veya Mac'ler) RelicusRoad Kullanım Kılavuzu + Eğitim Videoları + Özel Discord Grubuna Erişim + VIP Durumu PİYASAYA BAKMAK İÇİN YENİ BİR YOL RelicusRoad, forex, vadeli işlemler, kripto para birimleri, hisse senetleri ve endeksler için dünyanın en güçlü ticaret göstergesidir ve yatırımcılara kârlı kalmaları için ihtiyaç duydukları tüm bilgileri ve araçları sağlar. Başlangıç ​​seviyesinden ileri seviyeye ka
    Support And Resistance Screener, MetaTrader için tek bir gösterge içinde birden fazla araç sağlayan tek bir Düzey göstergesindedir. Kullanılabilir araçlar şunlardır: 1. Piyasa Yapısı Eleme Aracı. 2. Geri Çekilme Bölgesi Boğa. 3. Geri Çekilme Bölgesi Ayı. 4. Günlük Pivot Noktaları 5. haftalık Pivot Noktaları 6. aylık Pivot Puanları 7. Harmonik Modele ve hacme dayalı Güçlü Destek ve Direnç. 8. Banka Seviyesi Bölgeleri. SINIRLI SÜRELİ TEKLİF : YG Destek ve Direnç Göstergesi sadece 50 $ ve ömür boyu
    FX Power MT5 NG
    Daniel Stein
    5 (15)
    FX Power: Daha Akıllı Ticaret Kararları için Para Birimlerinin Gücünü Analiz Edin Genel Bakış FX Power , her piyasa koşulunda başlıca para birimlerinin ve altının gerçek gücünü anlamak için vazgeçilmez bir araçtır. Güçlü para birimlerini alıp zayıf olanları satarak, FX Power ticaret kararlarınızı basitleştirir ve yüksek olasılıklı fırsatları ortaya çıkarır. İster trendlere sadık kalın ister Delta'nın aşırı değerlerini kullanarak tersine dönüşleri öngörün, bu araç ticaret tarzınıza mükemmel bir
    FX Volume MT5
    Daniel Stein
    4.82 (17)
    FX Volume: Bir Broker’ın Perspektifinden Gerçek Piyasa Duyarlılığını Deneyimleyin Kısa Özet Trading yaklaşımınızı bir adım öteye taşımak ister misiniz? FX Volume , perakende traderlar ile brokerların nasıl konumlandığını gerçek zamanlı olarak sunar—COT gibi gecikmeli raporlardan çok daha önce. İster istikrarlı kazançları hedefliyor olun, ister piyasada daha güçlü bir avantaj arayın, FX Volume önemli dengesizlikleri belirlemenize, kırılmaları (breakout) doğrulamanıza ve risk yönetiminizi iyileş
    Bu gösterge paneli, seçilen semboller için mevcut en son   harmonik kalıpları   gösterir, böylece zamandan tasarruf edersiniz ve daha verimli olursunuz /   MT4 sürümü . Ücretsiz Gösterge:   Basic Harmonic Pattern Gösterge sütunları Symbol :   seçilen semboller görünecektir Trend:   yükseliş veya düşüş Pattern :   desen türü (gartley, kelebek, yarasa, yengeç, köpekbalığı, cypher veya ABCD) Entry :   giriş fiyatı SL:   zararı durdur fiyatı TP1:   1. kar alma fiyatı TP2:   2. kar alma fiyatı TP
    Size mükemmel bir teknik gösterge olan Grabber’ı tanıtıyorum. Bu araç, kullanıma hazır bir “her şey dahil” işlem stratejisi olarak çalışır. Tek bir yazılım kodu içinde güçlü piyasa teknik analiz araçları, işlem sinyalleri (oklar), uyarı işlevleri ve push bildirimleri entegre edilmiştir. Bu göstergeyi satın alan herkes aşağıdaki hediyeleri ücretsiz olarak alır: Açık emirleri otomatik yönetmek için Grabber Yardımcı Aracı Kurulum, yapılandırma ve nasıl işlem yapılacağını adım adım anlatan video kıl
    MONEYTRON – ТВОЙ ЛИЧНЫЙ СИГНАЛ НА УСПЕХ! XAUUSD | AUDUSD | USDJPY | BTCUSD Поддержка таймфреймов: M5, M15, M30, H1 Почему трейдеры выбирают Moneytron? 82% успешных сделок — это не просто цифры, это результат продуманной логики, точного алгоритма и настоящей силы анализа. Автоматические сигналы на вход — не нужно гадать: когда покупать, когда продавать. 3 уровня Take Profit — ты сам выбираешь свой уровень прибыли: безопасный, уверенный или максимум. Четкий Stop Loss — контролируешь риск
    MTF Supply Demand Zones MT5
    Georgios Kalomoiropoulos
    5 (1)
    Yeni Nesil Otomatik Arz ve Talep Bölgeleri. Her Grafikte Çalışan Yeni ve Yenilikçi Algoritma. Tüm Bölgeler Piyasanın Fiyat Hareketine Göre Dinamik Olarak Oluşturulmaktadır. İKİ TÜR UYARI --> 1) FİYAT BİR BÖLGEYE ÇIKTIĞINDA 2) YENİ BİR BÖLGE OLUŞTURDUĞUNDA Bir tane daha işe yaramaz gösterge almazsın. Kanıtlanmış Sonuçlarla eksiksiz bir Ticaret Stratejisi elde edersiniz.     Yeni özellikler:     Fiyat Arz/Talep Bölgesine ulaştığında uyarılar     Yeni bir Arz/Talep Bölgesi oluşturulduğunda
    Quantum TrendPulse
    Bogdan Ion Puscasu
    5 (13)
    SuperTrend   ,   RSI   ve   Stochastic'in   gücünü tek bir kapsamlı göstergede birleştirerek işlem potansiyelinizi en üst düzeye çıkaran nihai işlem aracı olan   Quantum TrendPulse'u   tanıtıyoruz. Hassasiyet ve verimlilik arayan yatırımcılar için tasarlanan bu gösterge, piyasa trendlerini, momentum değişimlerini ve en uygun giriş ve çıkış noktalarını güvenle belirlemenize yardımcı olur. Temel Özellikler: SuperTrend Entegrasyonu:   Güncel piyasa trendlerini kolayca takip edin ve karlılık dalgası
    Matrix Arrow Indicator MT5
    Juvenille Emperor Limited
    5 (13)
    Matrix Arrow Indicator MT5 ,   forex ,   emtialar ,   kripto   para birimleri ,   endeksler ,   hisse senetleri   gibi tüm sembollerde/araçlarda kullanılabilen   %100 yeniden boyamayan   çoklu zaman çerçevesi göstergesini izleyen benzersiz bir 10'u 1 arada trenddir.  Matrix Arrow Indicator MT5 , mevcut eğilimi erken aşamalarında belirleyecek ve aşağıdakiler gibi 10'a kadar standart göstergeden bilgi ve veri toplayacaktır: Ortalama Yönlü Hareket Endeksi (ADX) Emtia Kanal Endeksi (CCI) Klasik Hei
    FxaccurateLS
    Shiv Raj Kumawat
    WHY IS OUR FXACCCURATE LS MT5 THE PROFITABLE ? PROTECT YOUR CAPITAL WITH RISK MANAGEMENT Gives entry, stop and target levels from time to time. It finds Trading opportunities by analyzing what the price is doing during established trends. POWERFUL INDICATOR FOR A RELIABLE STRATEGIES We have made these indicators with a lot of years of hard work. It is made at a very advanced level. Established trends provide dozens of trading opportunities, but most trend indicators completely ignore them! The
    FX Levels MT5
    Daniel Stein
    5 (4)
    FX Levels: Tüm Piyasalar İçin Son Derece Hassas Destek ve Direnç Hızlı Bakış Döviz kurları, endeksler, hisseler veya emtialar gibi herhangi bir piyasada güvenilir destek ve direnç seviyeleri belirlemek mi istiyorsunuz? FX Levels geleneksel “Lighthouse” yöntemini ileri düzey bir dinamik yaklaşımla birleştirerek neredeyse evrensel bir doğruluk sağlar. Gerçek broker deneyimimize ve otomatik günlük güncellemeler ile gerçek zamanlı güncellemelerin birleşimine dayalı olarak, FX Levels size dönüş nok
    Top indicator for MT5   providing accurate signals to enter a trade without repainting! It can be applied to any financial assets:   forex, cryptocurrencies, metals, stocks, indices .  Watch  the video  (6:22) with an example of processing only one signal that paid off the indicator! MT4 version is here It will provide pretty accurate trading signals and tell you when it's best to open a trade and close it. Most traders improve their trading results during the first trading week with the help of
    Atomic Analyst MT5
    Issam Kassas
    4.32 (19)
    Öncelikle belirtmek gerekir ki bu Ticaret Göstergesi Yeniden Çizim Yapmaz, Gecikmez ve Gecikme Göstermez, bu da hem manuel hem de robot ticareti için ideal hale getirir. Kullanıcı kılavuzu: ayarlar, girişler ve strateji. Atom Analisti, Piyasada Daha İyi Bir Avantaj Bulmak İçin Fiyatın Gücünü ve Momentumunu Kullanan PA Fiyat Hareketi Göstergesidir. Gürültüleri ve Yanlış Sinyalleri Kaldırmaya ve Ticaret Potansiyelini Artırmaya Yardımcı Olan Gelişmiş Filtrelerle Donatılmıştır. Birden fazla katmanl
    FX Dynamic: Özelleştirilebilir ATR Analiziyle Volatilite ve Trendleri Takip Edin Genel Bakış FX Dynamic , ortalama gerçek aralık (ATR) hesaplamalarını kullanarak günlük ve gün içi volatilite hakkında rakipsiz bilgiler sağlayan güçlü bir araçtır. 80%, 100%, 130% gibi net volatilite eşikleri ayarlayarak, piyasa olağan hareketlerinin ötesine geçtiğinde hızlı şekilde uyarı alabilir ve potansiyel kazanç fırsatlarını süratle tespit edebilirsiniz. FX Dynamic , brokerınızın zaman dilimine uyum sağlaya
    Bu gösterge paneli, seçilen semboller için ticaret stratejinize bağlı olarak hem ölçeklendirme hem de uzun vadeli modda grafikteki   Arz ve Talep   bölgelerini keşfeder ve görüntüler. Ek olarak, gösterge tablosunun tarayıcı modu, istediğiniz tüm sembolleri bir bakışta kontrol etmenize ve uygun pozisyonları kaçırmamanıza yardımcı olur /   MT4 sürümü Ücretsiz gösterge:   Basic Supply Demand Özellikler Birden fazla döviz çiftinde   alım satım fırsatlarını görüntülemenize olanak tanıyarak, arz
    ATrend
    Zaha Feiz
    4.77 (13)
    ATREND: Nasıl Çalışır ve Nasıl Kullanılır ### Nasıl Çalışır "**ATREND**" göstergesi, MT5 platformu için tasarlanmış olup, traderlara sağlam alım ve satım sinyalleri sağlamak amacıyla teknik analiz metodolojilerinin bir kombinasyonunu kullanır. Bu gösterge, öncelikle volatilite ölçümü için Ortalama Gerçek Aralık (ATR) kullanır ve potansiyel piyasa hareketlerini belirlemek için trend tespit algoritmalarıyla birleştirir. Satın aldıktan sonra bir mesaj bırakın ve özel bir bonus hediyesi kazanın. ##
    Öncelikle, bu Ticaret Sistemi'nin Non-Repainting, Non-Redrawing ve Non-Lagging Göstergesi olduğunu vurgulamak önemlidir, bu da hem manuel hem de robot ticareti için ideal hale getirir. Online kurs, kılavuz ve ön ayarları indir. "Smart Trend Trading System MT5", yeni ve deneyimli tüccarlar için özelleştirilmiş kapsamlı bir ticaret çözümüdür. 10'dan fazla premium göstergeyi birleştiriyor ve 7'den fazla sağlam ticaret stratejisi sunuyor, bu da çeşitli piyasa koşulları için esnek bir seçim yapar. Tr
    IX Power MT5
    Daniel Stein
    4.86 (7)
    IX Power: Endeksler, Emtialar, Kripto Paralar ve Forex Piyasaları için İçgörüler Genel Bakış IX Power , endeksler, emtialar, kripto paralar ve forex sembollerinin gücünü analiz etmek için tasarlanmış çok yönlü bir araçtır. FX Power , tüm kullanılabilir döviz çiftlerinin verilerini kullanarak döviz çiftleri için maksimum doğruluk sağlarken, IX Power yalnızca temel sembolün piyasa verilerine odaklanır. Bu, IX Power 'ı forex dışındaki piyasalar için ideal ve daha basit forex analizleri için güven
    Trend Hunter MT5
    Andrey Tatarinov
    5 (2)
    Trend Hunter , Forex, kripto para birimi ve CFD piyasalarında çalışmaya yönelik bir trend göstergesidir. Göstergenin özel bir özelliği, fiyat trend çizgisini hafifçe deldiğinde sinyali değiştirmeden trendi güvenle takip etmesidir. Gösterge yeniden çizilmez; çubuk kapandıktan sonra pazara giriş sinyali görünür. Bir trend boyunca hareket ederken gösterge, trend yönünde ek giriş noktalarını gösterir. Bu sinyallere dayanarak küçük bir Zararı Durdur ile işlem yapabilirsiniz. Trend Hunter dürüst bi
    Blahtech Supply Demand MT5
    Blahtech Limited
    4.54 (13)
    Was: $299  Now: $149  Supply Demand uses previous price action to identify potential imbalances between buyers and sellers. The key is to identify the better odds zones, not just the untouched ones. Blahtech Supply Demand indicator delivers functionality previously unavailable on any trading platform. This 4-in-1 indicator not only highlights the higher probability zones using a multi-criteria strength engine, but also combines it with multi-timeframe trend analysis, previously confirmed swings
    Easy Buy Sell is a market indicator for opening and closing positions. It becomes easy to track market entries with alerts. It indicates trend reversal points when a price reaches extreme values ​​and the most favorable time to enter the market. it is as effective as a Fibonacci to find a level but it uses different tools such as an algorithm based on ATR indicators and Stochastic Oscillator. You can modify these two parameters as you wish to adapt the settings to the desired period. It cannot
    Öncelikle, bu Ticaret Aracının Non-Repainting, Non-Redrawing ve Non-Lagging Gösterge olduğunu vurgulamakta fayda var, bu da onu profesyonel ticaret için ideal hale getiriyor. Çevrimiçi kurs, kullanıcı kılavuzu ve demo. Akıllı Fiyat Hareketi Kavramları Göstergesi, hem yeni hem de deneyimli tüccarlar için çok güçlü bir araçtır. İleri ticaret fikirlerini, Inner Circle Trader Analizi ve Smart Money Concepts Ticaret Stratejileri gibi 20'den fazla kullanışlı göstergeyi bir araya getirerek bir araya
    Yazarın diğer ürünleri
    To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade tra
    This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
    FREE
    Gold H1 Scalper
    Yashar Seyyedin
    3.67 (3)
    Strategy description The idea is to go with trend resumption. Instruments Backtest on XAUUSD shows profitability over a long period  Simulation Type=Every tick Expert: GoldScalper Symbol: XAUUSD Period: H1 (2020.01.01 - 2023.02.28) Inputs: magic_number=1234 ob=90.0 os=24.0 risk_percent=2.64 time_frame=16385 Company: FIBO Group, Ltd. Currency: USD Initial Deposit: 100 000.00 Leverage: 1:100 Results History Quality: 51% Bars: 18345 Ticks: 2330147 Symbols: 1 Total Net Profit: 77 299.48 Balance Draw
    FREE
    To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing and non-repaint indicator. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #include <Trade\Trade.mqh> CTrade tra
    ADX and DI
    Yashar Seyyedin
    To download MT5 version please click here . This is the exact conversion from TradingView indicator: "ADX and DI" By " BeikabuOyaji". This is probably the most popular implementation of Average Directional Index available. This indicator lets you read the buffers as below: index 0: DIPlusBuffer ==> Green Line by default index 1: DIMinusBuffer ==> Red Line by default index 2: ADXBuffer ==> Navy Line by default - You can message in private chat for further changes you need. Note: This is a non-rep
    To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
    FREE
    Vortex Indicator
    Yashar Seyyedin
    5 (1)
    To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
    FREE
    To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
    Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangin
    FREE
    Strategy description Detect trend based on GoldTrader rules. Enter in both direction as much as needed to achieve acceptable amount of profit. The screenshot is the backtest EURUSD related to 2020.1.1 to 2023.1.1 in M15. ==> 30% draw-down and 30% profit over three years. This is a light load expert. Most calculations are done based on M15 candle closure. Note: Martingale is a betting system.
    FREE
    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
    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 get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
    To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By "   LuxAlgo   ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
    For MT5 version please click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
    To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing
    B Xtrender
    Yashar Seyyedin
    To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
    TRAMA by LuxAlgo
    Yashar Seyyedin
    5 (1)
    To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By " LuxAlgo ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
    To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell
    To 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 download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
    FREE
    - This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
    FREE
    To download MT5 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
    FREE
    To download 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
    RSI versus SMA
    Yashar Seyyedin
    4 (1)
    To download MT5 version please click  here . This is the exact conversion from TradingView: "RSI versus SMA" By "JayRogers". This indicator lets you read the buffers for all Lines on chart.  Note: This is an indicator, Not an expert. Meaning It does not take trades. If you want the EA please contact via message. You can easily use the indicator to understand the logic behind trades that the TradingView strategy takes. The strategy is profitable if this indicator is applied to the right symbol at
    FREE
    To download MT5 version please click here . - This is the exact conversion from TradingView: "QQE mod" By "Mihkel00". - It can be used to detect trend direction and trend strength. - Gray bars represent weak trends. You can set thresholds to achieve better accuracy in detecting trend strength. - There is buffer index 15,16,17 to use in EA for optimization purposes. - The indicator is loaded light and non-repaint.  - You can message in private chat for further changes you need.
    To download MT5 version please click  here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
    To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
    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.
    Filtrele:
    Muhammad Nasrullah
    24
    Muhammad Nasrullah 2023.11.26 12:34 
     

    Kullanıcı incelemeye herhangi bir yorum bırakmadı

    Yashar Seyyedin
    49612
    Geliştiriciden yanıt Yashar Seyyedin 2023.11.26 12:35
    Thanks for the positive review.
    SpaciousTrader
    21
    SpaciousTrader 2023.07.11 22:09 
     

    Great indicator and awesome support by the author Yashar !!

    Yashar Seyyedin
    49612
    Geliştiriciden yanıt Yashar Seyyedin 2023.07.11 22:26
    Thanks for the positive review.
    İncelemeye yanıt
    Sürüm 1.10 2023.02.14
    Added Alert option.