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

Hull Suite By Insilico

5

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 trade;
int handle_hull=0;

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

enum MA_TYPE{HMA, THMA, EHMA};
input group "HULL setting"
input MA_TYPE modeSwitch = HMA; //Hull Variation
input ENUM_APPLIED_PRICE src =PRICE_CLOSE; //Source
input int length = 55 ; //Length
input int lengthMult = 1; //Multiplier
input bool candleCol = false;

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_hull=iCustom(_Symbol, PERIOD_CURRENT, 
   "Market/Hull Suite By Insilico",
    modeSwitch, src, length, lengthMult, candleCol);
   if(handle_hull==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsHULLBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_hull, 0, i, 1, array);
   double val1=array[0];
   CopyBuffer(handle_hull, 1, i, 1, array);
   double val2=array[0];
   return val1>val2;
}

bool IsHULLSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_hull, 0, i, 1, array);
   double val1=array[0];
   CopyBuffer(handle_hull, 1, i, 1, array);
   double val2=array[0];
   return val1<val2;
}

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 3
olgherba
19
olgherba 2025.03.20 13:03 
 

This is the perfect indicator and Yashar has a great user support!!

Khulani
171
Khulani 2023.08.02 18:42 
 

Great!

Önerilen ürünler
To get access to MT4 version please click   here . This is the exact conversion from TradingView: "ZLSMA - Zero Lag LSMA" by "veryfid". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Fearzone - Contrarian Indicator" by " Zeiierman ". 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. Thanks for downloading
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
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Cumulative Delta Volume" by "LonesomeTheBlue". 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. Thanks for downloading
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.
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
The new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
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 you
To download MT4 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 
Max Min Delta Indicator Gain Deeper Insights into Market Volume Imbalance with Delta Analysis What is the Max Min Delta Indicator? The Max Min Delta Indicator is a powerful market volume analysis tool that visually represents maximum and minimum delta values using a histogram. It helps traders identify market strength, weakness, absorption, and aggressive buying/selling activity with precision. Key Features: Histogram Visualization: Displays Max Delta (Green) and Min Delta (Red) as
To get access to MT4 version please contact via private message. This is the exact conversion from TradingView:"ATR Trailing Stoploss" by "ceyhun" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle option is not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
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
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.
Crash 1000 Scalping Indicator for the Crash 1000 Deriv Synthetic Index. Introduction The Crash 1000 Scalping Indicator is a specialized tool designed for the Crash 1000 index on the Deriv Synthetic market. This indicator is particularly useful for scalping on the M1 timeframe, helping traders to identify precise entry and exit points for buy positions. It is designed to be non-repainting, providing clear signals with audible alerts and push notifications, and is compatible with mobile devices th
To get access to MT4 version please click here . This is the exact conversion from TradingView:"Heikin Ashi RSI Oscillator" by "jayRogers" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. I removed colored areas option to fit into metatrader graphics. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Provided Trend is a complex signal formation indicator. As a result of the work of internal algorithms, you can see only three types of signals on your chart. The first is a buy signal, the second is a sell signal, and the third is a market exit signal. Options: CalcFlatSlow - The first parameter that controls the main function of splitting the price chart into waves. CalcFlatFast - The second parameter that controls the main function of splitting the price chart into waves. CalcFlatAvg - Para
Market Session Pro
Kambiz Shahriarynasab
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that your
PULLBACK HUNTER What is every trader's cherished dream? To see without delay the places where the reversal will happen. This, of course, is from the category of magic, though... nothing is impossible. But for now I've prepared for you an indicator that marks in real time the end of corrections to the current movement or in short - catches pullbacks.What is the main point? Many people practice rebounds when the price moves in the direction of the open position. And they do them on the formation o
To get access to MT4 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 sel
Elevate Your Trading Experience with Wamek Trend Consult!   Unlock the power of precise market entry with our advanced trading tool designed to identify early and continuation trends. Wamek Trend Consult empowers traders to enter the market at the perfect moment, utilizing potent filters that reduce fake signals, enhancing trade accuracy, and ultimately increasing profitability.   Key Features: 1. Accurate Trend Identification: The Trend Consult indicator employs advanced algorithms and unparall
Delta Aggression Volume PRO is an indicator developed to monitor the strength and continuity of the aggression volume of sell and buy negotiations. Note: This indicator DOES NOT WORK for Brokers and/or Markets WITHOUT the type of aggression (BUY or SELL). Cryptocurrencies and Forex do not provide this type of data, that is, it does not work with them. O Delta Agrression Volume PRO has features that allow you to view beyond the delta volume of the day. Operation Multi symbols  (those who provid
Adjustable Consecutive Fractals  looks for 2 or more fractals in one direction and sends out a on screen alert, sound alert and push notification, for strong reversal points . Adjustable Consecutive Fractals, shows the fractals on chart along with a color changing text for buy and sell signals when one or more fractals appear on one side of price. Adjustable Consecutive Fractals is based Bill Williams Fractals . The standard Bill Williams fractals are set at a non adjustable 5 bars, BUT withe th
The megaphone pattern is another chart pattern used for technical analysis. There is usually a lot of volatility happening when you spot it in the wild….and volatility equals opportunity in the world of trading. This pattern is famous for its “broadening formation” and the price action also warns of the increased risk ahead. The megaphone chart pattern provides unique entries and exits off different sides of its structure. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Produ
MovingAveragePRO
Volkan Mustafaoglu
Çalışma prensiplerinizi alt üst edecek bir buluş. Özellikle yatay ve durgun piyasalarda can sıkıcı kayıplar yaşanabiliyor. Ayrıca trend çizgilerini, destek ve dirençleri takip etmek yorucu olabilir. Tüm bunlara son vermek için profesyonel bir "hareketli ortalama" göstergesi oluşturmaya karar verdim. Tek yapmanız gereken renkleri takip etmek. Ek desteğe ihtiyacınız varsa profilimdeki "Heiken-Ashi" mum göstergesini öneririm. bol kazançlar dilerim..
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
PivotWave
Jeffrey Quiatchon
Introducing PivotWave – your ultimate trading companion that redefines precision and market analysis. Designed with traders in mind, PivotWave is more than just an indicator; it’s a powerful tool that captures the pulse of the market, identifying key turning points and trends with pinpoint accuracy. PivotWave leverages advanced algorithms to provide clear visual signals for optimal entry and exit points, making it easier for traders to navigate volatile market conditions. Whether you are a begin
The Antique Trend Indicator is a revolutionary trend trading and filtering solution with all the important features of a trend tool built into one tool! The Antique Trend indicator is good for any trader, suitable for any trader both for Forex and binary options. There is no need to configure anything, everything has been perfected by time and experience, it works great during flats and trends. The Antique Trend indicator is a tool for technical analysis of financial markets, reflecting curren
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
Thunder Scalper
Mr Fares Mohammad Alabdali
Alış ve Satış Hedefleri Göstergesi       Üç satırdan oluşur: ilk yeşil renk satın alma hedeflerini, ikinci kırmızı renk satış hedeflerini ve üçüncü mavi renk ortalama fiyatı belirtir.       Girmenin iki yolu vardır -       Yöntem 1: Ortalama fiyatın alttan uzun bir mumla kırıldığı ve yeşil bir mumla mavi çizginin üzerinde kaldığında giriş noktası satın alma olarak kabul edilir.       Ortalama fiyat kırmızı bir mumla tepeyi aştığında, satış olarak kabul edilir.       İkinci yöntem: Hedeflere ula
No Demand No Supply MT5
Trade The Volume Waves Single Member P.C.
No Demand No Supply   This indicator identifies   No Demand –No Supply candles to your chart and plots volume bars colored according to the signal. It can be applied to all timeframes or to a specific one only. It can also be used as regular volume indicator  with exceptional future of WEIGHTED VOLUME. Furthermore is has an alert notification, sound and email when a signals occurs. The indicator does not repaint but the alert will come on two candles back due to the definition of No Demand No Su
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 (82)
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 (11)
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
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ı
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
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
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
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ş
MetaForecast M5
Vahidreza Heidar Gholami
5 (3)
MetaForecast, fiyat verilerindeki harmonileri kullanarak herhangi bir piyasanın geleceğini tahmin eder ve görselleştirir. Piyasa her zaman tahmin edilemezken, fiyatlarda bir desen varsa, MetaForecast geleceği mümkün olduğunca doğru bir şekilde tahmin edebilir. Benzer ürünlere göre, MetaForecast piyasa eğilimlerini analiz ederek daha kesin sonuçlar üretebilir. Giriş Parametreleri Past size (Geçmiş boyut) MetaForecast'ın gelecekteki tahminler oluşturmak için kullandığı çubuk sayısını belirtir. Mo
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
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
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
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
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
MONEYTRON – ТВОЙ ЛИЧНЫЙ СИГНАЛ НА УСПЕХ! XAUUSD | AUDUSD | USDJPY | BTCUSD Поддержка таймфреймов: M5, M15, M30, H1 Почему трейдеры выбирают Moneytron? 82% успешных сделок — это не просто цифры, это результат продуманной логики, точного алгоритма и настоящей силы анализа. Автоматические сигналы на вход — не нужно гадать: когда покупать, когда продавать. 3 уровня Take Profit — ты сам выбираешь свой уровень прибыли: безопасный, уверенный или максимум. Четкий Stop Loss — контролируешь риск
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
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
Ö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
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
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
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
NOTE: CYCLEMAESTRO is distributed only on this website, there are no other distributors. Demo version is for reference only and is not supported. Full versione is perfectly functional and it is supported. CYCLEMAESTRO , the first and only indicator of Cyclic Analysis, useful for giving signals of TRADING, BUY, SELL, STOP LOSS, ADDING. Created on the logic of   Serghei Istrati   and programmed by   Stefano Frisetti ;   CYCLEMAESTRO   is not an indicator like the others, the challenge was to inter
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. ##
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
Tanıtım       Quantum Breakout PRO   , Breakout Bölgeleri ile ticaret yapma şeklinizi değiştiren çığır açan MQL5 Göstergesi! 13 yılı aşkın ticaret tecrübesine sahip deneyimli tüccarlardan oluşan bir ekip tarafından geliştirilmiştir.       Kuantum Breakout PRO       yenilikçi ve dinamik koparma bölgesi stratejisiyle ticaret yolculuğunuzu yeni zirvelere taşımak için tasarlanmıştır. Kuantum Breakout Göstergesi, size 5 kar hedefi bölgesi ile kırılma bölgelerinde sinyal okları ve kırılma kutusuna da
Kârlı ticaret fırsatlarını kolaylıkla belirlemenize yardımcı olabilecek güçlü bir forex ticaret göstergesi mi arıyorsunuz? Beast Super Signal'den başka bir yere bakmayın. Bu kullanımı kolay trend tabanlı gösterge, sürekli olarak piyasa koşullarını izleyerek yeni gelişen trendleri araştırır veya mevcut trendlere atlar. Canavar Süper Sinyali, tüm dahili stratejiler birbiriyle uyumlu ve %100 örtüştüğünde bir al ya da sat sinyali vererek ek onay ihtiyacını ortadan kaldırır. Sinyal oku uyarısını aldı
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
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   -  MTF      ( Multi Time Frame )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High / Low’s  
Gold Trend 5
Sergei Linskii
3.5 (2)
Altın Trend - bu iyi bir hisse senedi teknik göstergesidir. Gösterge algoritması, bir varlığın fiyat hareketini analiz eder ve oynaklığı ve potansiyel giriş bölgelerini yansıtır. En iyi gösterge sinyalleri: - SATIŞ için = kırmızı histogram + kırmızı KISA işaretçi + aynı yönde sarı sinyal oku. - AL için = mavi histogram + mavi UZUN işaretçi + aynı yönde aqua sinyal oku. Göstergenin faydaları: 1. Gösterge yüksek doğrulukta sinyaller üretir. 2. Onaylanmış bir ok sinyali yalnızca trend değişt
Yazarın diğer ürünleri
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
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
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
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
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
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 . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the code a sample EA that operated b
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
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
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 MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
ADX and DI
Yashar Seyyedin
To download MT5 version please click here . This is the exact conversion from TradingView indicator: "ADX and DI" By " BeikabuOyaji". This is probably the most popular implementation of Average Directional Index available. This indicator lets you read the buffers as below: index 0: DIPlusBuffer ==> Green Line by default index 1: DIMinusBuffer ==> Red Line by default index 2: ADXBuffer ==> Navy Line by default - You can message in private chat for further changes you need. Note: This is a non-rep
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By "   LuxAlgo   ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
For MT5 version please click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing
B Xtrender
Yashar Seyyedin
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
TRAMA by LuxAlgo
Yashar Seyyedin
5 (1)
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By " LuxAlgo ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
- This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
FREE
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
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
Filtrele:
olgherba
19
olgherba 2025.03.20 13:03 
 

This is the perfect indicator and Yashar has a great user support!!

Yashar Seyyedin
49748
Geliştiriciden yanıt Yashar Seyyedin 2025.03.20 13:18
Thanks you for the great review. Wish you safe trades.
Juan mesa
28
Juan mesa 2024.05.26 13:53 
 

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

Yashar Seyyedin
49748
Geliştiriciden yanıt Yashar Seyyedin 2024.05.26 13:54
Thanks for the good words. Wish you safe trades
Khulani
171
Khulani 2023.08.02 18:42 
 

Great!

Yashar Seyyedin
49748
Geliştiriciden yanıt Yashar Seyyedin 2023.08.02 22:28
Thanks for the review.
İncelemeye yanıt
Sürüm 1.30 2025.03.20
A small fix for the better/
Sürüm 1.20 2025.03.20
Updated the multiplier input option to include floating point numbers also.
Sürüm 1.10 2024.03.11
Update to include all sources (TYPICAL, MEDIAN, WEIGHTED) prices.