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

Supertrend by KivancOzbilgic

5

To get access to MT4 version please click here.

  • This is the exact conversion from TradingView: "Supertrend" by "KivancOzbilgic".
  • 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 trade;
int handle_supertrend=0;

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

enum ENUM_SOURCE{OPEN, CLOSE, HIGH, LOW, HL2, HLC3, OHLC4, HLCC4};
input group "SuperTrend setting"
input int Periods = 10; //ATR Period
input ENUM_SOURCE src = HL2; //Source
input double Multiplier = 3; //ATR Multiplier
input bool changeATR= true; //Change ATR Calculation Method ?
input bool showsignals = false; //Show Buy/Sell Signals ?
input bool highlight = false; //Highlighter On/Off?
input bool enable_alerts=false; //Enable Alerts


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_supertrend=iCustom(_Symbol, PERIOD_CURRENT, 
      "Market\\Supertrend by KivancOzbilgic",
      Periods, src, Multiplier, changeATR, showsignals, highlight, enable_alerts);
   if(handle_supertrend==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsSuperTrendBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_supertrend, 8, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsSuperTrendSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_supertrend, 9, 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
Khulani
156
Khulani 2023.08.02 18:44 
 

Really great! Thanks.

Darz
2635
Darz 2023.07.17 04:56 
 

Excellent Indicator, exactly the same to what we have on TradingView

Önerilen ürünler
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
Was: $249  Now: $99   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
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation.
Wapv Price and volume
Eduardo Da Costa Custodio Santos
MT5 için WAPV Fiyat ve Hacim Göstergesi, (Wyckoff Academy Wave Market) ve (Wyckoff Academy Fiyat ve Hacim) araç setinin bir parçasıdır. MT5 için WAPV Fiyat ve Hacim Göstergesi, grafikteki hacim hareketini sezgisel bir şekilde görselleştirmeyi kolaylaştırmak için oluşturuldu. Bununla, piyasanın profesyonel bir ilgisinin olmadığı en yüksek hacim anlarını ve anları gözlemleyebilirsiniz. Piyasanın "akıllı para" hareketiyle değil, ataletle hareket ettiği anları belirleyin. Kullanıcı tarafından değişt
Bu indikatör, her sipariş için önceden belirlediğiniz TP ve SL Değerlerini (o para biriminde) grafiklerde (işlem/sipariş satırına kapalı) gösterecek ve her sipariş için kar ve zararınızı tahmin etmenize çok yardımcı olacaktır. Ayrıca size PIP değerlerini de gösterir. gösterilen format "Kâr veya Zararımızın Döviz Değerleri / PIP değerlerimiz" şeklindedir. TP Değeri Yeşil Renkte ve SL Değeri Kırmızı Renkte gösterilecektir. Herhangi bir sorunuz veya daha fazla bilgi için lütfen fxlife.asia@hotma
HMA Trend Professional MT5
Pavel Zamoshnikov
4.4 (5)
Improved version of the free HMA Trend indicator (for MetaTrader 4) with statistical analysis. HMA Trend is a trend indicator based on the Hull Moving Average (HMA) with two periods. HMA with a slow period identifies the trend, while HMA with a fast period determines the short-term movements and signals in the trend direction. The main differences from the free version: Ability to predict the probability of a trend reversal using analysis of history data. Plotting statistical charts for analyz
B Xtrender
Yashar Seyyedin
5 (1)
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT4 version please click here . This is the exact conversion from TradingView: "[SHK] Schaff Trend Cycle (STC)" by "shayankm". 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
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 S
Owl Smart Levels MT5
Sergey Ermolov
4.49 (37)
MT4 versiyonu  |  FAQ Owl Smart Levels Indicator , Bill Williams'ın gelişmiş fraktalları , piyasanın doğru dalga yapısını oluşturan Valable ZigZag ve kesin giriş seviyelerini gösteren Fibonacci seviyeleri gibi popüler piyasa analiz araçlarını içeren tek gösterge içinde eksiksiz bir ticaret sistemidir. pazara ve kar elde edilecek yerlere. Stratejinin ayrıntılı açıklaması Gösterge ile çalışma talimatı Baykuş Yardımcısı ticaretinde Danışman Yardımcısı Kullanıcıların özel sohbeti -> Satın aldıktan
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 
The best time to trade Using this Indicator is when the time reach exactly hour,half,45 minutes,15 minutes and sometimes 5 minutes.. This indicators is helpful to those who trade boom and crash indecies.How to read this indicator first you'll see Blue allow and Red allow all these allows used to indicate or to detect the spike which will happen so the allow happens soon before the spike happen.This indicator works properly only in boom and crash trading thing which you have to consider when
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
Volality Index scalper indicator  Meant for Volality pairs such as Volality 10, 25, 50, 75 and 100 The indicator works on all timeframes from the 1 minute to the monthly timeframe the indicator is non repaint the indicator has 3 entry settings 1 color change on zero cross 2 color change on slope change 3 color change on signal line cross Orange line is your sell signal Blue line is your buy signal.
Cumulative delta indicator As most traders believe, the price moves under the pressure of market buying or selling. When someone redeems an offer standing in the cup, the deal is a "buy". If someone pours into the bid standing in the cup - the deal goes with the direction of "sale". The delta is the difference between purchases and sales. A cumulative delta - the difference between the cumulative sum of purchases and sales for a certain period of time. It allows you to see who is currently contr
The Gann Box (or Gann Square) is a market analysis method based on the "Mathematical formula for market predictions" article by W.D. Gann. This indicator can plot three models of Squares: 90, 52(104), 144. There are six variants of grids and two variants of arcs. You can plot multiple squares on one chart simultaneously. Parameters Square — selection of a square model: 90 — square of 90 (or square of nine); 52 (104) — square of 52 (or 104); 144 — universal square of 144; 144 (full) — "full"
The Accumulation / Distribution is an indicator which was essentially designed to measure underlying supply and demand. It accomplishes this by trying to determine whether traders are actually accumulating (buying) or distributing (selling). This indicator should be more accurate than other default MT5 AD indicator for measuring buy/sell pressure by volume, identifying trend change through divergence and calculating Accumulation/Distribution (A/D) level. Application: - Buy/sell pressure: above
This MT5 version indicator is a unique, high quality and affordable trading tool. The calculation is made according to the author's formula for the beginning of a possible trend. MT4 version is here  https://www.mql5.com/ru/market/product/98041 An accurate   MT5   indicator that gives signals to enter trades without redrawing! Ideal trade entry points for currencies, cryptocurrencies, metals, stocks, indices! The indicator builds   buy/sell   arrows and generates an alert. Use the standart  
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 - Par
VR Cub MT 5
Vladimir Pastushak
VR Cub , yüksek kaliteli giriş noktaları elde etmenin bir göstergesidir. Gösterge, matematiksel hesaplamaları kolaylaştırmak ve bir pozisyona giriş noktalarının aranmasını basitleştirmek için geliştirildi. Göstergenin yazıldığı ticaret stratejisi uzun yıllardan beri etkinliğini kanıtlamaktadır. Ticaret stratejisinin basitliği, acemi yatırımcıların bile başarılı bir şekilde ticaret yapmasına olanak tanıyan büyük avantajıdır. VR Cub, pozisyon açılış noktalarını ve Kâr Al ve Zararı Durdur hedef sev
An indicator of pattern #31 ("Long Island") from Encyclopedia of Chart Patterns by Thomas N. Bulkowski. The second gap is in the opposite direction. Parameters: Alerts - show alert when an arrow appears   Push - send a push notification when an arrow appears (requires configuration in the terminal) GapSize - minimum gap size in points ArrowType - a symbol from 1 to 17 ArrowVShift - vertical shift of arrows in points   ShowLevels - show levels ColUp - color of an upward line ColDn - color of a
Double HMA MTF for MT5
Pavel Zamoshnikov
5 (2)
This is an advanced multi-timeframe version of the popular Hull Moving Average (HMA) Features Two lines of the Hull indicator of different timeframes on the same chart. The HMA line of the higher timeframe defines the trend, and the HMA line of the current timeframe defines the short-term price movements. A graphical panel with HMA indicator data from all timeframes at the same time . If the HMA switched its direction on any timeframe, the panel displays a question or exclamation mark with a tex
Indicator and Expert Adviser  EA Available in the comments section of this product. Download with Indicator must have indicator installed for EA to work. Mt5 indicator alerts for bollinger band and envelope extremes occurring at the same time. Buy signal alerts occur when A bullish candle has formed below both the lower bollinger band and the lower envelope  Bar must open and close below both these indicators. Sell signal occur when A bear bar is formed above the upper bollinger band and upp
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 ul
For a trader, trend is our friend. This is a trend indicator for MT5, can be used on any symbol. just load it to the terminal and you will see the current trend. green color means bullish trend and red means bearlish trend. you can also change the color by yourself when the indicator is loaded to the MT5 terminal the symbol and period is get from the terminal automaticly. How to use: I use this trend indicator on 2 terminals with different period  for the same symbol at same time. for example M5
Mini Chart Indicators
Flavio Javier Jarabeck
The Metatrader 5 has a hidden jewel called Chart Object, mostly unknown to the common users and hidden in a sub-menu within the platform. Called Mini Chart, this object is a miniature instance of a big/normal chart that could be added/attached to any normal chart, this way the Mini Chart will be bound to the main Chart in a very minimalist way saving a precious amount of real state on your screen. If you don't know the Mini Chart, give it a try - see the video and screenshots below. This is a gr
Upgraded - Stars added to indentify Areas you can scale in to compound on your entry  when buying or selling version 2.4 Upgraded Notifications and alerts added version 2.3 *The indicator is suitable for all pairs fromm  Deriv pairs (Vix,jump,boom & crash indices) , Currencies, cryptos , stocks(USA100, USA30 ), and metals like gold etc. How does it work? Increasing the period make it more stable hence will only focus on important entry points However  lowering the period will mean the indica
Düz ve trend belirleme göstergesi. Fiyat, iki histogramdan ve iki çizgiden (kırmızı ve mavi) herhangi birinin altındaysa, bu bir satış bölgesidir. Göstergenin bu sürümünü satın alırken, bir gerçek ve bir demo hesabı için MT4 sürümü - hediye olarak (almak için bana özel mesaj yazın)! Fiyat, iki histogramdan ve iki çizgiden (kırmızı ve mavi) herhangi birinin üzerindeyse, bu bir satın alma bölgesidir. MT4 versiyonu: https://www.mql5.com/en/market/product/3793 Fiyat iki satır arasında veya
Alpha Trend Pro
Eslam Mohamed Abdelrady Shehata
Alpha Trend Pro: Your Ultimate Trading Companion Embark on a new era of trading with Alpha Trend Pro Indicator. Crafted with precision and innovation, Alpha Trend is designed to elevate your trading experience by seamlessly blending powerful elements to navigate various market conditions. **Key Features:** **1. Dynamic Adaptability:**    - In sideways market conditions, Alpha Trend acts as a dead indicator. Say goodbye to many false signals and welcome a tool that adapts seamlessly to mar
Bu ürünün alıcıları ayrıca şunları da satın alıyor
Ö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. "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. Trend Takip Stratejisi: Trendleri etkili bir
Ö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. 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ı karmaşık göstergeler kullanarak, Atom Analisti
Gold Stuff mt5
Vasiliy Strukov
4.89 (167)
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!   AYARLAR Ok Çiz - açık kapalı. grafik üzerinde oklar çizmek. Uyarılar - sesli uyarılar kapalı. E-posta bildirimi - açık kapalı. E-posta Bildirimleri. Puch bildirimi - açık kapalı. Push bildirimleri
Quantum Trend Sniper
Bogdan Ion Puscasu
5 (37)
Tanıtım       Kuantum Trend Keskin Nişancı Göstergesi   , trend tersine dönmeleri belirleme ve 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 Trend Keskin Nişancı Göstergesi       trend dönüşlerini son derece yüksek doğrulukla belirlemenin yenilikçi yolu ile ticaret yolculuğunuzu yeni zirvelere taşımak için tasarlanmıştır. ***Kuantum Trend Keskin Nişancı Gö
Trend Screener Pro MT5
STE S.S.COMPANY
4.87 (62)
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.
FX Volume MT5
Daniel Stein
4.94 (17)
Sabah Brifingimiz aracılığıyla ayrıntılar ve ekran görüntüleri ile günlük piyasa güncellemenizi alın burada mql5 ve on Telegram ! FX Volume, bir brokerin bakış açısından piyasa duyarlılığı hakkında GERÇEK bir fikir veren İLK ve TEK hacim göstergesidir. COT raporlarından çok daha hızlı bir şekilde, brokerlar gibi kurumsal piyasa katılımcılarının Forex piyasasında nasıl konumlandıklarına dair harika bilgiler sağlar. Bu bilgileri doğrudan grafiğinizde görmek, ticaretiniz için gerçek oyun değiştir
Ö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. 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 getirir. Bu gösterge, büyük kurumların tica
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
Herhangi bir Acemi veya Uzman Tüccar için En İyi Çözüm! Bu gösterge benzersiz, yüksek kaliteli ve uygun fiyatlı bir ticaret aracıdır çünkü bir dizi tescilli özelliği ve yeni bir formülü bir araya getirdik. Bu güncelleme ile çift zaman dilimi dilimlerini gösterebileceksiniz. Yalnızca daha yüksek bir TF gösteremeyeceksiniz, aynı zamanda TF grafiğini ve ARTIK daha yüksek TF'yi de gösterebileceksiniz: YUVARLAK BÖLGELERİ GÖSTERMEK. Tüm Arz Talebi tüccarları buna bayılacak. :) Önemli Bilgiler Açıkland
A key element in trading is zones or levels from which decisions to buy or sell a trading instrument are made. Despite attempts by major players to conceal their presence in the market, they inevitably leave traces. Our task was to learn how to identify these traces and interpret them correctly. Reversal First Impulse levels (RFI)   -  Version MT4                  INSTRUCTIONS                 RUS                 ENG                         R ecommended to use with an indicator   -  TREND PRO  
AW Trend Predictor MT5
AW Trading Software Limited
4.76 (55)
Tek bir sistemde trend ve kırılma seviyelerinin kombinasyonu. Gelişmiş bir gösterge algoritması piyasa gürültüsünü filtreler, trendi, giriş noktalarını ve olası çıkış seviyelerini belirler. Gösterge sinyalleri, sinyal geçmişinin etkinliğini gösteren en uygun enstrümanların seçilmesine izin veren bir istatistiksel modüle kaydedilir. Gösterge Kâr Al ve Zararı Durdur işaretlerini hesaplar. Kılavuz ve talimatlar ->   BURAYA   / MT4 versiyonu ->   BURAYA Gösterge ile nasıl ticaret yapılır: Trend Pre
TPSpro TRENDPRO  - is a trend indicator that automatically analyzes the market and provides information about the trend and each of its changes, as well as giving signals for entering trades without redrawing! The indicator uses each candle, analyzing them separately. referring to different impulses - up or down impulse. Exact entry points into transactions for currencies, crypto, metals, stocks, indices!  -  Version MT4                  DETAILED DESCRIPTION        /       TRADING SETUPS       
FX Power MT5 NG
Daniel Stein
5 (4)
Sabah Brifingimiz burada mql5 ve on Telegram! FX Power MT5 NG , uzun zamandır çok popüler olan döviz gücü ölçerimiz FX Power'ın yeni neslidir. Peki bu yeni nesil güç ölçer ne sunuyor? Orijinal FX Power hakkında sevdiğiniz her şey PLUS GOLD/XAU güç analizi Daha da hassas hesaplama sonuçları Ayrı ayrı yapılandırılabilir analiz dönemleri Daha da iyi performans için özelleştirilebilir hesaplama limiti Özel çokluDaha fazlasını görmek isteyenler için örnek ayarlar Her grafikte en sevdiğiniz renkler i
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
RelicusRoad Pro MT5
Relicus LLC
4.82 (22)
Ş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 seviyey
Gartley Hunter Multi
Siarhei Vashchylka
5 (5)
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all classic timeframes: (m1, m5, m15, m30, H1, H4, D1, Wk, Mn). Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all classic timeframes 3. Search for patterns of all possible sizes. Fr
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance,   HH/LL/HL/LH,    Fair Value Gap, FVG,  Premium  &   Discount   Zones, Fibonacci Retracement, OTE, Buy Side Liquidity, Sell Side Liquidity, BSL/SSL Taken, Equal Highs & Lows, MTF Dashboard, Multiple Time Frame, BigBar, HTF OB, HTF Market Structure
Professional Scalping Tool on Deriv Attention! The indicator will be sold in limited quantities!!! The previous 5 copies were sold for $250 The next 5 copies will be sold for $350 The next price is $500 Description: This trading indicator is designed for professional traders focused on scalping. Designed with the market in mind, it provides highly accurate spike trading signals. It works on the M1 timeframe and supports the following symbols: Boom 300 Index, Boom 500 Index, Boom 1000 Index,
The Volume by Price Indicator for MetaTrader 5 features Volume Profile and Market Profile TPO (Time Price Opportunity). Get valuable insights out of currencies, equities and commodities data. Gain an edge trading financial markets. Volume and TPO histogram bar and line charts. Volume Footprint charts. TPO letter and block marker charts including split structures. Versatile segmentation and compositing methods. Static, dynamic and flexible ranges with relative and/or absolute visualizations. Lay
MetaForecast M5
Vahidreza Heidar Gholami
5 (2)
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. M
Auto Order Block with break of structure based on ICT and Smart Money Concepts 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 )    Volume Imbalance     ,  MTF          vIMB Gap’s Equal High / Low’s     ,  MTF             EQH / EQL Liquidity               Current Day High / Low           HOD /
Quantum Heiken Ashi PRO MT5
Bogdan Ion Puscasu
4.5 (8)
Quantum Heiken Ashi PRO ile   tanışın Pazar eğilimleri hakkında net bilgiler sağlamak üzere tasarlanan Heiken Ashi mumları, gürültüyü filtreleme ve yanlış sinyalleri ortadan kaldırma yetenekleriyle ünlüdür. Kafa karıştırıcı fiyat dalgalanmalarına veda edin ve daha sorunsuz, daha güvenilir bir grafik sunumuna merhaba deyin. Quantum Heiken Ashi PRO'yu gerçekten benzersiz kılan şey, geleneksel şamdan verilerini okunması kolay renkli çubuklara dönüştüren yenilikçi formülüdür. Kırmızı ve yeşil çubukl
Fiyat tersine döndükçe ve geri çekildikçe piyasa yapısından elde edilen kâr değişir. Piyasa yapısını tersine çevirme uyarısı göstergesi, bir trendin veya fiyat hareketinin ne zaman tükenmeye yaklaştığını ve tersine dönmeye hazır olduğunu tanımlar. Genellikle bir geri dönüş veya büyük bir geri çekilme meydana gelmek üzereyken meydana gelen piyasa yapısındaki değişiklikler konusunda sizi uyarır. Gösterge, olası bir tükenme noktasının yakınında her yeni yüksek veya düşük oluştuğunda, başlangıçta
Blahtech Supply Demand MT5
Blahtech Limited
4.57 (14)
Was: $299  Now: $99   Supply Demand uses previous price action to identify potential imbalances between buyers and sellers. The key is to identify the better odds zones, not just the untouched ones. Blahtech Supply Demand indicator delivers functionality previously unavailable on any trading platform. This 4-in-1 indicator not only highlights the higher probability zones using a multi-criteria strength engine, but also combines it with multi-timeframe trend analysis, previously confirmed swings
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
XQ Indicator MetaTrader 5
Marzena Maria Szmit
5 (1)
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
Eng Gold
Ely Alkrar Xshkaky
ENG-GOLD Scalper It is an auxiliary indicator that identifies potential targets and determines the place of entry with a stop loss that works on Heiken Ashi candles  The green lines are usually the targets, the red lines are the stop loss, and the yellow lines are the entry location.  This file is recognized on small and medium frames, usually less than the watch frame I highly recommend using XAUUSD US100 US30 USOIL 
Öncelikle, bu Trading Sisteminin Non-Repainting, Non-Redrawing ve Non-Lagging Gösterge olduğunu vurgulamak önemlidir, bu da profesyonel ticaret için ideal hale getirir. "Smart Support and Resistance Trading System", yeni ve deneyimli tüccarlar için özel olarak tasarlanmış gelişmiş bir göstergedir. Forex piyasasında tüccarları hassasiyet ve güvenle donatır. Bu kapsamlı sistem, 7'den fazla strateji, 10 gösterge ve günlük ticaret stratejisi, swing ticaret stratejisi, destek ve direnç stratejisi,
Malaysian SNR Levels
Matthias Horst Pieroth
This indicator can be used to display Support and Resistance levels according to  the  Malaysian SNR concept , in which Support and Resistance are exact levels of a line chart. Malaysian SNR There are 3 different horizontal levels in Malaysian SNR: A-Level : This level is located at the peak of this line chart. (shape looks like the letter A) V-Level : Level at the valley of a line chart, (shape looks like the letter V) Gap-Leve l: This level is located at the Close/Open gap between two cand
Gartley Hunter MT5
Siarhei Vashchylka
5 (13)
Gartley Hunter - An indicator for searching for harmonic patterns (Gartley patterns) and their projections. The indicator is equipped with a system of alerts and push notifications. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. 12 harmonic patterns: 7 classical and 5 exotic. New patterns will be added as the indicator develops. 2. Constant automatic search for harmonic patterns. The indicator is capable of finding from the smallest to the largest patterns. 3. Autom
Yeni Başlayanlar veya Uzman Tüccarlar için En İyi Çözüm! Bu gösterge benzersiz, yüksek kaliteli ve uygun fiyatlı bir ticaret aracıdır çünkü bir dizi tescilli özellik ve gizli bir formül ekledik. Yalnızca BİR grafikle 28 döviz çiftinin tümü için Uyarılar verir. Yeni bir trendin veya scalping fırsatının tam tetik noktasını belirleyebildiğiniz için ticaretinizin nasıl gelişeceğini hayal edin! Yeni temel algoritmalar üzerine inşa edilen bu sistem, potansiyel işlemlerin belirlenmesini ve onaylan
Yazarın diğer ürünleri
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Zero Lag MACD Enhanced - Version 1.2" by "   Albert.Callisto ". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
For MT4 version please send private message. - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - For bar color option please send private message. - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need.
B Xtrender
Yashar Seyyedin
5 (1)
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
To get access to MT5 version please contact via private message. This is the exact conversion from TradingView:Nadaraya-Watson Envelope" by " LuxAlgo ". This is not a light-load processing indicator. It is a REPAINT indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To get access to MT5 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell signal alerts. You can message in private chat for further changes you need.
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
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
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 Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
To get access to MT5 version please click here . - This is 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: "Twin Range Filter" by " colinmck ". - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Thanks for downloading
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
- 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
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To get access to MT5 version please contact via private message. This is the exact conversion from TradingView: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
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
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download 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 . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
FREE
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "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
Filtrele:
Khulani
156
Khulani 2023.08.02 18:44 
 

Really great! Thanks.

Yashar Seyyedin
32438
Geliştiriciden yanıt Yashar Seyyedin 2023.08.02 22:30
Thanks. Wish you happy trading.
Darz
2635
Darz 2023.07.17 04:56 
 

Excellent Indicator, exactly the same to what we have on TradingView

Yashar Seyyedin
32438
Geliştiriciden yanıt Yashar Seyyedin 2023.07.17 08:00
Thanks for the positive review. Wish you happy trading.
İncelemeye yanıt
Sürüm 1.40 2024.02.02
Updated the default setting to avoid bad graphics of fillings in MT5.
Sürüm 1.30 2023.07.06
Added Alerts input option.
Sürüm 1.20 2023.06.01
Fixed memory leakage issue.
Sürüm 1.10 2023.05.26
Fixed issue related to removing text label object from chart.