• Aperçu
  • Avis
  • Commentaires
  • Nouveautés

Nadaraya Watson Envelope LuxAlgo

To get access to MT4 version click here.

  • This is the exact conversion from "Nadaraya-Watson Envelope" by "LuxAlgo". (with non-repaint input option)
  • This is not a light-load processing indicator if repaint input is set to true.
  • All input options are available. 
  • Buffers are available for processing in EAs.
  • I changed default input setup to non-repaint mode for better performance required for mql market validation procedure.

Here is the source code of a simple Expert Advisor operating based on signals from this indicator.

#include <Trade\Trade.mqh>
CTrade trade;
int handle_nw=0;

input group "EA Setting"
input int magic_number=123456; //magic number
input double fixed_lot_size=0.01; // select fixed lot size
input bool multiplie_entry=false; //allow multiple entries in the same direction

input group "nw setting"
input double h = 8.;//Bandwidth
input double mult = 3; //
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input bool repaint = false; //Repainting Smoothing


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_nw=iCustom(_Symbol, PERIOD_CURRENT, "Market/Nadaraya Watson Envelope LuxAlgo", h, mult, src, repaint);
   if(handle_nw==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsNWBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_nw, 5, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsNWSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_nw, 6, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

int BuyCount()
{
   int buy=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      buy++;
   }  
   return buy;
}

int SellCount()
{
   int sell=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      sell++;
   }  
   return sell;
}


