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

VolATR by barrettdenning

To get access to MT4 version please click here.

  • This is the exact conversion from TradingView: "VolATR" by "barrettdenning"
  • 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;
}


Рекомендуем также
Этот индикатор покажет вам значения TP и SL (в этой валюте), которые вы уже установили для каждого ордера на графиках (закрытые от линии транзакции/ордера), что очень поможет вам оценить вашу прибыль и убыток для каждого ордера. И он также показывает вам значения PIP. Показанный формат - «Валютные значения нашей прибыли или убытка / значений PIP». Значение TP будет отображаться зеленым цветом, а значение SL — красным. По любым вопросам или для получения дополнительной информации, пожалуйста,
Pmax
Celal Engin Baka
PMax is a brand new indicator developed by KivancOzbilgic in earlier 2020. It's a combination of two trailing stop loss indicators; One is Anıl Özekşi's MOST (Moving Stop Loss) Indicator and the other one is well known ATR based SuperTrend. Both MOST and SuperTrend Indicators are very good at trend following systems but conversely their performance is not bright in sideways market conditions like most of the other indicators. Profit Maximizer - PMax tries to solve this problem.   PMax
Your Trend Friend
Luigi Nunes Labigalini
5 (1)
The trend is your friend! Look at the color of the indicator and trade on that direction. It does not  repaint. After each candle is closed, that's the color of the trend. You can focus on shorter faster trends or major trends, just test what's most suitable for the symbol and timeframe you trade. Simply change the "Length" parameter and the indicator will automatically adapt. You can also change the color, thickness and style of the lines. Download and give it a try! There are big movements
Версия MT4   |   FAQ Индикатор Owl Smart Levels – это полноценная торговая система внутри одного индикатора, которая включает в себя такие популярные инструменты анализа рынка как усовершенствованные фракталы Билла Вильямса , Valable ZigZag, который строит правильную волновую структуру рынка, а также  уровни Фибоначчи, которые   отмечают точные уровни входа в рынок и места взятия прибыли. Подробное описание стратегии Инструкция по работе с индикатором Советник-помошник в торговле Owl Helper При
Способ применения Pair Trading Station Рекомендуется использовать Pair Trading Station на таймфрейме H1 с любой валютной парой. Чтобы получить сигналы на покупку и продажу, следуйте указанным ниже инструкциям по применению Pair Trading Station в терминале MetaTrader. При загрузке Pair Trading Station на график индикатор оценит доступные исторические данные на вашей платформе MetaTrader для каждой валютной пары. В самой начале на графике отобразятся исторические данные, доступные для каждой валют
Этот индикатор находит AB = шаблоны восстановления CD. Паттерн AB = CD Retracement представляет собой 4-точечную ценовую структуру, в которой начальный ценовой сегмент частично восстановлен и сопровождается равноудаленным движением от завершения отката, и является базовой основой для всех гармонических паттернов. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Настраиваемые размеры рисунков Настраиваемые соотношения AC и BD Настраиваемы
KF-BB Professional Bollinger Bands with Alert. Bollinger bands available in the market are mostly drawn based on simple moving average . KF-BB is the first bollinger bands that can draw the center line using all the usual methods simple , exponential, etc. A very professional indicator, it does not end here other advantages of this indicator include creating an alarm on the desktop and the mobile phone When the candlesticks hit one of the center lines or the upper and lower bands Features in
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли конц
KT Renko Patterns MT5
KEENBASE SOFTWARE SOLUTIONS
KT Renko Patterns scans the Renko chart brick by brick to find some famous chart patterns that are frequently used by traders across the various financial markets. Compared to the time-based charts, patterns based trading is easier and more evident on Renko charts due to their uncluttered appearance. KT Renko Patterns features multiple Renko patterns, and many of these patterns are extensively explained in the book titled Profitable Trading with Renko Charts by Prashant Shah. A 100% automate
WanaScalper
Isaac Wanasolo
1 (1)
A scalping indicator based on mathematical patterns, which on average gives signals with relatively small SL, and also occasionally helps to catch big moves in the markets (more information in the video) This indicator has three main types of notifications: The first type warns of a possible/upcoming signal on the next bar The second type indicates the presence of a ready signal to enter the market/open a position The third type is for SL and TP levels - you will be notified every time price r
Усовершенствованная Мультитаймфреймовая версия скользящей средней Хала (Hull Moving Average - HMA). Особенности Две линии индикатора Халла разных таймфреймов на одном графике. Линия HMA старшего таймфрейма определяет тренд, а линия HMA текущего таймфрейма - краткосрочные ценовые движения. Графическая панель с данными индикатора HMA на всех таймфреймах одновременно. Если на каком-либо таймфрейме HMA переключил свое направление, на панели отображается вопросительный или восклицательный знак с тек
Magic Finger can help you identify trends and trading opportunities clearly. The finger points to the open position signal, and the discoloration line is confirmed by the trend. If you are a day trader, you can choose to trade during a period of active trading, referring to the discoloration line as the basis for the next order, finger signal as a filter. If you are a trend trader, you can choose a period above H1, wait for the appearance of the finger signal in the key price area, and enter t
ATrend
Zaha Feiz
4.83 (6)
ATREND: Как это работает и как его использовать Как это работает Индикатор "ATREND" для платформы MT5 разработан для предоставления трейдерам надежных сигналов на покупку и продажу с использованием комбинации методов технического анализа. Этот индикатор в первую очередь использует среднюю истинную амплитуду (ATR) для измерения волатильности, наряду с алгоритмами обнаружения тренда для выявления потенциальных движений рынка. Оставьте сообщение после покупки и получите специальный бонусный подаро
Индикатор Trend Detect сочетает в себе особенности как трендовых индикаторов, так и осцилляторов. Индикатор является удобным инструментом для выявления краткосрочных рыночных циклов и определения уровней перекупленности или перепроданности рынка. Длинную позицию можно открывать, когда индикатор начинает выходить из зоны перепроданности и пробивает нулевой уровень снизу вверх. Короткую позицию можно открывать, когда индикатор начинает выходить из зоны перекупленности и пробивает нулевой урове
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
A powerful oscillator that provide Buy and Sell signals by calculating the investor liquidity. The more liquidity the more buy possibilities. The less liquidity the more sell possibilities. Please download the demo and run a backtest! HOW IT WORKS: The oscillator will put buy and sell arrow on the chart in runtime only . Top value is 95 to 100 -> Investors are ready to buy and you should follow. Bottom value is 5 to 0 -> Investors are ready to sell and you should follow. Alert + sound will app
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 
Upgraded - Stars added to indentify Areas you can scale in to compound on your entry  when buying or selling version 2.4 Upgraded Notifications and alerts added version 2.3 *The indicator is suitable for all pairs fromm  Deriv pairs (Vix,jump,boom & crash indices) , Currencies, cryptos , stocks(USA100, USA30 ), and metals like gold etc. How does it work? Increasing the period make it more stable hence will only focus on important entry points However  lowering the period will mean the indica
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation.
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
Best Scalper Oscillator - индикатор для MetaTrader 5 , работающий на основе математических расчетов по ценовому графику. Это один из наиболее распространенных и полезных индикаторов для нахождения точек разворота тренда.  Best Scalper Oscillator  оснащен несколькими типами уведомлений (на телефон, почта, алерт), что позволит своевременно открыть сделку.  Отличительные особенности Дает минимум ложных сигналов; Отлично находит развороты трендов; Прекрасно подходит для скальпинга; Прекрасно подх
Here is a version for MetaTrader 5 of the famous Wave Trend indicator. Introducing the Wave Trend Oscillator Indicator for MT5 We are excited to present our Wave Trend Oscillator Indicator, exclusively designed for MetaTrader 5. This advanced tool is a must-have for traders who seek precision and efficiency in their trading journey. Our oscillator is built on the principles of wave trend analysis, capturing the ebb and flow of market trends with unparalleled accuracy. It helps traders identify p
Индикатор тренда Antique Trend - революционное решение для торговли по трендам и фильтрации со всеми важными функциями инструмента тренда, встроенными в один инструмент! Индикатор Antique Trend хорош для любого трейдера, подойдет любому трейдеру как для форекс так и для бинарных опционов. Ничего настраивать не нужно все отточено времинем и опытом, отлично работает на во время флета та и в тренде. Индикатор тренда Antique Trend это инструмент технического анализа финансовых рынков, отражающий
Это инновационный индикатор измерения силы валют от INFINITY является незаменимым помощником для скальперов и трейдеров торгующих в долгую. Система анализа Силы/слабости валют давно известна и применяется на рынке ведущими трейдерами мира. Любая арбитражная торговля не обходится без этого анализа. Наш индикатор легко определяет силу базовых валют по отношению друг к другу. Он выводит линейные графики по всем или по текущей паре валют, позволяя проводить мгновенный анализ и поиск наиболее силь
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
- This is the exact conversion from TradingView: "Support/Resistance" By "BarsStallone". - This indicator lets you read the buffers for R/S values. - This is a non-repaint and light processing load indicator. - This is not a multi time frame indicator If you want the multi time frame version you should create a personal order and I deliver two files that you need them both to have the multi time frame indicator running on your system. - The MT4 version of the indicator is not light load from pr
SMT (Smart Money Technique) Divergence refers to the price divergence between correlated assets or their relationship to inversely correlated assets.  By analyzing SMT Divergence, traders can gain insights into the market's institutional structure and identify whether smart money is accumulating or distributing assets.  Every price fluctuation should be confirmed by market symmetry, and any price asymmetry indicates an SMT Divergence, suggesting a potential trend reversal. MT4 Version -  https:/
DYJ TRADINGVIEW — это многоиндикаторная рейтинговая система, использующая подсчет рейтинговых сигналов и инструменты анализа для поиска возможностей входа на мировые рынки. DYJ TRADINGVIEW имеет 10 встроенных индикаторов для анализа рынка. Анализ на основе индикаторов используется многими трейдерами, чтобы помочь им принять решение о том, какие сделки заключать и где входить и выходить из них. Мы используем несколько разных типов, которые могут хорошо дополнять друг друга. Используйте нас, чтобы
Oscillator trading signals - это динамический индикатор, определяющий состояние к продолжению тенденции роста или падению цены торгового инструмента и отсечению зон с нежелательной торговлей. Индикатор состоит из 2 линий осцилляторов. Медленная и быстрая сигнальная линия.  Шкала отображения перевернутая. Зоны вблизи 0 свидетельствуют о тенденции роста цены валютной пары. Зоны -100 свидетельствуют о падении цены валютной пары. На основном графике в виде стрелок отображается потенциально выгодные
Индикатор паттернов 24 и 26 ("Голова и плечи") из книги Томас Н. Булковский "Полная энциклопедия графических ценовых моделей". Параметры: Alerts - Включение алертов при появлении стрелки   Push - Отправка Push-уведомления при появлении стрелки (требуется настройка в терминале) PeriodBars - Период индикатора K - Дополнительный параметр влияющий на точность распознавания и форму паттерна ArrowType - Значок: от 1 до 17 ArrowVShift - Сдвиг значков по вертикали в пикселях   ShowLevels - Показывать
С этим продуктом покупают
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! Version MT4                ПОЛНОЕ ОПИСАНИЕ ИНДИКАТОРА          Рекомендуем использовать с  индикатором -  RFI LEVE
Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретировать. INSTRUCTIONS     RUS   -    ENG                    Рекомендуем использовать с индикатором -   TPSpro  TREND PRO -  Version MT4 Основные функции: Отображения а
Представляем   Quantum TrendPulse   , совершенный торговый инструмент, который объединяет мощь   SuperTrend   ,   RSI   и   Stochastic   в один комплексный индикатор, чтобы максимизировать ваш торговый потенциал. Разработанный для трейдеров, которые ищут точность и эффективность, этот индикатор помогает вам уверенно определять рыночные тренды, сдвиги импульса и оптимальные точки входа и выхода. Основные характеристики: Интеграция SuperTrend:   легко следуйте преобладающим рыночным тенденциям и п
FX Levels - это исключительно точный индикатор поддержки и сопротивления, объединяющий традиционный метод Lighthouse с инновационным динамическим подходом и безупречно работающий на всех торговых инструментах. Это касается и валютных пар, и индексов, и акций, и сырьевых товаров. FX Levels определяет точки разворота и отображает их на графике, которые могут быть идеально использованы в качестве целей прибыли в вашей торговой деятельности. При разработке FX Levels мы использовали наш богатый опыт
Atbot
Zaha Feiz
4.89 (38)
AtBot: Как это работает и как его использовать ### Как это работает Индикатор "AtBot" для платформы MT5 генерирует сигналы на покупку и продажу, используя комбинацию инструментов технического анализа. Он интегрирует простую скользящую среднюю (SMA), экспоненциальную скользящую среднюю (EMA) и индекс средней истинной амплитуды (ATR) для выявления торговых возможностей. Кроме того, он может использовать свечи Heikin Ashi для повышения точности сигналов. Оставьте отзыв после покупки и получите спе
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-про
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным
Получайте ежедневную информацию о рынке с подробностями и скриншотами через наш утренний брифинг здесь, на mql5 , и в Telegram ! FX Power MT5 NG - это новое поколение нашего популярного измерителя силы валют FX Power. Что же предлагает этот измеритель силы нового поколения? Все, что вы любили в оригинальном FX Power ПЛЮС Анализ силы GOLD/XAU Еще более точные результаты расчетов Индивидуально настраиваемые периоды анализа Настраиваемый предел расчета для еще более высокой производительности Спец
FX Volume MT5
Daniel Stein
4.93 (14)
Получайте ежедневную информацию о рынке с подробностями и скриншотами в нашем утреннем брифинге здесь, на mql5 , и в Telegram ! FX Volume - это ПЕРВЫЙ и ЕДИНСТВЕННЫЙ индикатор объема, который дает РЕАЛЬНОЕ представление о настроении рынка с точки зрения брокера. Он дает потрясающее представление о том, как институциональные участники рынка, такие как брокеры, позиционируют себя на рынке Forex, гораздо быстрее, чем отчеты COT. Видеть эту информацию прямо на своем графике - это настоящий геймчей
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Индикатор Matrix Arrow MT5   — это уникальный индикатор тренда 10 в 1, следующий за   100% неперерисовывающимся   индикатором с несколькими таймфреймами, который можно использовать на всех символах/инструментах:   форекс ,  товары ,   криптовалюты ,   индексы ,  акции . Индикатор Matrix Arrow MT5  будет определять текущую тенденцию на ранних этапах, собирая информацию и данные от до 10 стандартных индикаторов, а именно: Индекс среднего направленного движения (ADX) Индекс товарного канала (CCI)
Представляем Золотой Блиц Скальпинг Индикатор, идеальный инструмент для скальпинга золота на временных интервалах M1, M5 и M15. Разработанный с использованием передовых нейронных сетей AI, этот индикатор без перерисовки гарантирует постоянную прибыльность и превосходные торговые результаты. Оптимизирован для точности и эффективности, Золотой Блиц Скальпинг Индикатор дает лучшие результаты на временном интервале M15. Основные функции: Передовые нейронные сети AI: Используйте возможности перед
Представляем       Quantum Breakout PRO   , новаторский индикатор MQL5, который меняет ваш способ торговли в зонах прорыва! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Квантовый прорыв PRO       разработан, чтобы поднять ваше торговое путешествие к новым высотам с его инновационной и динамичной стратегией зоны прорыва. Quantum Breakout Indicator покажет вам сигнальные стрелки на зонах прорыва с 5 целевыми зонами прибыли и предложением стоп-лосса на основе по
Свинг-трейдинг - это первый индикатор, предназначенный для обнаружения колебаний в направлении тренда и возможных разворотов. Он использует базовый подход свинговой торговли, широко описанный в торговой литературе. Индикатор изучает несколько векторов цен и времени для отслеживания направления совокупного тренда и выявляет ситуации, когда рынок перепродан или перекуплен и готов к исправлению. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ]
Топовый индикатор МТ5, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT4 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его.
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
Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и новую формулу. С помощью всего лишь ОДНОГО графика вы можете определить силу валюты для 28 пар Форекс! Представьте, как улучшится ваша торговля, потому что вы сможете точно определить точку запуска нового тренда или возможность скальпирования? Руководство пользователя:   нажмите здесь Это первый,
The AT Forex Indicator MT5 is a sophisticated trading tool designed to provide traders with a comprehensive analysis of multiple currency pairs. This powerful indicator simplifies the complex nature of the forex market, making it accessible for both novice and experienced traders. AT Forex Indicator uses advanced algorithms to detect trends, patterns and is an essential tool for traders aiming to enhance their forex trading performance. With its robust features, ease of use, and reliable signal
Индикатор Supply Demand использует предыдущее ценовое действие для выявления потенциального дисбаланса между покупателями и продавцами. Ключевым является определение зон с лучшими возможностями, а не просто вероятностей. Индикатор Blahtech Supply Demand обеспечивает функционал, не доступный ни в одной платформе. Этот индикатор 4 в 1 не только выделяет зоны с более высокой вероятностью на основе механизма оценки силы по множественным критериям, но также комбинирует его с мульти-таймфреймовым ана
Сейчас 147 долл. США (увеличиваясь до 499 долл. США после нескольких обновлений) - неограниченные учетные записи (ПК или Mac) Руководство пользователя + Обучающие видео + Доступ к приватному Discord-каналу + VIP-статус и мобильная версия + Лицензия на 5 ПК с неограниченным количеством аккаунтов и терминалов MT4. Сколько раз вы покупали индикатор торговли с замечательными обратными тестами, доказательствами производительности на живых счетах и зашикарными цифрами и статистикой, но после испо
Это, пожалуй, самый полный индикатор автоматического распознавания гармонического ценообразования, который вы можете найти для платформы MetaTrader. Он обнаруживает 19 различных паттернов, воспринимает проекции Фибоначчи так же серьезно, как и вы, отображает зону потенциального разворота (PRZ) и находит подходящие уровни стоп-лосс и тейк-профит. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Он обнаруживает 19 различных гармонических цен
IX Power MT5
Daniel Stein
4.17 (6)
IX Power , наконец, предлагает непревзойденную точность FX Power для нефорексных символов. Он точно определяет интенсивность краткосрочных, среднесрочных и долгосрочных трендов в ваших любимых индексах, акциях, товарах, ETF и даже криптовалютах. Вы можете   анализировать все, что   может предложить ваш терминал. Попробуйте и почувствуйте, как   значительно улучшается ваш тайминг   при торговле. Ключевые особенности IX Power 100% точные результаты расчетов без перерисовки - для всех торгов
Quantum Trend Sniper
Bogdan Ion Puscasu
4.71 (49)
Представляем       Индикатор Quantum Trend Sniper   , инновационный индикатор MQL5, который меняет способ определения разворотов тренда и торговли ими! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Снайперский индикатор Quantum Trend       разработан, чтобы вывести ваше торговое путешествие на новые высоты благодаря инновационному способу определения разворотов тренда с чрезвычайно высокой точностью. ***Купите индикатор Quantum Trend Sniper и получите индикатор
BUY INDICATOR AND GET EA FOR FREE AS A BONUS + SOME OTHER GIFTS! ITALO TREND INDICATOR  is the best trend indicator on the market, the Indicator works on all time-frames and assets, indicator built after 7 years of experience on forex and many other markets. You know many trend indicators around the internet are not complete, does not help, and it's difficult to trade, but the Italo Trend Indicator is different , the Italo Trend Indicator shows the signal to buy or sell, to confirm the signal t
This indicator belongs to the family of channel indicators. These channel indicator was created based on the principle that the market will always trade in a swinging like pattern. The swinging like pattern is caused by the existence of both the bulls and bears in a market. This causes a market to trade in a dynamic channel. it is designed to help the buyer to identify the levels at which the bulls are buying and the bear are selling. The bulls are buying when the Market is cheap and the bears a
Профиль Рынка (Market Profile) определяет ряд типов дней, которые помогают трейдеру распознать поведение рынка. Ключевая особенность - это область значений (Value Area), представляющая диапазон ценового действия, в котором произошло 70% торговли. Понимание области значений может помочь трейдерам вникнуть в направление рынка и установить торговлю с более высокими шансами на успех. Это отличное дополнение к любой системе, которую вы возможно используете. Blahtech Limited представляет сообществу Me
Golden Spikes Detector Notice: Limited-Time 50% Discount on All Products   Due to high interest, only a few (about 8) discounted spots remain for   Golden Spikes Premium .  For those interested, all my trading tools, including Golden Spikes Premium, are currently available at a 50% discount until October 30, 2024 . Feel free to take advantage while it lasts. Acknowledgement and Dedications:  The name of this indicator was Inspired by an Original; Mr Grant Koopman; a Knowledgeable and experienced
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
Gold TMAF MTF – это лучший биржевой технический индикатор. Алгоритм индикатора анализирует движение цены актива и отражает волатильность и потенциальные зоны для входа.   Самые лучшие сигналы индикатора: Для SELL = красная верхняя граница TMA2 выше красной верхней границы TMA1 + красный указатель фрактала сверху + желтая сигнальная стрелка SR в этом же направлении. Для BUY = синяя нижняя граница TMA2 ниже синей нижней границы TMA1 + синий указатель фрактала снизу + аква сигнальная стрелка SR в
TPA True Price Action indicator reveals the true price action of the market makers through 100% non-repainting signals strictly at the close of a candle! TPA shows entries and re-entries, every time the bulls are definitely stronger than the bears and vice versa. Not to confuse with red/green candles. The shift of power gets confirmed at the earliest stage and is ONE exit strategy of several. There are available now two free parts of the TPA User Guide for our customers. The first "The Basics"
Другие продукты этого автора
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
To 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 the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". Also known as : "Blackflag FTS" by "Jose Azcarate" This is a light-load processing and non-repaint indicator. All input options are available except multi time frame Buffers are available for processing in EAs. Extra option to show buy and sell signal alerts. You can message in private chat for further changes you need.
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 get access to MT5 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows 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: "Range Identifier" By "Mango2Juice". - All twelve averaging options are available:  EMA, DEMA, TEMA, WMA, VWMA, SMA, SMMA, RMA, HMA, LSMA, Kijun, McGinley - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart and not for thresholds.  - You can message in private chat for further changes you need.
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
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
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 get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
To 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 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: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is 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 download MT4 version please click here . - This is the exact conversion from TradingView: "QQE mod" By "Mihkel00". - It can be used to detect trend direction and trend strength. - Gray bars represent weak trends. You can set thresholds to achieve better accuracy in detecting trend strength. - There is buffer index 15 to use in EA for optimization purposes. - The indicator is loaded light and non-repaint.  - You can message in private chat for further changes you need.  
For MT4 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 get access to MT5 version please click here . This is the exact conversion from TradingView: "Zero Lag MACD Enhanced - Version 1.2" by "   Albert.Callisto ". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows on chart. - You can message in private chat for further changes you need. Thanks for downloading
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
To download 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 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
Фильтр:
Нет отзывов
Ответ на отзыв