• Обзор
  • Отзывы
  • Обсуждение (4)
  • Что нового

UT Bot Alerts by QuantNomad MT4

To get access to MT5 version please click here.

  • This is the exact conversion from TradingView: "UT Bot Alerts" by "QuantNomad".
  • This is a light-load processing and non-repaint indicator.
  • Buffers are available for processing in EAs.
  • Candle color option is not available.
  • 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 UT Bot Alerts.

#property strict

input string EA_Setting="";
input int magic_number=1234;
input double fixed_lot_size=0.01; // select fixed lot size

input string    UTBOT_Setting="";
input double a = 2; //Key Vaule
input int c = 11; //ATR Period
bool h = false; //Signals from Heikin Ashi Candles

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

bool IsUTBOTBuy(int index)
{
   double value_buy=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\UT Bot Alerts by QuantNomad MT4",
    a, c, h, 6, index);
   return value_buy!=EMPTY_VALUE;
}

bool IsUTBOTSell(int index)
{
   double value_sell=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\UT Bot Alerts by QuantNomad MT4",
    a, c, h, 7, index);
   return value_sell!=EMPTY_VALUE;
}

int BuyCount()
{
   int counter=0;
   for(int i=0;i<OrdersTotal();i++)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_BUY) counter++;
   }
   return counter;
}

int SellCount()
{
   int counter=0;
   for(int i=0;i<OrdersTotal();i++)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_SELL) counter++;
   }
   return counter;
}

void Buy()
{
   if(OrderSend(_Symbol, OP_BUY, fixed_lot_size, Ask, 3, 0, 0, NULL, magic_number, 0, clrNONE)==-1)
   {
      Print("Error Executing Order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   if(OrderSend(_Symbol, OP_SELL, fixed_lot_size, Bid, 3, 0, 0, NULL, magic_number, 0, clrNONE)==-1)
   {
      Print("Error Executing Order: ", GetLastError());
      //ExpertRemove();
   }
}

void CloseBuy()
{
   for(int i=OrdersTotal()-1;i>=0;i--)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_BUY) 
         if(OrderClose(OrderTicket(), OrderLots(), Bid, 3, clrNONE)==false)
         {
            Print("Error Closing Position: ", GetLastError());
         }
   }
}

void CloseSell()
{
   for(int i=OrdersTotal()-1;i>=0;i--)
   {
      if(OrderSelect(i, SELECT_BY_POS)==false) continue;
      if(OrderSymbol()!=_Symbol) continue;
      if(OrderMagicNumber()!=magic_number) continue;
      if(OrderType()==OP_SELL) 
         if(OrderClose(OrderTicket(), OrderLots(), Ask, 3, clrNONE)==false)
         {
            Print("Error Closing Position: ", GetLastError());
         }
   }
}

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;
}


