• Обзор
  • Отзывы
  • Обсуждение

VolATR by barrettdenning

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 on signals from indicator:

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

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

input group "VOLATR setting"
input int atrPeriod = 20;//Period
input double atrMultiplier = 4;//Multiplier
input int len2 = 20; //Smooth
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input int vol_length = 20; //Volume SMA length

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_volatr=iCustom(_Symbol, PERIOD_CURRENT, "Market\\VolATR by barrettdenning", atrPeriod, atrMultiplier, len2, src, vol_length);
   if(handle_volatr==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

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

bool IsVOLATRSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_volatr, 7, 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;
}


Рекомендуем также
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
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
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Fearzone - Contrarian Indicator" by " Zeiierman ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing and non-repaint indicator. All input options are available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
To 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
Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized , leaving room for you to tailor it to your unique trading preferenc
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that you
To get access to MT4 version please click here . This is the exact conversion from TradingView:"Heikin Ashi RSI Oscillator" by "jayRogers" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. I removed colored areas option to fit into metatrader graphics. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Введение в Smart Engulfing MT5: Войдите в мир изысканной торговли с Smart Engulfing MT5 - вашим профессиональным индикатором для выявления высококлассных моделей поглощения. Разработанный с учетом точности и простоты использования, этот инструмент создан исключительно для пользователей MetaTrader 5. Обнаруживайте прибыльные торговые возможности легко, поскольку Smart Engulfing MT5 направляет вас с помощью оповещений, стрелок и трех различных уровней прибыли, делая его идеальным спутником для тр
To get access to MT4 version please click   here . This is the exact conversion from TradingView: "ZLSMA - Zero Lag LSMA" by "veryfid". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
General Description In the simplest terms this is a contrarian intra-day scalping system. Built to try and let correct trades run as far as possible and flip the trade when indicated. The indicator looks at historical daily trading ranges to lay out levels at which it takes long and short positions based on the statistical levels. The indicator is built around index futures, mainly around S&P and the DOW but can be used an any futures contract mainly using AMP Futures to trade. The indicator is
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
To get access to MT4 version please contact via private message. This is the exact conversion from TradingView:"ATR Trailing Stoploss" by "ceyhun" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle option is not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Все 11  индикаторов быстро отключаются и быстро включаются! Набор индикаторов: 2 индикатора "TREND" : - быстрый = линия 4 цвета - медленный = точки 4 цвета Раскраска индикаторов зависит от  направления тренда и показателя RSI: 1) тренд вверх и RSI<50% 2) тренд вверх и RSI>50% 3) тренд вниз RSI<50% 4) тренд вниз RSI > 50% Настройте периоды индикаторов для каждого из таймфреймов: M5  M10  M15  M30  H1  H2  H4  H6  H12  D1  W1  MN Не входите в сделки, если хотя бы 1 из индикаторов имеет гориз
Price Movement Classification Categorizes movements as significant/insignificant Tracks both direction and magnitude Considers volume in analysis Market Condition Identification Buying Pressure: More significant green candles Selling Pressure: More significant red candles Neutral Conditions: Balanced or low volatility Visual Representation Boxes show trading ranges Labels provide detailed statistics Color transitions mark significant changes Use Cases Market Analysis Identify hourly trading pat
An invention that will turn your working principles upside down. Especially in horizontal and stagnant markets, annoying losses can occur. Besides, following trend lines, support and resistance can be tiring. To put an end to all this, I decided to create a professional "moving average" indicator. All you have to do is follow the colors. If you need additional support, I recommend the "Heiken-Ashi" candle indicator in my profile. I wish you lots of profit..
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
The indicator monitors the Dinapoli MACD trend in multiple timeframes for the all markets filtered and shows the results on Dashboard. Key Features Indicator can be used for all markets Monitors every timeframe, from 1 Min to Monthly Parameters UseMarketWatch: Set true to copy all symbols available in market watch MarketWatchCount : Set the number of symbols that you want to copy from the market watch list. CustomSymbols: Enter the custom symbols that you want to be available in dashboard. Ti
- 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.
To get access to MT4 version please click here . This is the exact conversion from TradingView: " Impulse MACD" by LazyBear. This is a light-load processing and non-repaint indicator. All input options are available except candle coloring option. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
Surf Board
Mohammadal Alizadehmadani
Benefits of the Surfboard indicator : Entry signals without repainting If a signal appears and is confirmed, it does NOT disappear anymore, unlike indicators with repainting, which lead to major financial losses because they can show a signal and then remove it. perfect opening of trades The indicator algorithms allow you to find the Peak and floor position to enter a deal (buy or sell an asset), which increases the success rate for each and every trader using it. Surfboard works with any asset
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 new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
Holiday Sales Zones Indicator The Zones Indicator is your everyday Trading tool that  leverages advanced algorithms, including ICT institutional concepts like order blocks , engulfing candle patterns , and Level interactions , to identify critical levels of supply and demand (Resistance & Support). Visual signals are generated and clearly marked on the chart, providing a straightforward guide for traders to spot key opportunities. Key Features Advanced Algorithmic Analysis : Identifies supply
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
The Squat is a function of the range of a given price bar and the volume, or TIC volume, that occurs while that range is being created. The basic idea is that high volume and little price movement indicate substantial support or resistance. The idea behind the approach to this indicator is to first look for likely Fibonacci support and resistance and then see if Squat manifests when that point is reached. The indicator determines one of the high probability patterns of DiNapoli. It does not re
Adjustable Consecutive Fractals  looks for 2 or more fractals in one direction and sends out a on screen alert, sound alert and push notification, for strong reversal points . Adjustable Consecutive Fractals, shows the fractals on chart along with a color changing text for buy and sell signals when one or more fractals appear on one side of price. Adjustable Consecutive Fractals is based Bill Williams Fractals . The standard Bill Williams fractals are set at a non adjustable 5 bars, BUT withe th
This pass-band oscillator seeks to pass-band out both high and low frequencies from market data to eliminate wiggles from the resultant signal thus significantly reducing lag. This pass-band indicator achieves this by using 2 differenced EMA's of varying periods. (40 and 60). Trigger points for the pass-band oscillator are added with a RMS cyclic envelope over the Signal line. Output of the pass-band waveform is calculated by summing its square over the last 50 bars and taking the square root of
To get access to MT4 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame.  Buffers are available for processing in EAs. Extra option to show buy and sel
Royal Wave Pro M5
Vahidreza Heidar Gholami
3.5 (4)
Royal Wave is a Trend-Power oscillator which has been programmed to locate and signal low-risk entry and exit zones. Its core algorithm statistically analyzes the market and generates trading signals for overbought, oversold and low volatile areas. By using a well-designed alerting system, this indicator makes it easier to make proper decisions regarding where to enter and where to exit trades. Features Trend-Power Algorithm Low risk Entry Zones and Exit Zones Predictions for Overbought and Over
Сейчас 147 долл. США (увеличиваясь до 499 долл. США после нескольких обновлений) - неограниченные учетные записи (ПК или Mac) Руководство пользователя + Обучающие видео + Доступ к приватному Discord-каналу + VIP-статус и мобильная версия + Лицензия на 5 ПК с неограниченным количеством аккаунтов и терминалов MT4. Сколько раз вы покупали индикатор торговли с замечательными обратными тестами, доказательствами производительности на живых счетах и зашикарными цифрами и статистикой, но после исполь
С этим продуктом покупают
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
FX Volume MT5
Daniel Stein
4.72 (18)
FX Volume: Оцените подлинную динамику рынка глазами брокера Краткий обзор Хотите вывести свою торговлю на новый уровень? FX Volume дает вам информацию в реальном времени о том, как розничные трейдеры и брокеры распределяют свои позиции — задолго до появления запаздывающих отчетов типа COT. Независимо от того, стремитесь ли вы к стабильной прибыли или ищете дополнительное преимущество на рынке, FX Volume поможет выявлять крупные дисбалансы, подтверждать пробои и совершенствовать управление риск
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.86 (14)
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
FX Power: Анализируйте силу валют для более эффективной торговли Обзор FX Power — это ваш незаменимый инструмент для понимания реальной силы валют и золота в любых рыночных условиях. Определяя сильные валюты для покупки и слабые для продажи, FX Power упрощает принятие торговых решений и выявляет высоковероятные возможности. Независимо от того, хотите ли вы следовать за трендами или предсказывать развороты с использованием экстремальных значений дельты, этот инструмент идеально адаптируется под
IX Power MT5
Daniel Stein
4.83 (6)
IX Power: Получите рыночные инсайты для индексов, сырьевых товаров, криптовалют и форекс Обзор IX Power — это универсальный инструмент для анализа силы индексов, сырьевых товаров, криптовалют и форекс. В то время как FX Power предлагает наивысшую точность для валютных пар, используя данные всех доступных пар, IX Power фокусируется исключительно на данных рынка базового символа. Это делает IX Power отличным выбором для некорреляционных рынков и надежным инструментом для форекса, если вам не нуж
FX Levels: Исключительно точные уровни поддержки и сопротивления для всех рынков Краткий обзор Ищете надежный способ определить уровни поддержки и сопротивления для любых инструментов—валют, индексов, акций или сырьевых товаров? FX Levels сочетает традиционный «Lighthouse» метод с современным динамическим подходом, обеспечивая почти универсальную точность. Благодаря сочетанию опыта реальных брокеров и автоматических ежедневных плюс «в реальном времени» обновлений, FX Levels поможет вам выявлят
Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретировать. ИНСТРУКЦИЯ RUS         INSTRUCTIONS  ENG           Рекомендуем использовать с индикатором -   TPSpro  TREND PRO -  Version MT4 - Бонус: 6 месяцев подписки н
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! ИНСТРУКЦИЯ RUS         INSTRUCTIONS  ENG       Рекомендуем использовать с  индикатором -  RFI LEVELS Version MT4
Quantum TrendPulse
Bogdan Ion Puscasu
5 (13)
Представляем   Quantum TrendPulse   , совершенный торговый инструмент, который объединяет мощь   SuperTrend   ,   RSI   и   Stochastic   в один комплексный индикатор, чтобы максимизировать ваш торговый потенциал. Разработанный для трейдеров, которые ищут точность и эффективность, этот индикатор помогает вам уверенно определять рыночные тренды, сдвиги импульса и оптимальные точки входа и выхода. Основные характеристики: Интеграция SuperTrend:   легко следуйте преобладающим рыночным тенденциям и п
Скринер поддержки и сопротивления находится в одном индикаторе уровня для MetaTrader, который предоставляет несколько инструментов внутри одного индикатора. Доступные инструменты: 1. Скринер структуры рынка. 2. Зона бычьего отката. 3. Зона медвежьего отката. 4. Ежедневные опорные точки 5. еженедельные опорные точки 6. ежемесячные опорные точки 7. Сильные поддержка и сопротивление, основанные на гармоническом паттерне и объеме. 8. Зоны уровня берега. ПРЕДЛОЖЕНИЕ ОГРАНИЧЕННОЕ ВРЕМЯ: Индикатор подд
Gold Stuff mt5
Vasiliy Strukov
4.92 (173)
Gold Stuff mt5 - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  Свяжитесь со мной сразу после покупки для получения   персонального бонуса!   Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки и мануал  здесь ПАРАМЕТРЫ Draw Arrow -   вкл.выкл. отрисовку стрелок на графике. Al
Bill Williams Advanced предназначен для автоматического анализа графика по системе " Profitunity " Билла Уильямса. Индикатор анализирует сразу четыре таймфрейма. Инструкция/Мануал ( Обязательно читайте перед приобретением ) Преимущества 1. Автоматически анализирует график по системе "Profitunity" Билла Уильямса. Найденные сигналы помещает в таблицу в углу экрана. 2. Оснащён трендовым фильтром по индикатору Аллигатор. Большинство сигналов системы рекомендуется использовать только по тренду. 3. На
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-профи
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Индикатор Matrix Arrow MT5   — это уникальный индикатор тренда 10 в 1, следующий за   100% неперерисовывающимся   индикатором с несколькими таймфреймами, который можно использовать на всех символах/инструментах:   форекс ,  товары ,   криптовалюты ,   индексы ,  акции . Индикатор Matrix Arrow MT5  будет определять текущую тенденцию на ранних этапах, собирая информацию и данные от до 10 стандартных индикаторов, а именно: Индекс среднего направленного движения (ADX) Индекс товарного канала (CCI)
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли концеп
FX Dynamic: Отслеживайте волатильность и тренды с помощью настраиваемого ATR-анализа Обзор FX Dynamic — это мощный инструмент, который использует расчёты среднего истинного диапазона (ATR) для предоставления трейдерам непревзойдённой информации о дневной и внутридневной волатильности. Настраивая понятные пороги волатильности (например, 80%, 100% и 130%), вы можете быстро определять потенциальные возможности для прибыли или получать предупреждения, когда рынок выходит за типичные рамки. FX Dyna
Представляем       Quantum Breakout PRO   , новаторский индикатор MQL5, который меняет ваш способ торговли в зонах прорыва! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Квантовый прорыв PRO       разработан, чтобы поднять ваше торговое путешествие к новым высотам с его инновационной и динамичной стратегией зоны прорыва. Quantum Breakout Indicator покажет вам сигнальные стрелки на зонах прорыва с 5 целевыми зонами прибыли и предложением стоп-лосса на основе поля
Топовый индикатор МТ5, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT4 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его. Б
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным вы
After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!     Easy Breakout MT5   is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the   Breakout strategy ! This indicator delivers crystal-clear Buy and Sell signals based on breakouts from key support and resistance zones. Unlike typical breakout indicators
Gartley Hunter Multi - Индикатор для поиска гармонических моделей одовременно на десятках торговых инструментов и на всех возможных ценовых диапазонах. Инструкция/Мануал ( Обязательно читайте перед приобретением ) | Версия для МТ4 Преимущества 1. Паттерны: Гартли, Бабочка, Акула, Краб. Летучая мышь, Альтернативная летучая мышь, Глубокий краб, Cypher 2. Одновременный поиск паттернов на десятках торговых инструментов и на всех возможных таймфреймах 3. Поиск паттернов всех возможных размеров. От са
Индикатор Trend Line Map является дополнением к индикатору Trend Screener Indicator. Он работает как сканер всех сигналов, генерируемых скринером тренда (сигналы линии тренда). Это сканер линий тренда на основе индикатора Trend Screener. Если у вас нет индикатора Trend Screener Pro, программа Trend Line Map Pro работать не будет. 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 . Зайдя в наш
Это, пожалуй, самый полный индикатор автоматического распознавания гармонического ценообразования, который вы можете найти для платформы MetaTrader. Он обнаруживает 19 различных паттернов, воспринимает проекции Фибоначчи так же серьезно, как и вы, отображает зону потенциального разворота (PRZ) и находит подходящие уровни стоп-лосс и тейк-профит. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Он обнаруживает 19 различных гармонических ценов
Эта панель обнаруживает и отображает на графике зоны   спроса   и   предложения , как в скальпинге, так и в долгосрочном режиме, в зависимости от вашей торговой стратегии для выбранных символов. Кроме того, сканерный режим панели помогает сразу проверить все нужные символы и не пропустить ни одной подходящей позиции /   MT4 версия Бесплатный индикатор:   Basic Supply Demand Особенности Позволяет просматривать торговые возможности по   нескольким валютным парам , давая вам четкое и ясное пред
Contact me  to send you instruction and add you in group. QM (Quasimodo) Pattern is based on Read The Market(RTM) concepts. The purpose of this model is to face the big players of the market (financial institutions and banks), As you know in financial markets, big traders try to fool small traders, but RTM prevent traders from getting trapped. This style is formed in terms of price candles and presented according to market supply and demand areas and no price oscillator is used in it. RTM conc
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  
Dark Absolute Trend   is an Indicator for intraday trading. This Indicator is based on   Trend Following  strategy but use also candlestick patterns and Volatility. We can enter in good price with this Indicator, in order to follow the main trend on the current instrument. It is advised to use low spread ECN brokers. This Indicator does   Not repaint   and   N ot lag . Recommended timeframes are M5, M15 and H1. Recommended working pairs: All. I nstallation and  Update Guide   -  Troubleshooting
CONTACT US  after purchase to get the Indicator Manual. Try Now—Limited 50% Discount for First 10 Buyers! Download the  Metatrader 4 Version Due to regulatory restrictions, our service is unavailable in certain countries such as India, Pakistan, and Bangladesh. William Delbert Gann (W.D. Gann) was an exceptional market analyst, whose trading technique was based on a complex blend of mathematics, geometry, astrology, and ancient mathematics which proved to be extremely accurate. A Note from t
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Suleiman Levels
Suleiman Alhawamdah
5 (1)
Важное примечание: Изображение, показанное на скриншотах, демонстрирует мои 2 индикатора: индикатор "Уровни Сулеймана" и индикатор "RSI Trend V". Я рекомендовал использовать его вместе с индикатором "RSI Trend V1", особенно для подтверждения и совпадения с цветным облаком, а также для сигналов стрелок, в дополнение к важности индикатора Фибоначчи и его прикрепленных выдающихся уровней : https://www.mql5.com/en/market/product/132080 Индикатор "Уровни Сулеймана" — это продвинутый, универсальный п
Другие продукты этого автора
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
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: "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
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
FREE
To 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
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.
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
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 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 MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangin
FREE
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download 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
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
To download MT5 version please click  here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
To download 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.
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.
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
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "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
For MT4 version please click  here . - This is the exact conversion from TradingView source: "Squeeze Momentum Indicator" By "LazyBear". - 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. 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 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
To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
To download MT5 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
FREE
To download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
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
Фильтр:
Нет отзывов
Ответ на отзыв