void Buy()
{
   double Ask=SymbolInfoDouble(_Symbol, SYMBOL_ASK);
   if(!trade.Buy(fixed_lot_size, _Symbol, Ask, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   double Bid=SymbolInfoDouble(_Symbol, SYMBOL_BID);
   if(!trade.Sell(fixed_lot_size, _Symbol, Bid, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}


void CloseBuy()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

void CloseSell()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

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


Produits recommandés
This indicator closes the positions when Profit. This way you can achieve a goal without determine Take Profit.  Parameters: Profit: the amount of Dolllars you want to close when profit.  Just determine Profit section and open new positions. If Any of your positions reaches above Profit , Indicator will close automatically and you will recieve your Profit. 
To get access to MT4 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
About indicator > The indicator is a function based on one value (open/high prices up to now) and then it is a mathematical representation of the whole function that is totally independent from any else values. So, if you ask yourself will the future be as it is on the graph... I can tell you - as it was the same as the trading function up to the moment "now"... In conclusion, the point of the indicator is  to try to show the future of the trading function into eternity. The graphic is sometime
RoboTick Signal
Mahir Okan Ortakoy
Hello, In this indicator, I started with a simple moving average crossover algorithm. However, in order ot get more succesfull results, I created different scenarios by basin the intersections and aptimized values of the moving averages on opening, closing, high and low values. I am presenting you with the most stable version of the moving averages that you have probably seen in any environment. We added a bit of volume into it. In my opinion, adding the Bollinger Band indicator from the ready-
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
XFlow
Maxim Kuznetsov
XFlow shows an expanding price channel that helps determine the trend and the moments of its reversal. It is also used when accompanying transactions to set take profit/stop loss and averages. It has practically no parameters and is very easy to use - just specify an important moment in the history for you and the indicator will calculate the price channel. DISPLAYED LINES ROTATE - a thick solid line. The center of the general price rotation. The price makes wide cyclical movements around the
Rubdfx Spike Indicator 1.5: Updated for Strategic Trading The Rubdfx Spike Indicator is developed to aid traders in identifying potential market reversals and trends. It highlights spikes that indicate possible upward or downward movements, helping you observe when a trend may continue. A trend is identified when a buy or sell spike persists until the next opposite spike appears. Key Features: Versatility: Any Timeframe Adaptability: Designed   to work on all Timeframes however Recommended for
EverGrowth Pro MT5
Canberk Dogan Denizli
Si vous recherchez une perspective pragmatique pour vos futurs efforts commerciaux, permettez-moi de vous présenter EverGrowth. Êtes-vous captivé par l'idée de vous engager dans des activités commerciales avec une EA professionnelle à part entière, comprenant une base de code étendue d'environ 6800 lignes ? EverGrowth dispose d'une multitude de fonctionnalités et d'indicateurs, privilégiant l'authenticité en reproduisant fidèlement les résultats des tests dans des conditions réelles de marché.
To get access to MT4 version please click  here . This is the exact conversion from TradingView: "VolATR" by "barrettdenning" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing. This is a non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Here is the source code of a sample EA operating based
The Price Tracker Indicator is designed to outline a dynamic price channel, showcasing areas where price movement is typically contained. The indicator highlights potential areas of interest where price may react when approaching the channel limits. Versatile for Scalping and Swing Trading The indicator adapts to all timeframes and can complement various trading strategies. It integrates seamlessly with tools such as supply and demand levels, reversal patterns, and other confluences. Key Feat
[ MT4 Version ]  [ Kill Zones ]  [ SMT Divergences ] How to trade using Order Blocks:  Click here User Interface Performance:  During testing in the strategy tester, the UI may experience lag. Rest assured, this issue is specific to the testing environment and does not affect the indicator's performance in live trading. Elevate your trading strategy with the  Order Blocks ICT Multi TF  indicator, a cutting-edge tool designed to enhance your trading decisions through advanced order block analysis
Market Session Pro
Kambiz Shahriarynasab
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that your
- This is an implementation of OCC ==> open close cross - This indicator applies twelve different averaging methods to open and close prices separately to signal the trend switching. - All MA methods are set as input as well as period and different offsets applied to linear regression and ALMA averaging. - Buffers 16 and 17 can be used in EAs to detect trend direction. - You can message in private chat for further changes you need.
Volume Trade Levels
Mahmoud Sabry Mohamed Youssef
The idea behind this indicator is very simple , First it contains 2 mechanisms to place your trades: 1- Enter the Pips you want to duplicate to price levels. 2- Automatically let the indicator specify the largest Buy / Sell Volume Candle and place duplicated levels based on the candle itself. How it works: 1- Enter the Pips you want to duplicate to price levels:    1- once the indicator is loaded you will need first to Specify the number of pips in the indicator Configuration window ,you can g
ShortBS是一个很好的短线交易指示器,能很好与 BestPointOfInitiation ( https://www.mql5.com/zh/market/product/96671 )配合,能让你找到最合适的buy和sell位置,指标不含有未来函数,不会重新绘制。是一个针对(如果你感觉到这个指标能够帮助你进行更准确的交易,请帮忙给个好评,希望我的作品能够帮助更多有需要的人) ===================参数列表===================== maPeriod: 25 slowPeriod:20 fastPeriod:10 stepPeriod:5 =================参考使用方法=================== 此指标可以适用于任何交易品种,能够用在任何周期。
CChart
Rong Bin Su
Overview In the fast-paced world of forex and financial markets, quick reactions and precise decision-making are crucial. However, the standard MetaTrader 5 terminal only supports a minimum of 1-minute charts, limiting traders' sensitivity to market fluctuations. To address this issue, we introduce the Second-Level Chart Candlestick Indicator , allowing you to effortlessly view and analyze market dynamics from 1 second to 30 seconds on a sub-chart. Key Features Support for Multiple Second-Level
To get access to MT4 version please click   here . This is the exact conversion from TradingView: QQE MT4 Glaz-modified by JustUncleL This is a light-load processing and non-repaint indicator. All input options are available. This is not a multi time frame indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Buy Sell Visual MTF
Naththapach Thanakulchayanan
This MT5 indicator, Bull Bear Visual MTF (21 Time Frames), summarize the strength color graphic and percentages of power for both  Bull and Bear in current market emotion stage which will show you in multi time frames and sum of the total Bull and Bear power strength which is an important information for traders especially you can see all Bull and Bear power in visualized graphic easily, Hope it will be helpful tool for you for making a good decision in trading.
Balanced Price Range BPR Indicator ICT MT5 The Balanced Price Range BPR Indicator ICT MT5 is a specialized tool within the ICT trading framework in MetaTrader 5. This indicator detects the overlap between two Fair Value Gaps (FVG), helping traders identify key price reaction areas. It visually differentiates market zones by marking bearish BPRs in brown and bullish BPRs in green, offering valuable insights into market movements.   Balanced Price Range Indicator Overview The table below outlines
FREE
The PriceActionOracle indicator greatly simplifies your trading decision-making process by providing accurate signals about market reversals. It is based on a built-in algorithm that not only recognizes possible reversals, but also confirms them at support and resistance levels. This indicator embodies the concept of market cyclicality in a form of technical analysis. PriceActionOracle tracks the market trend with a high degree of reliability, ignoring short-term fluctuations and noise around
This is a two in one indicator implementation of Average Directional Index based on heiken ashi and normal candles. Normal candles and Heiken Ashi is selectable via input tab. The other inputs are ADX smoothing and DI length. This indicator lets you read the buffers: +di: buffer 6 -di: buffer 7 -adx: buffer 10 Note: This is a non-repaint indicator with light load processing. - You can message in private chat for further changes you need.
The indicator determines a special pattern of Joe Dinapoli. It gives very high probability buy and sell signals. Indicator does not repaint. Indicator Usage Buy Signal ''B'' Entry : Market buy order at signal bar close Stop : Low of signal bar Take Profit : First swing high Sell Signal ''S'' Entry : Market sell order at signal bar close Stop : High of signal bar Take Profit : First swing low Indicator Parameters Fast EMA : External Parameter (should be kept as default) Slow EMA: External Param
CAD Sniper X MT5
Mr James Daniel Coe
4.9 (10)
BUILDING ON THE SUCCESS OF MY POPULAR FREE EA 'CAD SNIPER'... I PRESENT CAD SNIPER X! THOUSANDS MORE TRADES | NO BROKER LIMITATIONS | BETTER STATISTICS | MULTIPLE STRATEGIES Send me a PRIVATE MESSAGE after purchase for the manual and a free bonus TWO STRATEGIES IN ONE FOR AUDCAD, NZDCAD, GBPCAD and CADCHF Strategy 1 can be used with any broker, trades much more frequently and is the default strategy for CAD Sniper X. It's shown robust backtest success for many years and is adapted from ot
Boom 600 Precision Spike Detector The Boom 600 Precision Spike Detector is your ultimate tool for trading the Boom 600 market with precision and confidence. Equipped with advanced features, this indicator helps you identify potential buy opportunities and reversals, making it an essential tool for traders aiming to capture spikes with minimal effort. Key Features: Non-Repainting Signals: Accurate, non-repainting signals that you can trust for reliable trading decisions. Audible Alerts: Stay on t
Revera
Anton Kondratev
5 (1)
REVERA EA   est un outil ouvert multi-devises, flexible, entièrement automatisé et multi-facettes pour identifier les vulnérabilités du marché pour EURUSD + AUDUSD + AUDCAD ! Not        Grid       , Not        Martingale       , Not         AI         , Not         Neural Network ,     Not       Arbitrage . Default     Settings for One Сhart     EURUSD M15 GUIDE REVERA Signaux Remboursement du courtier en commission Mises à jour Mon blog Only 2 Copy of 10 Left  for 290 $ Next Price 590 $  Ce  
Explosive Breakout Hunter est un Expert Advisor (EA) conçu pour maximiser les profits en capturant des cassures puissantes. Avec un taux de réussite d’environ 50 % et seulement quelques entrées par mois, cet EA privilégie la qualité plutôt que la quantité. Il attend patiemment les meilleures opportunités et accumule des gains importants de manière régulière. Découvrez le potentiel de cet EA en consultant les résultats des backtests dans les captures d’écran. N’hésitez pas également à essayer la
Cet indicateur de tendance à plusieurs périodes et à plusieurs symboles envoie une alerte lorsqu'une forte tendance ou un renversement de tendance a été identifié. Il peut le faire en choisissant de construire le tableau de bord à l'aide de la moyenne mobile (simple ou double (crossover MA)), RSI, bandes de Bollinger, ADX, indice composite (Constance M. Brown), Awesome (Bill Williams), MACD (ligne de signal ), Heiken Ashi lissé, moyenne mobile de Hull, croisements stochastiques, Gann HiLo Activa
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Breakout Finder" by "LonesomeTheBlue". The screenshot shows similar results from tradingview and Metatrader. This is a medium-load processing indicator. Updates are calculated per candle. This is a non-repaint indicator. The major 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
FREE
Découvrez les véritables motifs cachés du marché avec le système de trading PREDATOR AURORA — le boss final des indicateurs de trading hybrides. Voyez ce que les autres ne voient pas ! Le système de trading PREDATOR AURORA est une puissance conçue pour ceux qui refusent de se cacher dans l'ombre de la médiocrité. Ce n'est pas juste un autre indicateur ; c'est le code de triche ; c'est votre avantage déloyal, un système de chasse hybride sophistiqué qui suit les mouvements du marché avec une
Seasonal Pattern Trader
Dominik Patrick Doser
Disclaimer : Keep in mind that seasonal patterns are not always reliable. Therefore, thoughtful risk management is crucial to minimize losses.  Seasonal patterns in the financial world are like a well-guarded secret that successful investors use to their advantage. These patterns are recurring price movements that occur during specific periods or around special events. Additionally, there are also intraday patterns that repeat. For example, Uncle Ted from Forex Family suggests examining previou
Les acheteurs de ce produit ont également acheté
Trend Screener Pro MT5
STE S.S.COMPANY
4.85 (79)
Indicateur de tendance, solution unique révolutionnaire pour le trading et le filtrage des tendances avec toutes les fonctionnalités de tendance importantes intégrées dans un seul outil ! Il s'agit d'un indicateur multi-période et multi-devises 100 % non repeint qui peut être utilisé sur tous les symboles/instruments : forex, matières premières, crypto-monnaies, indices et actions. Trend Screener est un indicateur de suivi de tendance efficace qui fournit des signaux de tendance fléchés avec des
Описание индикатора MONEY Индикатор MONEY предназначен для анализа волатильности и выявления значительных рыночных движений (всплесков). Он использует ATR (Average True Range) для определения момента, когда цена выходит за пределы обычного диапазона, и сигнализирует об этом трейдеру с помощью стрелок на графике. Основные параметры: • Минимальное количество свечей – задает период для анализа всплесков. • Алерты (уведомления) – включение или отключение звуковых и текстовых сигналов. • Период AT
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.88 (17)
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
Algo Pumping
Ihor Otkydach
5 (4)
PUMPING STATION – Votre stratégie personnelle «tout compris» Nous vous présentons PUMPING STATION – un indicateur Forex révolutionnaire qui transformera votre façon de trader en une expérience à la fois efficace et passionnante. Ce n’est pas seulement un assistant, mais un véritable système de trading complet, doté d’algorithmes puissants pour vous aider à trader de manière plus stable. En achetant ce produit, vous recevez GRATUITEMENT : Fichiers de configuration exclusifs : pour un réglage auto
FX Power MT5 NG
Daniel Stein
5 (13)
FX Power : Analysez la force des devises pour des décisions de trading plus intelligentes Aperçu FX Power est l'outil essentiel pour comprendre la force réelle des principales devises et de l'or, quelles que soient les conditions du marché. En identifiant les devises fortes à acheter et les faibles à vendre, FX Power simplifie vos décisions de trading et révèle des opportunités à forte probabilité. Que vous suiviez les tendances ou anticipiez les retournements à l'aide de valeurs extrêmes de D
Grabber System MT5
Ihor Otkydach
5 (5)
Je vous présente un excellent indicateur technique : Grabber, qui fonctionne comme une stratégie de trading "tout-en-un", prête à l'emploi. En un seul code sont intégrés des outils puissants d'analyse technique du marché, des signaux de trading (flèches), des fonctions d'alerte et des notifications push. Chaque acheteur de cet indicateur reçoit également gratuitement : L'utilitaire Grabber : pour la gestion automatique des ordres ouverts Un guide vidéo étape par étape : pour apprendre à installe
Support And Resistance Screener est dans un indicateur de niveau pour MetaTrader qui fournit plusieurs outils à l'intérieur d'un indicateur. Les outils disponibles sont : 1. Filtre de structure de marché. 2. Zone de repli haussier. 3. Zone de recul baissier. 4. Points pivots quotidiens 5. points pivots hebdomadaires 6. Points pivots mensuels 7. Support et résistance forts basés sur le modèle harmonique et le volume. 8. Zones au niveau de la banque. OFFRE D'UNE DURÉE LIMITÉE : L'indicateur de sup
FX Volume MT5
Daniel Stein
4.82 (17)
FX Volume : Découvrez le Sentiment du Marché tel que perçu par un Courtier Présentation Rapide Vous souhaitez faire passer votre approche de trading au niveau supérieur ? FX Volume vous fournit, en temps réel, des informations sur la manière dont les traders particuliers et les courtiers sont positionnés—bien avant la publication de rapports retardés comme le COT. Que vous visiez des gains réguliers ou recherchiez simplement un avantage plus solide sur les marchés, FX Volume vous aide à repére
FX Levels MT5
Daniel Stein
5 (4)
FX Levels : Des zones de Support et Résistance d’une Précision Exceptionnelle pour Tous les Marchés Présentation Rapide Vous recherchez un moyen fiable pour déterminer des niveaux de support et résistance dans n’importe quel marché—paires de devises, indices, actions ou matières premières ? FX Levels associe la méthode traditionnelle « Lighthouse » à une approche dynamique de pointe, offrant une précision quasi universelle. Grâce à notre expérience réelle avec des brokers et à des mises à jour
Gold Stuff mt5
Vasiliy Strukov
4.93 (178)
Gold Stuff mt5 est un indicateur de tendance conçu spécifiquement pour l'or et peut également être utilisé sur n'importe quel instrument financier. L'indicateur ne se redessine pas et ne traîne pas. Délai recommandé H1. Contactez-moi immédiatement après l'achat pour obtenir les réglages et un bonus personnel !   Vous pouvez obtenir une copie gratuite de notre indicateur Strong Support et Trend Scanner, veuillez envoyer un message privé. moi!   RÉGLAGES Dessiner la flèche - on off. dessiner d
TPSpro RFI Levels MT5
Roman Podpora
4.55 (20)
INSTRUCTIONS       RUS   -   ANGLAIS       Il   est recommandé de l'utiliser avec un indicateur       -       TPSpro   TENDANCE PRO -   Version MT4         Bonus: 6 months of  "RFI SIGNALS"  subscription with your purchase! Un élément clé du trading est constitué par les zones ou les niveaux à partir desquels les décisions d'achat ou de vente d'un instrument de trading sont prises. Malgré les tentatives des principaux acteurs de dissimuler leur présence sur le marché, ils laissent inévitable
Ce tableau de bord affiche les derniers   modèles harmoniques   disponibles pour les symboles sélectionnés, ce qui vous permettra de gagner du temps et d'être plus efficace /   version MT4 . Indicateur gratuit:   Basic Harmonic Pattern Colonnes de l'indicateur Symbol :   les symboles sélectionnés apparaissent Trend   :   haussière ou baissière Pattern :   type de motif (gartley, papillon, chauve-souris, crabe, requin, cypher ou ABCD) Entry:   prix d'entrée SL:   prix du stop loss TP1:   1er
TPSproTREND PrO MT5
Roman Podpora
4.72 (18)
VERSION MT4        —        ИНСТРУКЦИЯ RUS           —        INSTRUCTIONS  ENG Fonctions principales : Signaux d'entrée précis SANS RENDU ! Si un signal apparaît, il reste d’actualité ! Il s'agit d'une différence importante par rapport aux indicateurs de redessinage, qui peuvent fournir un signal puis le modifier, ce qui peut entraîner une perte de fonds en dépôt. Vous pouvez désormais entrer sur le marché avec plus de probabilité et de précision. Il existe également une fonction de coloration
IX Power MT5
Daniel Stein
4.86 (7)
IX Power : Découvrez des insights de marché pour les indices, matières premières, cryptomonnaies et forex Vue d’ensemble IX Power est un outil polyvalent conçu pour analyser la force des indices, matières premières, cryptomonnaies et symboles forex. Tandis que FX Power offre une précision maximale pour les paires de devises en utilisant toutes les données disponibles, IX Power se concentre exclusivement sur les données du symbole sous-jacent. Cela fait de IX Power un excellent choix pour les m
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Matrix Arrow Indicator MT5   est une tendance unique 10 en 1 suivant un indicateur multi-période   100% non repeint   qui peut être utilisé sur tous les symboles/instruments:   forex ,   matières premières ,   crypto-monnaies ,   indices ,  actions .  Matrix Arrow Indicator MT5  déterminera la tendance actuelle à ses débuts, en rassemblant des informations et des données à partir d'un maximum de 10 indicateurs standard, qui sont: Indice de mouvement directionnel moyen (ADX) Indice de canal de m
Trend Line Map Pro MT5
STE S.S.COMPANY
4.09 (11)
Trend Line Map indicator is an addons for   Trend Screener Indicator . It's working as a scanner for all signals generated by Trend screener ( Trend Line Signals ) . It's a Trend Line Scanner based on Trend Screener Indicator.  If you don't have Trend Screener Pro Indicator,   the Trend Line Map Pro will not work.     LIMITED TIME OFFER : Trend Line Map Indicator is available for only 50 $ and lifetime. ( Original price 125$ ) By accessing to our MQL5 Blog,  you can find all our premium indicat
Quantum TrendPulse
Bogdan Ion Puscasu
5 (13)
Présentation de   Quantum TrendPulse   , l'outil de trading ultime qui combine la puissance de   SuperTrend   ,   RSI   et   Stochastic   dans un seul indicateur complet pour maximiser votre potentiel de trading. Conçu pour les traders qui recherchent précision et efficacité, cet indicateur vous aide à identifier les tendances du marché, les changements de dynamique et les points d'entrée et de sortie optimaux en toute confiance. Caractéristiques principales : Intégration SuperTrend :   suivez f
FX Dynamic : Suivez la volatilité et les tendances grâce à une analyse ATR personnalisable Vue d’ensemble FX Dynamic est un outil performant s’appuyant sur les calculs de l’Average True Range (ATR) pour fournir aux traders des informations incomparables sur la volatilité quotidienne et intrajournalière. En définissant des seuils de volatilité clairs — par exemple 80 %, 100 % et 130 % — vous pouvez rapidement repérer des opportunités de profit ou recevoir des avertissements lorsque le marché dé
CBT Quantum Maverick Système de Trading Binaire Haute Efficacité CBT Quantum Maverick est un système de trading binaire hautement performant, conçu pour les traders recherchant précision, simplicité et discipline. Aucune personnalisation n'est nécessaire : ce système est optimisé pour des résultats efficaces dès son installation. Avec un peu de pratique, il est facile de maîtriser les signaux. Caractéristiques principales : Précision des signaux : Signaux basés sur la bougie actuelle, ciblant
- Lifetime update free Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 - Non-repaint - I just sell my products in Elif Kaya Profile, any other websites are stolen old versions, So no any new updates or support. Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breako
Tout d'abord, il convient de souligner que cet outil de trading est un indicateur non repeint, non redessiné et non retardé, ce qui le rend idéal pour le trading professionnel. Cours en ligne, manuel utilisateur et démonstration. L'indicateur Smart Price Action Concepts est un outil très puissant à la fois pour les nouveaux et les traders expérimentés. Il regroupe plus de 20 indicateurs utiles en un seul, combinant des idées de trading avancées telles que l'analyse du trader Inner Circle et le
Trend Hunter MT5
Andrey Tatarinov
5 (2)
Trend Hunter est un indicateur de tendance pour travailler sur les marchés du Forex, des cryptomonnaies et des CFD. Une particularité de l'indicateur est qu'il suit la tendance avec confiance, sans changer le signal lorsque le prix dépasse légèrement la ligne de tendance. L'indicateur n'est pas redessiné; un signal d'entrée sur le marché apparaît après la fermeture de la barre. Lorsque vous suivez une tendance, l'indicateur affiche des points d'entrée supplémentaires dans la direction de la te
Tout d'abord, il convient de souligner que ce système de trading est un indicateur non repeint, non redessiné et non retardé, ce qui le rend idéal pour le trading manuel et automatisé. Cours en ligne, manuel et téléchargement de préréglages. Le "Système de Trading Smart Trend MT5" est une solution de trading complète conçue pour les traders débutants et expérimentés. Il combine plus de 10 indicateurs premium et propose plus de 7 stratégies de trading robustes, ce qui en fait un choix polyvalent
Royal Scalping Indicator M5
Vahidreza Heidar Gholami
5 (6)
Royal Scalping Indicator is an advanced price adaptive indicator designed to generate high-quality trading signals. Built-in multi-timeframe and multi-currency capabilities make it even more powerful to have configurations based on different symbols and timeframes. This indicator is perfect for scalp trades as well as swing trades. Royal Scalping is not just an indicator, but a trading strategy itself. Features Price Adaptive Trend Detector Algorithm Multi-Timeframe and Multi-Currency Trend Low
Gold Trend 5
Sergei Linskii
3.5 (2)
Gold Trend - il s'agit d'un bon indicateur technique boursier. L'algorithme de l'indicateur analyse le mouvement du prix d'un actif et reflète la volatilité et les zones d'entrée potentielles. Les meilleurs signaux de l'indicateur: - Pour la VENTE = histogramme rouge + pointeur SHORT rouge + flèche de signalisation jaune dans la même direction. - Pour l'ACHETER = histogramme bleu + pointeur LONG bleu + flèche de signalisation aqua dans la même direction. Avantages de l'indicateur: 1. L'in
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  
Atomic Analyst MT5
Issam Kassas
4.32 (19)
Tout d'abord, il convient de souligner que cet indicateur de trading n'est ni repainting, ni redrawing et ne présente aucun délai, ce qui le rend idéal à la fois pour le trading manuel et automatisé. Manuel de l'utilisateur : réglages, entrées et stratégie. L'Analyste Atomique est un indicateur d'action sur les prix PA qui utilise la force et le momentum du prix pour trouver un meilleur avantage sur le marché. Équipé de filtres avancés qui aident à éliminer les bruits et les faux signaux, et à
ATrend
Zaha Feiz
4.77 (13)
ATREND ATREND : Comment ça fonctionne et comment l'utiliser Comment ça fonctionne L'indicateur "ATREND" pour la plateforme MT5 est conçu pour fournir aux traders des signaux d'achat et de vente robustes en utilisant une combinaison de méthodologies d'analyse technique. Cet indicateur s'appuie principalement sur la plage vraie moyenne (ATR) pour mesurer la volatilité, ainsi que sur des algorithmes de détection de tendance pour identifier les mouvements potentiels du marché. Laissez un message ap
Timeframes Trend Scanner   is a trend analyzer or trend screener indicator that helps you know the trend in   all timeframes of selected symbol you are watching . This indicator provides clear & detailed analysis results on a beautiful dashboard, let you able to use this result right away without need to do any additional analysis. How it works Step 1: Calculate values of 23 selected & trusted technical indicators (Oscillator & Moving Average indicators) Step 2: Analyze all indicators using bes
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
Plus de l'auteur
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade tra
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
FREE
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 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 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
Vortex Indicator
Yashar Seyyedin
5 (1)
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
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 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
GoldTrader
Yashar Seyyedin
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangin
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
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.
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
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 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
To get access to MT5 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 sample code of EA that operates
To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
To 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 get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
To download MT5 version please click  here . 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
MacroTrendTrader
Yashar Seyyedin
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
- 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
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 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
Filtrer:
Aucun avis
Répondre à l'avis
Version 1.10 2024.08.25
Fixed a bug!