Рекомендуем также
VR Cub
Vladimir Pastushak
VR Cub это индикатор что бы получать качественные точки входа. Индикатор разрабатывался с целью облегчить математические расчеты и упростить поиск точек входа в позицию. Торговая стратегия, для которой писался индикатор, уже много лет доказывает свою эффективность. Простота торговой стратегии является ее большим преимуществом, что позволяет успешно торговать по ней даже начинающим трейдерам. VR Cub рассчитывает точки открытия позиций и целевые уровни Take Profit и Stop Loss, что значительно повы
Master scalping M1 -инновационный индикатор, использующий алгоритм для быстрого и точного определения тренда.Индикатор рассчитывает время открытия и закрытия позиций, алгоритмы индикатора позволяют находить идеальные моменты для входа в сделку (покупки или продажи актива), повышающие успешность сделок у большинства трейдеров. Преимущества индикатора: Прост в использовании, не перегружает график не нужной информацией. Возможность использования  как фильтр для любой стратегии. Работает на рынке
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. S
Fibonacci retracement and extension line drawing tool Fibonacci retracement and extended line drawing tool for MT4 platform is suitable for traders who use  golden section trading Advantages: There is no extra line, no too long line, and it is easy to observe and find trading opportunities Trial version: https://www.mql5.com/zh/market/product/35884 Main functions: 1. Multiple groups of Fibonacci turns can be drawn directly, and the relationship between important turning points
ROYAL DUTCH SKUNK USES THE TREND WAVE INDICATOR AND IT CAN IDENTIFY THE BEGINNING AND THE END OF A NEW WAVE TREND MOVEMENT. AS AN OSCILLATOR, THE INDICATOR IDENTIFIES THE OVERBOUGHT AND OVERSOLD ZONES. IT WORKS GREAT TO CATCH THE SHORT TERM PRICE REVERSALS AND USES A MARTINGALE STRATEGY TO CLOSE ALL TRADES IN PROFIT. USE DEFAULT SETTINGS ON H1 OR HIGHER TIME FRAME ON ANY PAIR FOR MORE ACCURATE TRADES WHY THIS EA : Smart entries calculated by 6 great strategies The EA can be run on even a $20000
Индикатор отображает на графике данные стохастик-осцилятора более старшего временного интервала. Основная и сигнальная линии отображаются в дополнительном окне. Ступенчатая характеристика не сглажена. Индикатор удобен для отработки "ручных" стратегий форекс-торговли, использующих данные от нескольких экранов с различными временными интервалами одного инструмента. В индикаторе используются настройки, аналогичные стандартному и выпадающий список для выбора тайм-фрейма. Параметры индикатора TimeF
Forex Gump
Andrey Kozak
2.83 (6)
Forex Gump - это полностью готовая полуавтоматическая торговая система. В виде стрелок на экран выводятся сигналы для открытия и закрытия сделок. Все, что вам нужно, это следовать указаниям индикатора. Когда индикатор показывает синюю стрелку, Вам нужно открывать ордер на покупку. Когда индикатор показывает красную стрелку, нужно открывать ордер на продажу. Закрываем ордера когда индикатор рисует желтый крестик. Для того, чтобы получить максимально эффективный результат, рекомендуем использовать
"Тренд - друг трейдера" . Это одна из самых известных пословиц в трейдинге, потому что правильное определение тренда может помочь заработать. Однако проще сказать о торговле по тренду, чем сделать, потому что многие индикаторы основаны на развороте цены, а не на анализе тренда. Они не очень эффективны при определении периодов тренда или в определении того, сохранится ли этот тренд. Мы разработали индикатор Trendiness Index , чтобы попытаться решить эту проблему. Индикатор определяет силу и напра
Gvs Undefeated Trend   indicator is designed for trend and signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  You can only trade with this indicator. The generated signals are displayed on the graphical screen.  Thanks to the alert features you ca
Strong Retracement Points Pro demo edition! SRP (Strong Retracement/Reversal Points) is a powerful and unique support and resistance indicator. It displays the closest important levels which we expect the price retracement/reversal! If all level are broken from one side, it recalculates and draws new support and resistance levels, so the levels might be valid for several days depending on the market! If you are still hesitating to start using this wonderful tool, you can check this link to see h
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
MACDivergence MTF
Pavel Zamoshnikov
4.29 (7)
Развитие идей, заложенных в популярный индикатор MACD: Находит и наглядно отображает классические и обратные дивергенции (три способа обнаружения дивергенций). Выделяет на индикаторе разными цветами тренд вверх, вниз. Два метода определения тренда: а) MACD пересекает уровень 0 (классический сигнал); б) MACD пересекает свою среднюю (ранний сигнал). Индикатор мультитаймфреймовый - может показывать данные MACD других таймфреймов. Два способа отрисовки индикатора: классическая гистограмма и линия. З
Уникальная мультивалютная авторская стратегия, одновременно определяющая силу трендов и точки входа в рынок, визуализируя это с помощью гистограмм на графике. Индикатор оптимально адаптирован для торговли на временных периодах М5, М15, М30, Н1. При этом для удобства пользователя по определенной точке всегда появляется точка входа (в виде стрелки), рекомендуемые уровни получения прибыли (TP1, TP2 с текстовыми метками) и рекомендация по установке Стоп Лосс. Уровни получения прибыли (TP1, TP2) авто
PipFinite Exit EDGE
Karlo Wilson Vendiola
4.88 (161)
Должна была состояться прибыльная сделка и вдруг отменилась? При наличии надежной стратегии выход из сделки также важен, как и вход. Exit EDGE помогает максимально увеличить доход от текущей сделки и не потерять выигрышные сделки. Всегда будьте внимательны к сигналу на выход из сделки Отслеживайте все пары и тайм-фреймы в одном графике www.mql5.com/en/blogs/post/726558 Торговля Вы можете закрыть уже открытые сделки, как только получите сигнал Закрывайте заявку на покупку, если вы получил
Индикаторы [ZhiBiCCI] подходят для всех циклов использования, а также подходят для всех разновидностей рынка. [ZhiBiCCI] Зеленая сплошная линия - разворот бычьей дивергенции. Зеленая пунктирная линия - классическая бычья дивергенция. [ZhiBiCCI] Сплошная линия к красному - обратная медвежья дивергенция. Красная пунктирная линия - классическая медвежья дивергенция. [ZhiBiCCI] можно установить в параметрах (Предупреждение, Отправить почту, Отправить уведомление), установить на (true) для отпр
Представляем       Графики   Quantum Heiken Ashi PRO Свечи Heiken Ashi, разработанные для обеспечения четкого понимания рыночных тенденций, известны своей способностью отфильтровывать шум и устранять ложные сигналы. Попрощайтесь со сбивающими с толку колебаниями цен и познакомьтесь с более плавным и надежным представлением графиков. Что делает Quantum Heiken Ashi PRO действительно уникальным, так это его инновационная формула, которая преобразует данные традиционных свечей в легко читаемые цветн
This is a new strategy for SUPPLY DEMAND areas It is based on a calculation using the tick volume to detect the big price action in market for both bear /bull actions this smart volume action candles are used to determine the supply and demand areas prices in between main supply and demand lines indicate sideway market  up arrows will be shown when prices moves above the main supply and the secondary supply lines Down arrows will be shown when prices moves below the main demand and the secondary
The Th3Eng PipFinite indicator is based on a very excellent analysis of the right trend direction with perfect custom algorithms. It show the true direction and the best point to start trading. With StopLoss point and Three Take Profit points. Also it show the right pivot of the price and small points to order to replace the dynamic support and resistance channel, Which surrounds the price. And Finally it draws a very helpful Box on the left side on the chart includes (take profits and Stop loss
Owl smart levels
Sergey Ermolov
4.58 (55)
Версия MT5  | Как установить?  | FAQ Индикатор Owl Smart Levels   – это полноценная торговая система внутри одного индикатора, которая включает в себя такие популярные инструменты анализа рынка как усовершенствованные   фракталы Билла Вильямса , Valable ZigZag, который строит   правильную волновую структуру   рынка, а также  уровни Фибоначчи,   которые   отмечают точные уровни входа в рынок и места взятия прибыли. Подробное описание стратегии Инструкция по работе с индикатором Советник-помошник
Daily Candle Predictor - это индикатор, который предсказывает цену закрытия свечи. Прежде всего индикатор предназначен для использования на графиках D1. Данный индикатор подходит как для традиционной форекс торговли, так и для торговли бинарными опционами. Индикатор может использоваться как самостоятельная торговая система, так может выступать в качестве дополнения к вашей уже имеющейся торговой системе. Данный индикатор производит анализ текущей свечи, рассчитывая определенные факторы силы внут
Key level wedge
Presley Annais Tatenda Meck
4.86 (7)
The Key level wedge indicator automatically draws rising wedge pattern and falling wedge pattern for you on the chart. This pattern is really good when used as a confirmation entry at key support & resistance, supply & demand and reversal zones. Advantages  The Key level wedge block DOES NOT RE-PAINT, giving you confidence when a signal appears and also helps when looking back.  The Key level wedge includes an on/off button on the chart to easily keep the charts clean after analysis by jus
Alpha Trend
Evgeny Belyaev
3.33 (3)
Alpha Trend - это трендовый индикатор для платформы MT4, разработанный группой профессиональных трейдеров. Индикатор Alpha Trend находит наиболее вероятные точки разворота тенденции, что позволяет совершать сделки в самом начале тренда. Данный индикатор оснащён уведомлениями при появлении нового сигнала (алерт, почта, телефон), что поможет вам своевременно открыть позицию. Alpha Trend не перерисовывается, что дает возможность оценить его эффектность на истории. Версия  Alpha Trend для терминала
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
TWO PAIRS SQUARE HEDGE METER INDICATOR Try this brilliant 2 pairs square indicator It draws a square wave of the relation between your two inputs symbols when square wave indicates -1 then it is very great opportunity to SELL pair1 and BUY Pair2 when square wave indicates +1 then it is very great opportunity to BUY pair1 and SELL Pair2 the inputs are : 2 pairs of symbols         then index value : i use 20 for M30 charts ( you can try other values : 40/50 for M15 , : 30 for M30 , : 10 for H1 ,
Advance Currency Meter is a currency meter that detects strong market trends. This indicator is good for scalping, intraday trading and swing trading. The indicator will detect short term to long term market trends. This will give you good insight which currencies are best to trade as of the moment. Note : Kindly contact me before you make any purchases. Works well with my MACD Currency Strength Meter
Monster Harmonics - индикатор гармонических моделей (harmonic patterns). Он распознает следующие модели: Гартли (Gartley), Летучая мышь (Bat), Краб (Crab), Бабочка (Butterfly), Монограмма (Cypher), Черный лебедь (Black Swan), Белый лебедь (White Swan), Акула (Shark) и AB=CD. Незаконченные модели также распознаются. Monster даже показывает потенциальную зону разворота (Potential Reversal Zone, PRZ). Пользователи могут добавлять свои паттерны. Кроме текущей модели, Monster также показывает все мод
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 concepts are very suitable for all kinds of investments, includi
Laguerre SuperTrend Clouds добавляет алгоритм адаптивного усреднения Лагерра (Adaptive Laguerre averaging) и оповещения к широко известному индикатору SuperTrend. Как следует из названия, Laguerre SuperTrend Clouds (LSC) - это трендовый индикатор, который лучше всего работает на трендовых (не переменчивых) рынках. Индикатор SuperTrend чрезвычайно популярен для внутридневной и ежедневной торговли и может быть использован на любом таймфрейме. Внедрение уравнения Лагерра в этот индикатор может спос
Looking for an indicator that identifies high-probability price action patterns? Love counter-trend trading? The Kangaroo Tailz indicator might be just for you. This indicator is meant to be used as a reversal detector. I personally would rather enter a position at the beginning of a trend rather than catch the last couple of moves. This indicator does a good job of alerting when price may reverse by identifying price action patterns that occur frequently in markets. Even though this indicator i
Introducing the "Magic Trades" for MetaTrader 4 – your ultimate tool for precision trading in dynamic markets. This innovative indicator revolutionizes the way you perceive market trends by harnessing the power of advanced analysis to detect subtle changes in character, paving the way for optimal trading opportunities. The Magic Trades Indicator is designed to empower traders with insightful entry points and well-defined risk management levels. Through its sophisticated algorithm, this indica
С этим продуктом покупают
Gann Made Easy - это профессиональная, но при этом очень простая в применении Форекс система, основанная на лучших принципах торговли по методам господина У.Д. Ганна. Индикатор дает точные BUY/SELL сигналы, включающие в себя уровни Stop Loss и Take Profit. Пожалуйста, напишите мне после покупки! Я поделюсь своими рекомендациями по использованию индикатора. Также вас ждет отличный бонусный индикатор в подарок! Вероятно вы уже не раз слышали о торговли по методам Ганна. Как правило теория Ганна от
Trend Pulse
Mohamed Hassan
5 (3)
Please contact me after purchase to immediately get your PDF strategy + documentation for Trend Pulse !  Official release price of $99  ( 20 / 50 copies left). Next price is $199 . Introducing Trend Pulse , a unique and robust indicator capable of detecting bullish, bearish, and even ranging trends! Trend Pulse uses a special algorithm to filter out market noise with real precision. If the current symbol is moving sideways, Trend Pulse will send you a ranging signal, letting you know that
Gold Stuff
Vasiliy Strukov
4.9 (268)
Gold Stuff - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  По данному индикатору написан советник EA Gold Stuff, Вы можете найти его в моем профиле. Свяжитесь со мной сразу после покупки для получения   персонального бонуса!  Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки
Trend Punch
Mohamed Hassan
4.95 (21)
This indicator is unstoppable when combined with our other indicator called  Support & Resistance . After purchase, send us a message and you will get it   for  FREE as a BONUS! Introducing Trend Punch , the revolutionary forex trend indicator that will transform the way you trade! Trend Punch is uniquely designed to provide precise buy and sell arrows during strong market trends, making your trading decisions clearer and more confident. Whether you're trading major currency pairs or exotic sym
ПОЖАЛУЙСТА, ПРОЧТИТЕ ИНФОРМАЦИЮ НИЖЕ ПЕРЕД ПОКУПКОЙ! Apollo Pips PLUS SP – уникальный продукт! ЭТО ДЛЯ ТЕХ, КТО ХОЧЕТ ПОЛУЧИТЬ МОЙ НОВЫЙ ИНДИКАТОР «APOLLO PIPS» + БОНУС «SUPER PACK» С ДОСТУПОМ КО ВСЕМ МОИМ ТОРГОВЫМ ИНДИКАТОРАМ! Покупая продукт Apollo Pips PLUS SP, вы фактически приобретаете абсолютно новую версию моего индикатора Apollo Pips. Эта версия индикатора имеет улучшенный алгоритм и простой в использовании параметр, который дает вам возможность использовать индикатор на любом рынке и в
Инновационный индикатор, использующий эксклюзивный алгоритм для быстрого и точного определения тренда. Индикатор автоматически рассчитывает время открытия и закрытия позиций, а также подробную статистику работы индикатора на заданном отрезке истории, что позволяет выбрать наилучший торговый инструмент для торговли. Вы также можете подключить свои пользовательские стрелочные индикаторы к Scalper Inside Pro для проверки и расчета их статистики и прибыльности. Scalper Inside PRO инструкция и настро
Currency Strength Wizard — очень мощный индикатор, предоставляющий вам комплексное решение для успешной торговли. Индикатор рассчитывает силу той или иной форекс-пары, используя данные всех валют на нескольких тайм фреймах. Эти данные представлены в виде простых в использовании индексов валют и линий силы валют, которые вы можете использовать, чтобы увидеть силу той или иной валюты. Все, что вам нужно, это прикрепить индикатор к графику, на котором вы хотите торговать, и индикатор покажет вам ре
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли конц
В настоящее время скидка 20%! Лучшее решение для новичка или трейдера-эксперта! Эта приборная панель работает на 28 валютных парах. Он основан на 2 наших основных индикаторах (Advanced Currency Strength 28 и Advanced Currency Impulse). Он дает отличный обзор всего рынка Forex. Он показывает значения Advanced Currency Strength, скорость движения валюты и сигналы для 28 пар Forex на всех (9) таймфреймах. Представьте, как улучшится ваша торговля, когда вы сможете наблюдать за всем рынком с пом
M1 Arrow
Oleg Rodin
4.73 (15)
Внутридневная стратегия, основанная на двух фундаментальных принципах рынка. В основе алгоритма лежит анализ объемов и ценовых волн с применением дополнительных фильтров. Интеллектуальный алгоритм индикатора дает сигнал только тогда, когда два рыночных фактора объединяются в одно целое. Индикатор рассчитывает волны определенного диапазона, а уже для подтверждения волны индикатор использует анализ по объемам. Данный индикатор - это готовая торговая система. Все что нужно от трейдера - следовать с
Trend Screener
STE S.S.COMPANY
4.81 (91)
Индикатор тренда, революционное уникальное решение для торговли и фильтрации тренда со всеми важными функциями тренда, встроенными в один инструмент! Это 100% неперерисовывающийся мультитаймфреймный и мультивалютный индикатор, который можно использовать на всех инструментах/инструментах: форекс, товары, криптовалюты, индексы, акции. Trend Screener - это эффективный индикатор, следующий за трендом, который выдает сигналы тренда в виде стрелок с точками на графике. Функции, доступные в индикаторе
Получайте ежедневную информацию о рынке с подробностями и скриншотами через наш утренний брифинг здесь, на mql5 , и в Telegram ! FX Power MT4 NG - это новое поколение нашего популярного измерителя силы валют FX Power. Что же предлагает этот измеритель силы нового поколения? Все, что вы любили в оригинальном FX Power ПЛЮС Анализ силы GOLD/XAU Еще более точные результаты расчетов Индивидуально настраиваемые периоды анализа Настраиваемый предел расчета для еще более высокой производительности Спец
В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 26% Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и новую формулу. С помощью всего лишь ОДНОГО графика вы можете определить силу валюты для 28 пар Форекс! Представьте, как улучшится ваша торговля, потому что вы сможете точно определить точку запуска нового тренда или возможность скальпирования? Руководство пользователя:
Ultimate Sniper Dashboard
Hispraise Chinedum Abraham
4.85 (27)
Скидка $299! Цены могут вырасти в будущем! Читайте описание ниже! Лучшая система ввода для Ultimate Sniper Dashboard: ПРЕДЕЛЬНЫЕ ДИНАМИЧЕСКИЕ УРОВНИ. (Пожалуйста, проверьте мои продукты) Ultimate Sniper Dashboard работает ТОЛЬКО на реальных рынках из-за ограничений мультивалютного тестирования MT4. Представляем вам Ultimate-Sniper Dashboard! Наша самая лучшая панель, которая содержит HA-Sniper, MA-Sniper и множество специальных режимов. Ultimate Sniper Dashboard - это абсолютный зверь!
Indicator : RealValueIndicator Description : RealValueIndicator is a powerful tool designed specifically for trading on the EURUSD pair. This indicator analyzes all EUR and USD pairs, calculates their real currency strength values, and displays them as a single realistic value to give you a head start on price. This indicator will tell you moves before they happen if you use it right. RealValueIndicator allows you to get a quick and accurate overview of the EURUSD currency pair tops and bottoms,
Reversal First Impulse levels (RFI)        INSTRUCTIONS     RUS    -      ENG           Рекомендуем использовать с  индикатором -  TPSpro  TREND PRO -  Version MT5 Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретирова
Cycle Sniper
Elmira Memish
4.44 (39)
NEW YEAR SALE PRICE FOR LIMITED TIME!!! Please contact us after your purchase and we will send you the complimentary indicators to complete the system Cycle Sniper is not a holy grail but when you use it in a system which is explained in the videos, you will feel the difference. If you are not willing to focus on the charts designed with Cycle Sniper and other free tools we provide, we recommend not buying this indicator. We recommend watching the videos about the indiactor and system before pu
Представляем       Индикатор Quantum Trend Sniper   , инновационный индикатор MQL5, который меняет способ определения разворотов тренда и торговли ими! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Снайперский индикатор Quantum Trend       разработан, чтобы вывести ваше торговое путешествие на новые высоты благодаря инновационному способу определения разворотов тренда с чрезвычайно высокой точностью. ***Купите индикатор Quantum Trend Sniper и получите индикатор
TakePropips Donchian Trend Pro
Eric John Pajarillaga Aldana
4.61 (18)
TakePropips Donchian Trend Pro   (MT4) — это мощный и эффективный инструмент, который автоматически определяет направление тренда с помощью канала Дончиана и предоставляет вам торговые сигналы для входа и выхода! Этот многофункциональный индикатор включает в себя сканер тренда, торговые сигналы, статистическую панель, скринер, торговые сессии и панель истории предупреждений. Он разработан, чтобы предоставить вам торговые сигналы и сэкономить время на анализе графиков! Вы можете скачать руководст
Данный индикатор предназначен для работы на любом ТФ. Программа на основе авторских алгоритмов и математике W.D.Ganna позволяет рассчитать целевые уровни движения цены по трем точкам с высочайшей степенью достоверности. Является прекрасным инструментом для биржевой торговли. Индикатор оснащен тремя кнопками NEW - вызвать треугольник для расчета. DEL - удалить выбранный треугольник. DELS - полностью удалить все построения. Вероятность достижения целей более 80%. Так же индикатор оснащен сигналом
BullsEye Signal NoRepaint
Martin Alejandro Bamonte
3 (2)
BullseyeSignal – NoRepaint это сигнал, который, как следует из названия, никогда не перерисовывается ни при каких обстоятельствах. Сигнал подается на той же свече, которую можно увидеть на изображении. Он идеален для высоковолатильных рынков, таких как форекс, криптовалюты, акции, индексы и фьючерсы. Вы увидите только зеленую стрелку для покупки и красную стрелку для продажи, но за ними стоят многие индикаторы, работающие вместе, чтобы обеспечить более упрощенный торговый опыт. Он специально раз
TPSproTREND PrO
Roman Podpora
4.78 (18)
TPSpro TRENDPRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! -  Version MT5             ПОЛНОЕ ОПИСАНИЕ ИНДИКАТОРА           Рекомендуем использовать с  индикатором -  RFI LEVE
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange,   XQ Forex Indicator   empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The
IX Power , наконец, предлагает непревзойденную точность FX Power для нефорексных символов. Он точно определяет интенсивность краткосрочных, среднесрочных и долгосрочных трендов в ваших любимых индексах, акциях, товарах, ETF и даже криптовалютах. Вы можете анализировать все, что может предложить ваш терминал. Попробуйте и почувствуйте, как значительно улучшается ваш тайминг при торговле. Ключевые особенности IX Power 100% точные результаты расчетов без перерисовки - для всех торговых сим
Откройте для себя секрет успешной торговли форекс с нашим пользовательским индикатором MT4! Задумывались ли вы, как добиться успеха на рынке Forex, постоянно зарабатывая прибыль при минимизации риска? Вот ответ, который вы искали! Позвольте нам представить наш собственный индикатор MT4, который будет революционизировать ваш подход к торговле. Уникальная универсальность Наш индикатор специально разработан для пользователей, которые предпочитают формирования свечей Renko и Rangebar. Мы пони
Scalper Vault — это профессиональная торговая система, которая дает вам все необходимое для успешного скальпинга. Этот индикатор представляет собой полную торговую систему, которую могут использовать трейдеры форекс и бинарных опционов. Рекомендуемый тайм фрейм М5. Система дает точные стрелочные сигналы в направлении тренда. Она также предоставляет вам сигналы выхода и рассчитывает рыночные уровни Ганна. Индикатор дает все типы оповещений, включая PUSH-уведомления. Пожалуйста, напишите мне после
СЕЙЧАС СКИДКА 31% !!! Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и секретную формулу. Всего на ОДНОМ графике он выдает алерты по всем 28 валютным парам. Представьте, как улучшится ваша торговля, ведь вы сможете точно определить точку запуска нового тренда или возможность скальпирования! Построенный на новых базовых алгоритмах, он позволяет е
" All in One Chart Patterns"  Текущая цена будет действовать только первые 3 дня, окончательная цена составит 150$. Графические паттерны вызывают споры среди трейдеров; некоторые считают их надежными сигналами, а другие - нет. Наш индикатор "Chart Patterns All-in-One" отображает различные графические паттерны, позволяя вам самостоятельно тестировать эти теории. Прибыльность этих паттернов не отражает эффективность индикатора, а является оценкой самих паттернов. Индикатор "Chart Patterns All-in-O
The AT Forex Indicator MT4 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 reliabl
Dear Traders this is my another tool called " Swing Master Indicator ". As the name above the indicator is designed to help you in swing trading by capturing the low and highs of the price. You may us this tool with any trading strategy and style from scalping to position trading. It is made for level of traders including newbies and advanced traders even prop-firms, hedge funds and banks to help them make sold market analysis. I create tools for serious traders who want to make a difference in
Другие продукты этого автора
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". This is a light-load processing and non-repaint indicator. Highlighter option isn't available in MT4 version. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input double fixed_lo
To get access to MT5 version please 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 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. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT5 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. This is a sample EA code that operates based on bullish and bearish linear regression candles . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; input string     Risk_Management= "" ; input double fixed_lot_size=
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "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
To get access to MT5 version please click here . This is the exact conversion from TradingView: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
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:"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.
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 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 the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By "   LuxAlgo   ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "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
B Xtrender
Yashar Seyyedin
5 (1)
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
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 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
For MT4 version please send private message. - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - For bar color option please send private message. - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need.
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 get access to MT5 version please contact via private message. This is the exact conversion from TradingView:Nadaraya-Watson Envelope" by " LuxAlgo ". This is not a light-load processing indicator. It is a REPAINT indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
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 MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
This is 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
Фильтр:
Нет отзывов
Ответ на отзыв
Версия 1.20 2024.01.25
Added input option to enable push notifications.
Версия 1.10 2023.10.26
Added input to enable/disable Alerts. You can use candle closure based or tick based Alerts using the input setting.