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

UT Bot Alerts by QuantNomad

5

To get access to MT4 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.
  • 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.

#include <Trade\Trade.mqh>
CTrade trade;
int handle_utbot=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 "UTBOT setting"
input double a = 1; //Key Vaule
input int c = 10; //ATR Period
input bool h = false; //Signals from Heikin Ashi Candles

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_utbot=iCustom(_Symbol, PERIOD_CURRENT, "Market/UT Bot Alerts by QuantNomad", a, c, h);
   if(handle_utbot==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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 i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_utbot, 6, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

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




Отзывы 2
Anthony Arundell
98
Anthony Arundell 2024.02.25 12:30 
 

It is a very nice indicator Does exactly what I wanted and thought it would do

sigmasas
94
sigmasas 2023.09.08 14:46 
 

I have purchased 3 indicators from Yashar Seyyedin which I have thoroughly tested they work perfectly. He has his own indicators for sale in the market and also codes according to customer requirements. There are no words to describe his efficiency in the field, his punctuality, speed and communication. We are now working on a new EA the financial results of which are unbelievable. Highly recommended. Thank you Yashar

Рекомендуем также
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.
Premium level - это уникальный индикатор с точностью правильных прогнозов  более 80%!  Данный индикатор тестировался более двух месяцев лучшими Специалистами в области Трейдинга!  Индикатор авторский такого вы больше не где не найдете!  По скриншотах можете сами увидеть точностью данного инструмента!  1 отлично подходит для торговли бинарными опционами со временем экспирации на 1 свечу. 2 работает на всех валютных парах, акциях, сырье, криптовалютах Инструкция: Как только появляется красная стре
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
Multi ZigZag
Jose Freitas Alves Neto
# Indicador MultiZigZag Pro para MetaTrader 5 O MultiZigZag Pro é um poderoso indicador técnico para a plataforma MetaTrader 5 que identifica, de forma inteligente e flexível, os principais pontos de inflexão e tendências nos gráficos de preços. ## Características principais: - Algoritmo avançado que filtra ruídos e movimentos irrelevantes do mercado  - Múltiplos timeframes para análise de tendências de curto a longo prazo - Parâmetros de profundidade e desvio personalizáveis para adaptação
ATrend
Zaha Feiz
4.88 (8)
ATREND: Как это работает и как его использовать Как это работает Индикатор "ATREND" для платформы MT5 разработан для предоставления трейдерам надежных сигналов на покупку и продажу с использованием комбинации методов технического анализа. Этот индикатор в первую очередь использует среднюю истинную амплитуду (ATR) для измерения волатильности, наряду с алгоритмами обнаружения тренда для выявления потенциальных движений рынка. Оставьте сообщение после покупки и получите специальный бонусный подаро
The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
Indicator and Expert Adviser  EA Available in the comments section of this product. Download with Indicator must have indicator installed for EA to work. Mt5 indicator alerts for bollinger band and envelope extremes occurring at the same time. Buy signal alerts occur when A bullish candle has formed below both the lower bollinger band and the lower envelope  Bar must open and close below both these indicators. Sell signal occur when A bear bar is formed above the upper bollinger band and upp
Развитие идей, заложенных в популярный индикатор MACD: Находит и наглядно отображает классические и обратные дивергенции (два способа обнаружения дивергенций). Выделяет на индикаторе разными цветами тренд вверх, вниз. Два метода определения тренда: а) MACD пересекает уровень 0 (классический сигнал); б) MACD пересекает свою среднюю (ранний сигнал). Индикатор мультитаймфреймовый - может показывать данные MACD других таймфреймов. Два способа отрисовки индикатора: классическая гистограмма и линия. З
PipFinite Exit EDGE MT5
Karlo Wilson Vendiola
4.86 (29)
Должна была состояться прибыльная сделка и вдруг отменилась? При наличии надежной стратегии выход из сделки также важен, как и вход. Exit EDGE помогает максимально увеличить доход от текущей сделки и не потерять выигрышные сделки. Всегда будьте внимательны к сигналу на выход из сделки Отслеживайте все пары и тайм-фреймы в одном графике www.mql5.com/en/blogs/post/726558 Торговля Вы можете закрыть уже открытые сделки, как только получите сигнал Закрывайте заявку на покупку, если вы получил
Индикатор кумулятивной дельты Как считает большинство трейдеров, цена движется под давление рыночных покупок или продаж. Когда кто-то выкупает стоящий в стакане оффер, то сделка проходит как "покупка". Если же кто-то наливает в стоящий в стакане бид - сделка идет с направлением "продажа". Дельта - это разница между покупками и продажами. А кумулятивная дельта - разница между покупками и продажами накопленным итогом за определенный период времени. Она позволяет видеть, кто в настоящий момент конт
Fibo Daily Channel Indicator The  Indicator is a powerful tool for traders, providing precise daily support and resistance levels based on Fibonacci retracement and extension calculations. This indicator automatically draws key pivot points (PP, R1, R2, S1, S2) as well as additional extension levels (R3, R4, S3, S4), helping traders identify potential reversal and breakout zones with ease. It includes customizable alerts and push notifications, allowing traders to receive updates whenever the pr
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Версия MT4   |   FAQ Индикатор Owl Smart Levels – это полноценная торговая система внутри одного индикатора, которая включает в себя такие популярные инструменты анализа рынка как усовершенствованные фракталы Билла Вильямса , Valable ZigZag, который строит правильную волновую структуру рынка, а также  уровни Фибоначчи, которые   отмечают точные уровни входа в рынок и места взятия прибыли. Подробное описание стратегии Инструкция по работе с индикатором Советник-помошник в торговле Owl Helper При
Индикатор индекса относительной силы Gekko — это модифицированная версия знаменитого индикатора RSI. Индикатор сочетает стандартный индикатор RSI с различными расчетами сигналов входа и оповещением о потенциальных точках входа и выхода. Входные параметры Period: период расчета RSI; Метод расчета сигнала входа (свинга): 1 - Генерирует сигналы на выход для свинг-торговли на основе входа и выхода значения RSI из верхней и нижней зоны; 2 - Генерирует сигналы на вход/выход для свинг-торговли на осн
This indicator obeys the popular maxim that: "THE TREND IS YOUR FRIEND" It paints a Blue line for BUY and also paints a RED line for SELL. (you can change the colors). It gives alarms and alerts of all kinds. IT DOES NOT REPAINT COLOR and can be used for all currency pairs and timeframes. Yes, as easy and simple as that. Even a newbie can use it to make great and reliable trades. https://www.mql5.com/en/market/product/115553
Повысьте свой опыт торговли с Wamek Trend Consult! Разблокируйте силу точного входа на рынок с нашим передовым торговым инструментом, разработанным для выявления ранних и продолжающихся трендов. Wamek Trend Consult дает трейдерам возможность войти на рынок в идеальный момент, используя мощные фильтры, которые уменьшают ложные сигналы, повышают точность сделок и, в конечном итоге, увеличивают прибыльность. Основные характеристики: 1. Точная идентификация тренда: Индикатор Trend Consult испол
Description : Rainbow EA MT5 is a simple Expert advisor based on   Rainbow MT5 indicator witch is based on Moving average with period 34. The indicator is incorporated in the EA, therefore, it is not required for the EA to operate, but if you wish, you can download it from   my product page . The Expert Advisor settings are as follows : Suitable for Timeframes up to H1 The parameters below can be set according to your trading rules. StopLoss ( Stop Loss in pips) TakeProfit ( Take Profit in pi
This MT5 version indicator is a unique, high quality and affordable trading tool. The calculation is made according to the author's formula for the beginning of a possible trend. MT4 version is here  https://www.mql5.com/ru/market/product/98041 An accurate   MT5   indicator that gives signals to enter trades without redrawing! Ideal trade entry points for currencies, cryptocurrencies, metals, stocks, indices! The indicator builds   buy/sell   arrows and generates an alert. Use the standart  
Laguerre SuperTrend Clouds   adds an Adaptive Laguerre averaging algorithm and alerts to the widely popular SuperTrend indicator. As the name suggests,   Laguerre SuperTrend Clouds (LSC)   is a trending indicator which works best in trendy (not choppy) markets. The SuperTrend is an extremely popular indicator for intraday and daily trading, and can be used on any timeframe. Incorporating Laguerre's equation to this can facilitate more robust trend detection and smoother filters. The LSC uses the
Stratos Pali Indicator is a revolutionary tool designed to enhance your trading strategy by accurately identifying market trends. This sophisticated indicator uses a unique algorithm to generate a complete histogram, which records when the trend is Long or Short. When a trend reversal occurs, an arrow appears, indicating the new direction of the trend. Important Information Revealed Leave a review and contact me via mql5 message to receive My Top 5 set files for Stratos Pali at no cost ! Do
Surf Board
Mohammadal Alizadehmadani
Benefits of the Surfboard indicator : Entry signals without repainting If a signal appears and is confirmed, it does NOT disappear anymore, unlike indicators with repainting, which lead to major financial losses because they can show a signal and then remove it. perfect opening of trades The indicator algorithms allow you to find the Peak and floor position to enter a deal (buy or sell an asset), which increases the success rate for each and every trader using it. Surfboard works with any asse
To get access to MT4 version please click here . This is the exact conversion from TradingView: "[SHK] Schaff Trend Cycle (STC)" by "shayankm". This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
Добро пожаловать в HiperCube VIX Код скидки на 25% на Darwinex Zero: DWZ2328770MGM Этот индикатор предоставляет вам реальную информацию о рынке объема sp500 / us500 Определение HiperCube VIX, известный как индекс волатильности CBOE, является широко признанным показателем рыночного страха или стресса. Он сигнализирует об уровне неопределенности и волатильности на фондовом рынке, используя индекс S&P 500 в качестве прокси для широкого рынка. Индекс VIX рассчитывается на основе цен опционных к
FREE
Коробка Ганна (или Квадрат Ганна) — метод анализа рынка по статье Уильяма Ганна «Математическая формула для предсказания рынка» (W.D. Gann "Mathematical formula for market predictions"). Этот индикатор может строить три модели Квадратов: 90, 52(104), 144. Шесть вариантов сеток и два варианта дуг. Вы можете построить, одновременно, несколько квадратов на одном графике. Параметры Square — выбор модели квадрата: 90 — квадрат 90 (или квадрат девяти); 52 (104) — квадрат 52 (или 104); 144 — универс
Усовершенствованная Мультитаймфреймовая версия скользящей средней Хала (Hull Moving Average - HMA). Особенности Две линии индикатора Халла разных таймфреймов на одном графике. Линия HMA старшего таймфрейма определяет тренд, а линия HMA текущего таймфрейма - краткосрочные ценовые движения. Графическая панель с данными индикатора HMA на всех таймфреймах одновременно. Если на каком-либо таймфрейме HMA переключил свое направление, на панели отображается вопросительный или восклицательный знак с тек
Terra Infinity — индикатор флета. Эта улучшенная версия индикатора CalcFlat имеет три дополнительные линии, значительно повышающие его эффективность. В отличие от своего предшественника с двумя статическими уровнями, Terra Infinity добавляет три динамические линии над основной гистограммой, которые интерпретируются следующим образом: базовая сигнальная линия, минимальная сигнальная линия, максимальная сигнальная линия. Эти линии формируются с помощью дополнительного параметра Avg, представл
Профиль Рынка (Market Profile) определяет ряд типов дней, которые помогают трейдеру распознать поведение рынка. Ключевая особенность - это область значений (Value Area), представляющая диапазон ценового действия, в котором произошло 70% торговли. Понимание области значений может помочь трейдерам вникнуть в направление рынка и установить торговлю с более высокими шансами на успех. Это отличное дополнение к любой системе, которую вы возможно используете. Blahtech Limited представляет сообществу Me
Crash 1000 Scalping Indicator for the Crash 1000 Deriv Synthetic Index. Introduction The Crash 1000 Scalping Indicator is a specialized tool designed for the Crash 1000 index on the Deriv Synthetic market. This indicator is particularly useful for scalping on the M1 timeframe, helping traders to identify precise entry and exit points for buy positions. It is designed to be non-repainting, providing clear signals with audible alerts and push notifications, and is compatible with mobile devices th
Volality Index scalper indicator  Meant for Volality pairs such as Volality 10, 25, 50, 75 and 100 The indicator works on all timeframes from the 1 minute to the monthly timeframe the indicator is non repaint the indicator has 3 entry settings 1 color change on zero cross 2 color change on slope change 3 color change on signal line cross Orange line is your sell signal Blue line is your buy signal.
Этот индикатор находит AB = шаблоны восстановления CD. Паттерн AB = CD Retracement представляет собой 4-точечную ценовую структуру, в которой начальный ценовой сегмент частично восстановлен и сопровождается равноудаленным движением от завершения отката, и является базовой основой для всех гармонических паттернов. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Настраиваемые размеры рисунков Настраиваемые соотношения AC и BD Настраиваемы
С этим продуктом покупают
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! INSTRUCTIONS     RUS   -    ENG           Рекомендуем использовать с  индикатором -  RFI LEVELS Version MT4 Ос
Сейчас 147 долл. США (увеличиваясь до 499 долл. США после нескольких обновлений) - неограниченные учетные записи (ПК или Mac) Руководство пользователя + Обучающие видео + Доступ к приватному Discord-каналу + VIP-статус и мобильная версия + Лицензия на 5 ПК с неограниченным количеством аккаунтов и терминалов MT4. Сколько раз вы покупали индикатор торговли с замечательными обратными тестами, доказательствами производительности на живых счетах и зашикарными цифрами и статистикой, но после испо
Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретировать. INSTRUCTIONS     RUS   -    ENG                    Рекомендуем использовать с индикатором -   TPSpro  TREND PRO -  Version MT4 Основные функции: Отображения а
Представляем   Quantum TrendPulse   , совершенный торговый инструмент, который объединяет мощь   SuperTrend   ,   RSI   и   Stochastic   в один комплексный индикатор, чтобы максимизировать ваш торговый потенциал. Разработанный для трейдеров, которые ищут точность и эффективность, этот индикатор помогает вам уверенно определять рыночные тренды, сдвиги импульса и оптимальные точки входа и выхода. Основные характеристики: Интеграция SuperTrend:   легко следуйте преобладающим рыночным тенденциям и п
CBT Quantum Maverick Высокоэффективная система торговли бинарными опционами CBT Quantum Maverick – это точно настроенная, высокопроизводительная система торговли бинарными опционами, созданная для трейдеров, стремящихся к точности, простоте и дисциплинированному подходу. Настройка не требуется – система оптимизирована для эффективных результатов прямо "из коробки". Просто следуйте сигналам, которые можно освоить с небольшой практикой. Основные характеристики: Точность сигналов: Сигналы для т
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.78 (9)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
Раскройте всю мощь FX Power NG: лучший измеритель силы валют Уже более восьми лет FX Power предоставляет трейдерам по всему миру надежный и точный анализ силы валют. Теперь FX Power NG выводит этот надежный инструмент на новый уровень, предлагая расширенные функции, которые обеспечивают непревзойденную точность, настройку и понимание вашей торговли. Что делает FX Power NG обязательным для серьезных трейдеров? FX Power NG основывается на всем том, что вы любили в оригинальном FX Power, с ключ
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли конц
FX Volume MT5
Daniel Stein
4.93 (14)
Получите истинное преимущество на Forex с помощью FX Volume: Лучший индикатор объема FX Volume - это первый и единственный индикатор объема, который показывает истинное настроение рынка с точки зрения инсайдера. Предоставляя уникальную информацию о позиционировании институциональных участников рынка и брокеров, FX Volume позволяет вам торговать с такой прозорливостью, которая обычно присуща крупным игрокам. Попрощайтесь с задержками с отчетами COT - FX Volume предоставляет вам эту важную инфор
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Индикатор Matrix Arrow MT5   — это уникальный индикатор тренда 10 в 1, следующий за   100% неперерисовывающимся   индикатором с несколькими таймфреймами, который можно использовать на всех символах/инструментах:   форекс ,  товары ,   криптовалюты ,   индексы ,  акции . Индикатор Matrix Arrow MT5  будет определять текущую тенденцию на ранних этапах, собирая информацию и данные от до 10 стандартных индикаторов, а именно: Индекс среднего направленного движения (ADX) Индекс товарного канала (CCI)
FX Dynamic - единственный индикатор ATR, который вам когда-либо понадобится Готовы ли вы к тому, чтобы сделать свои торговые стратегии непревзойденно точными и проницательными? Встречайте FX Dynamic - первый и единственный индикатор ATR, предназначенный для анализа валютных курсов и автоматической корректировки брокерских GMT-сдвигов . Попрощайтесь с устаревшими инструментами и примите самое лучшее решение для овладения волатильностью рынка. Почему FX Dynamic меняет правила игры Анализ ATR
MetaForecast M5
Vahidreza Heidar Gholami
5 (2)
MetaForecast предсказывает и визуализирует будущее любого рынка на основе гармонии в данных о ценах. Хотя рынок не всегда предсказуем, если существует узнаваемый паттерн в ценах, то MetaForecast способен предсказать будущее с наибольшей точностью. По сравнению с другими аналогичными продуктами, MetaForecast способен генерировать более точные результаты, анализируя тренды на рынке. Входные параметры Past size (Размер прошлых данных) Указывает количество баров, которые MetaForecast использует дл
Представляем       Quantum Breakout PRO   , новаторский индикатор MQL5, который меняет ваш способ торговли в зонах прорыва! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Квантовый прорыв PRO       разработан, чтобы поднять ваше торговое путешествие к новым высотам с его инновационной и динамичной стратегией зоны прорыва. Quantum Breakout Indicator покажет вам сигнальные стрелки на зонах прорыва с 5 целевыми зонами прибыли и предложением стоп-лосса на основе по
Откройте для себя FX Levels: Ваш главный индикатор поддержки и сопротивления для успешной торговли FX Levels - это больше, чем просто индикатор поддержки и сопротивления; это геймчейнджер для серьезных трейдеров, которым важны точность, надежность и бесперебойная работа со всеми торговыми символами, будь то валютные пары, индексы, акции или сырьевые товары. Построенный на основе проверенного метода Lighthouse и дополненный динамической адаптацией в режиме реального времени, FX Levels переносит
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"
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-про
After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!     Official release price of   $65  for the first  25 copies. After that, price will automatically increase! Easy Breakout MT5   is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the   Breakout strategy ! This indicator delivers crystal-clear B
Станьте Breaker Trader и получайте прибыль от изменений структуры рынка по мере изменения цены. Индикатор выключателя блока ордеров определяет, когда тренд или движение цены приближаются к истощению и готовы развернуться. Он предупреждает вас об изменениях в структуре рынка, которые обычно происходят, когда произойдет разворот или серьезный откат. Индикатор использует собственный расчет, который определяет прорывы и ценовой импульс. Каждый раз, когда новый максимум формируется около возможн
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
Топовый индикатор МТ5, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT4 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его.
IX Power MT5
Daniel Stein
4.17 (6)
Представляем IX Power - идеальный инструмент для повышения точности торговли! Разработанный с той же непревзойденной точностью, что и FX Power, IX Power позволяет вам овладеть любым торговым инструментом, от индексов и акций до товаров, ETF и даже криптовалют. Будьте готовы повысить свой уровень торговли благодаря точному пониманию краткосрочных, среднесрочных и долгосрочных тенденций по всем вашим любимым активам. Почему стоит выбрать IX Power? С IX Power ваше время становится острым как бри
Royal Wave Pro M5
Vahidreza Heidar Gholami
3.5 (4)
Royal Wave is a Trend-Power oscillator which has been programmed to locate and signal low-risk entry and exit zones. Its core algorithm statistically analyzes the market and generates trading signals for overbought, oversold and low volatile areas. By using a well-designed alerting system, this indicator makes it easier to make proper decisions regarding where to enter and where to exit trades. Features Trend-Power Algorithm Low risk Entry Zones and Exit Zones Predictions for Overbought and Over
Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breakouts. Many false breakouts start with a candlestick that breaks out of a level but ends with an immediate candlestick that brings the price back into the level. T
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
MetaBands M5
Vahidreza Heidar Gholami
4.5 (2)
MetaBands использует мощные и уникальные алгоритмы для построения каналов и обнаружения тенденций, чтобы предоставлять трейдерам потенциальные точки для входа и выхода из сделок. Это индикатор канала плюс мощный индикатор тенденций. Он включает различные типы каналов, которые могут быть объединены для создания новых каналов, просто используя параметры ввода. MetaBands использует все типы оповещений, чтобы уведомлять пользователей о событиях на рынке. Особенности Поддерживает большинство алгоритм
The Berma Bands (BBs) indicator is a valuable tool for traders seeking to identify and capitalize on market trends. By analyzing the relationship between the price and the BBs, traders can discern whether a market is in a trending or ranging phase. Berma Bands are composed of three distinct lines: the Upper Berma Band, the Middle Berma Band, and the Lower Berma Band. These lines are plotted around the price, creating a visual representation of the price movement relative to the overall trend.
AW Trend Predictor MT5
AW Trading Software Limited
4.75 (52)
Сочетание тренда и пробоя уровней в одной системе. Продвинутый алгоритм индикатора фильтрует рыночный шум, определяет тренд, точки входа, а также возможные уровни выхода из позиции. Сигналы индикатора записываются в статистический модуль, который позволяет выбирать наиболее подходящие инструменты, показывая эффективность истории сигналов. Индикатор рассчитывает отметки ТейкПрофитов и стоплосса. Руководство пользователя ->  ЗДЕСЬ  / MT4 версия ->  ЗДЕСЬ Как торговать с индикатором: Торговля с Tr
Atbot
Zaha Feiz
4.75 (44)
AtBot: Как это работает и как его использовать ### Как это работает Индикатор "AtBot" для платформы MT5 генерирует сигналы на покупку и продажу, используя комбинацию инструментов технического анализа. Он интегрирует простую скользящую среднюю (SMA), экспоненциальную скользящую среднюю (EMA) и индекс средней истинной амплитуды (ATR) для выявления торговых возможностей. Кроме того, он может использовать свечи Heikin Ashi для повышения точности сигналов. Оставьте отзыв после покупки и получите спе
Другие продукты этого автора
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 MT4 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by " colinmck ". - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the sample code of EA that operates based on signals coming from indicator: #property strict input string EA_Setting= "" ; input int magic_number= 12
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need.
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. 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
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: "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: "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.
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
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
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click here . This is the exact conversion from TradingView: "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 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
To get access to MT5 version please click here . You can also check the other popular version of this indicator   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 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 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 . 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
This Expert is developed to optimize parameters to trade in choppy markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 20% profitability in USDCAD for a period of 4-months and 5% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click  here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
To 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: "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 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: "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 click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
For MT4 version please click  here . - This is the exact conversion from TradingView source: "Squeeze Momentum Indicator" By "LazyBear". - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need. Thanks for downloading...
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". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading 
Фильтр:
Anthony Arundell
98
Anthony Arundell 2024.02.25 12:30 
 

It is a very nice indicator Does exactly what I wanted and thought it would do

Yashar Seyyedin
44609
Ответ разработчика Yashar Seyyedin 2024.02.25 12:58
Thanks for the positive and kind review. Wish you safe trades.
sigmasas
94
sigmasas 2023.09.08 14:46 
 

I have purchased 3 indicators from Yashar Seyyedin which I have thoroughly tested they work perfectly. He has his own indicators for sale in the market and also codes according to customer requirements. There are no words to describe his efficiency in the field, his punctuality, speed and communication. We are now working on a new EA the financial results of which are unbelievable. Highly recommended. Thank you Yashar

Yashar Seyyedin
44609
Ответ разработчика Yashar Seyyedin 2023.09.08 15:42
Thanks for the positive review. I enjoy working with people with new ideas.
Ответ на отзыв