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

Hull Suite By Insilico

5

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 fixed_lot_size=0.01; // select fixed lot size

enum MA_TYPE{HMA, THMA, EHMA};
input group "HULL setting"
input MA_TYPE modeSwitch = HMA; //Hull Variation
input ENUM_APPLIED_PRICE src =PRICE_CLOSE; //Source
input int length = 55 ; //Length
input int lengthMult = 1; //Multiplier
input bool candleCol = false;

int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_hull=iCustom(_Symbol, PERIOD_CURRENT, 
   "Market/Hull Suite By Insilico",
    modeSwitch, src, length, lengthMult, candleCol);
   if(handle_hull==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsHULLBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_hull, 0, i, 1, array);
   double val1=array[0];
   CopyBuffer(handle_hull, 1, i, 1, array);
   double val2=array[0];
   return val1>val2;
}

bool IsHULLSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_hull, 0, i, 1, array);
   double val1=array[0];
   CopyBuffer(handle_hull, 1, i, 1, array);
   double val2=array[0];
   return val1<val2;
}

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
Khulani
166
Khulani 2023.08.02 18:42 
 

Great!

Рекомендуем также
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
Visual Titan Force Indicator
AL MOOSAWI ABDULLAH JAFFER BAQER
Unleash Market Volatility with the Titan Force Indicator! Are you ready to dominate the market by capitalizing on volatility? The Titan Force Indicator is your ultimate trading tool, designed for traders who thrive during periods of heightened market activity. Not Optimized for You – Yet! This indicator is a canvas for your creativity. It's been crafted to let you optimize it according to your unique trading strategies and preferences. Your skills, your edge! How Does the Titan Force
No Demand No Supply MT5
Trade The Volume Waves Single Member P.C.
No Demand No Supply   This indicator identifies   No Demand –No Supply candles to your chart and plots volume bars colored according to the signal. It can be applied to all timeframes or to a specific one only. It can also be used as regular volume indicator  with exceptional future of WEIGHTED VOLUME. Furthermore is has an alert notification, sound and email when a signals occurs. The indicator does not repaint but the alert will come on two candles back due to the definition of No Demand No Su
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
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
To download MT4 version please click here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
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.
Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized , leaving room for you to tailor it to your unique trading preferenc
Introducing PivotWave – your ultimate trading companion that redefines precision and market analysis. Designed with traders in mind, PivotWave is more than just an indicator; it’s a powerful tool that captures the pulse of the market, identifying key turning points and trends with pinpoint accuracy. PivotWave leverages advanced algorithms to provide clear visual signals for optimal entry and exit points, making it easier for traders to navigate volatile market conditions. Whether you are a begin
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.
Усовершенствованная версия бесплатного индикатора HMA Trend (для MetaTrader 4), с возможностью статистического анализа HMA Trend - трендовый индикатор, базирующийся на скользящей средней Хала (Hull Moving Average - HMA) с двумя периодами. HMA с медленным периодом определяет тренд, HMA с быстрым периодом - краткосрочные движения и сигналы в сторону тренда Главные отличия от бесплатного варианта: Возможность предсказать вероятность разворота тренда с помощью анализа исторических данных Построение
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 ! Down
Профиль Рынка (Market Profile) определяет ряд типов дней, которые помогают трейдеру распознать поведение рынка. Ключевая особенность - это область значений (Value Area), представляющая диапазон ценового действия, в котором произошло 70% торговли. Понимание области значений может помочь трейдерам вникнуть в направление рынка и установить торговлю с более высокими шансами на успех. Это отличное дополнение к любой системе, которую вы возможно используете. Blahtech Limited представляет сообществу Me
Наш индикатор   Basic Support and Resistance   - это решение, необходимое для повышения технического анализа.Этот индикатор позволяет вам проектировать уровни поддержки и сопротивления на диаграмме/ версия MT4 Особенности Интеграция уровней Fibonacci: с возможностью отображения уровней Fibonacci наряду с уровнями поддержки и сопротивления, наш показатель дает вам еще более глубокое представление о поведении рынка и возможных областях обращения. Оптимизация производительности: При возможности о
- This is the exact conversion from TradingView: "Support/Resistance" By "BarsStallone". - This indicator lets you read the buffers for R/S values. - This is a non-repaint and light processing load indicator. - This is not a multi time frame indicator If you want the multi time frame version you should create a personal order and I deliver two files that you need them both to have the multi time frame indicator running on your system. - The MT4 version of the indicator is not light load from pr
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 a
Your Trend Friend
Luigi Nunes Labigalini
5 (1)
The trend is your friend! Look at the color of the indicator and trade on that direction. It does not  repaint. After each candle is closed, that's the color of the trend. You can focus on shorter faster trends or major trends, just test what's most suitable for the symbol and timeframe you trade. Simply change the "Length" parameter and the indicator will automatically adapt. You can also change the color, thickness and style of the lines. Download and give it a try! There are big movements w
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли концеп
Индикатор DYJ BoS автоматически определяет и отмечает основные элементы изменений структуры рынка, включая: Прорыв структуры (BoS): обнаруживается, когда цена совершает значительное движение, прорывая предыдущую точку структуры. Он отмечает возможные линии восходящего тренда и линии нисходящего тренда (UP & DN, то есть непрерывные новые максимумы и новые минимумы), и как только цена пробивает эти линии, он отмечает красные (МЕДВЕДЬ) и зеленые (БЫЧЬИ) стрелки. BoS обычно происходит, когда цен
Коробка Ганна (или Квадрат Ганна) — метод анализа рынка по статье Уильяма Ганна «Математическая формула для предсказания рынка» (W.D. Gann "Mathematical formula for market predictions"). Этот индикатор может строить три модели Квадратов: 90, 52(104), 144. Шесть вариантов сеток и два варианта дуг. Вы можете построить, одновременно, несколько квадратов на одном графике. Параметры Square — выбор модели квадрата: 90 — квадрат 90 (или квадрат девяти); 52 (104) — квадрат 52 (или 104); 144 — универса
Wapv Price and volume
Eduardo Da Costa Custodio Santos
Индикатор цены и объема WAPV для MT5 является частью набора инструментов (Wyckoff Academy Wave Market) и (Wyckoff Academy Price and Volume). Индикатор цены и объема WAPV для MT5 был создан, чтобы упростить визуализацию движения объема на графике интуитивно понятным способом. С его помощью можно наблюдать моменты пикового объема и моменты, когда рынок не представляет профессионального интереса. Определите моменты, когда рынок движется по инерции, а не по движению «умных денег». Он состоит из 4 цв
VWAP Trend
Driller Capital Management UG
Добро пожаловать уважаемые трейдеры , Предлагаем к покупке индикатор Volume Weighted Average Price (VWAP) . Индикатор запрограммирован таким образом, чтобы его было легко использовать. Просто перетащите его на график, и алгоритм сделает остальное. На основе выбранного временного интервала автоматически рассчитываются объемные взвешенные средние линии цен. В отличие от других индикаторов VWAP, наш индикатор также позволяет рассчитывать для меньших временных интервалов, чем D1, W1 или MN1. Таким о
WaveTrend 3D is the mql version of this oscillator (By jdehorty and LazyBear). WaveTrend 3D (WT3D) is a novel implementation of the famous WaveTrend (WT) indicator and has been completely redesigned from the ground up to address some of the inherent shortcomings associated with the traditional WT algorithm. WaveTrend 3D is an alternative implementation of WaveTrend that directly addresses some of the known shortcomings of the indicator, including its unbounded extremes, susceptibility to whips
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
Версия MT4   |   FAQ Индикатор Owl Smart Levels – это полноценная торговая система внутри одного индикатора, которая включает в себя такие популярные инструменты анализа рынка как усовершенствованные фракталы Билла Вильямса , Valable ZigZag, который строит правильную волновую структуру рынка, а также  уровни Фибоначчи, которые   отмечают точные уровни входа в рынок и места взятия прибыли. Подробное описание стратегии Инструкция по работе с индикатором Советник-помошник в торговле Owl Helper При
Waves PRO
Flavio Javier Jarabeck
For those who appreciate Richard Wyckoff approach for reading the markets, we at Minions Labs designed a tool derived - yes, derived, we put our own vision and sauce into this indicator - which we called Waves PRO . This indicator provides a ZigZag controlled by the market volatility (ATR) to build its legs, AND on each ZigZag leg, we present the vital data statistics about it. Simple and objective. This indicator is also derived from the great book called " The Secret Science of Price and Volum
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.
PipFinite Exit EDGE MT5
Karlo Wilson Vendiola
4.86 (29)
Должна была состояться прибыльная сделка и вдруг отменилась? При наличии надежной стратегии выход из сделки также важен, как и вход. Exit EDGE помогает максимально увеличить доход от текущей сделки и не потерять выигрышные сделки. Всегда будьте внимательны к сигналу на выход из сделки Отслеживайте все пары и тайм-фреймы в одном графике www.mql5.com/en/blogs/post/726558 Торговля Вы можете закрыть уже открытые сделки, как только получите сигнал Закрывайте заявку на покупку, если вы получили си
US30NinjaMT5
Satyaseelan Shankarananda Moodley
US30 Ninja is a 5 minute scalping indicator that will let know you when there is a trade set up (buy or sell). Once the indicator gives the trade direction, you can open a trade and use a 30 pip stop loss and a 30 pip to 50 pip take profit. Please trade at own own risk. This indicator has been created solely for the US30 market and may not yield positive results on any other pair. 
С этим продуктом покупают
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
FX Volume MT5
Daniel Stein
4.82 (17)
FX Volume: Оцените подлинную динамику рынка глазами брокера Краткий обзор Хотите вывести свою торговлю на новый уровень? FX Volume дает вам информацию в реальном времени о том, как розничные трейдеры и брокеры распределяют свои позиции — задолго до появления запаздывающих отчетов типа COT. Независимо от того, стремитесь ли вы к стабильной прибыли или ищете дополнительное преимущество на рынке, FX Volume поможет выявлять крупные дисбалансы, подтверждать пробои и совершенствовать управление риск
Quantum TrendPulse
Bogdan Ion Puscasu
5 (11)
Представляем   Quantum TrendPulse   , совершенный торговый инструмент, который объединяет мощь   SuperTrend   ,   RSI   и   Stochastic   в один комплексный индикатор, чтобы максимизировать ваш торговый потенциал. Разработанный для трейдеров, которые ищут точность и эффективность, этот индикатор помогает вам уверенно определять рыночные тренды, сдвиги импульса и оптимальные точки входа и выхода. Основные характеристики: Интеграция SuperTrend:   легко следуйте преобладающим рыночным тенденциям и п
FX Levels: Исключительно точные уровни поддержки и сопротивления для всех рынков Краткий обзор Ищете надежный способ определить уровни поддержки и сопротивления для любых инструментов—валют, индексов, акций или сырьевых товаров? FX Levels сочетает традиционный «Lighthouse» метод с современным динамическим подходом, обеспечивая почти универсальную точность. Благодаря сочетанию опыта реальных брокеров и автоматических ежедневных плюс «в реальном времени» обновлений, FX Levels поможет вам выявлят
FX Power: Анализируйте силу валют для более эффективной торговли Обзор FX Power — это ваш незаменимый инструмент для понимания реальной силы валют и золота в любых рыночных условиях. Определяя сильные валюты для покупки и слабые для продажи, FX Power упрощает принятие торговых решений и выявляет высоковероятные возможности. Независимо от того, хотите ли вы следовать за трендами или предсказывать развороты с использованием экстремальных значений дельты, этот инструмент идеально адаптируется под
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.86 (14)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
FX Dynamic: Отслеживайте волатильность и тренды с помощью настраиваемого ATR-анализа Обзор FX Dynamic — это мощный инструмент, который использует расчёты среднего истинного диапазона (ATR) для предоставления трейдерам непревзойдённой информации о дневной и внутридневной волатильности. Настраивая понятные пороги волатильности (например, 80%, 100% и 130%), вы можете быстро определять потенциальные возможности для прибыли или получать предупреждения, когда рынок выходит за типичные рамки. FX Dyna
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! ИНСТРУКЦИЯ RUS         INSTRUCTIONS  ENG       Рекомендуем использовать с  индикатором -  RFI LEVELS Version MT4
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-профи
Gold Stuff mt5
Vasiliy Strukov
4.92 (173)
Gold Stuff mt5 - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  Свяжитесь со мной сразу после покупки для получения   персонального бонуса!   Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки и мануал  здесь ПАРАМЕТРЫ Draw Arrow -   вкл.выкл. отрисовку стрелок на графике. Al
IX Power MT5
Daniel Stein
4.83 (6)
IX Power: Получите рыночные инсайты для индексов, сырьевых товаров, криптовалют и форекс Обзор IX Power — это универсальный инструмент для анализа силы индексов, сырьевых товаров, криптовалют и форекс. В то время как FX Power предлагает наивысшую точность для валютных пар, используя данные всех доступных пар, IX Power фокусируется исключительно на данных рынка базового символа. Это делает IX Power отличным выбором для некорреляционных рынков и надежным инструментом для форекса, если вам не нуж
Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретировать. ИНСТРУКЦИЯ RUS         INSTRUCTIONS  ENG           Рекомендуем использовать с индикатором -   TPSpro  TREND PRO -  Version MT4 Основные функции: Отображения ак
Топовый индикатор МТ5, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT4 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его. Б
Скринер поддержки и сопротивления находится в одном индикаторе уровня для MetaTrader, который предоставляет несколько инструментов внутри одного индикатора. Доступные инструменты: 1. Скринер структуры рынка. 2. Зона бычьего отката. 3. Зона медвежьего отката. 4. Ежедневные опорные точки 5. еженедельные опорные точки 6. ежемесячные опорные точки 7. Сильные поддержка и сопротивление, основанные на гармоническом паттерне и объеме. 8. Зоны уровня берега. ПРЕДЛОЖЕНИЕ ОГРАНИЧЕННОЕ ВРЕМЯ: Индикатор подд
Сейчас 147 долл. США (увеличиваясь до 499 долл. США после нескольких обновлений) - неограниченные учетные записи (ПК или Mac) Руководство пользователя + Обучающие видео + Доступ к приватному Discord-каналу + VIP-статус и мобильная версия + Лицензия на 5 ПК с неограниченным количеством аккаунтов и терминалов MT4. Сколько раз вы покупали индикатор торговли с замечательными обратными тестами, доказательствами производительности на живых счетах и зашикарными цифрами и статистикой, но после исполь
ICT, SMC, SMART MONEY CONCEPTS, SMART MONEY, Smart Money Concept, Support and Resistance, Trend Analysis, Price Action, Market Structure, Order Blocks, BOS/CHoCH,   Breaker Blocks ,  Momentum Shift,   Supply&Demand Zone/Order Blocks , Strong Imbalance,   HH/LL/HL/LH,    Fair Value Gap, FVG,  Premium  &   Discount   Zones, Fibonacci Retracement, OTE, Buy Side Liquidity, Sell Side Liquidity, BSL/SSL Taken, Equal Highs & Lows, MTF Dashboard, Multiple Time Frame, BigBar, HTF OB, HTF Market Structure
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   -  MTF      ( Multi Time Frame )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High / Low’s  
The AT Forex Indicator MT5 is a sophisticated trading tool designed to provide traders with a comprehensive analysis of multiple currency pairs. This powerful indicator simplifies the complex nature of the forex market, making it accessible for both novice and experienced traders. AT Forex Indicator uses advanced algorithms to detect trends, patterns and is an essential tool for traders aiming to enhance their forex trading performance. With its robust features, ease of use, and reliable signal
Bill Williams Advanced предназначен для автоматического анализа графика по системе " Profitunity " Билла Уильямса. Индикатор анализирует сразу четыре таймфрейма. Инструкция/Мануал ( Обязательно читайте перед приобретением ) Преимущества 1. Автоматически анализирует график по системе "Profitunity" Билла Уильямса. Найденные сигналы помещает в таблицу в углу экрана. 2. Оснащён трендовым фильтром по индикатору Аллигатор. Большинство сигналов системы рекомендуется использовать только по тренду. 3. На
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"
Enjoy a   50% OFF   Christmas holiday sale!   After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!     Easy Breakout MT5   is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the   Breakout strategy ! This indicator delivers crystal-clear Buy and Sell signals based on breakouts from key support and resis
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Индикатор Matrix Arrow MT5   — это уникальный индикатор тренда 10 в 1, следующий за   100% неперерисовывающимся   индикатором с несколькими таймфреймами, который можно использовать на всех символах/инструментах:   форекс ,  товары ,   криптовалюты ,   индексы ,  акции . Индикатор Matrix Arrow MT5  будет определять текущую тенденцию на ранних этапах, собирая информацию и данные от до 10 стандартных индикаторов, а именно: Индекс среднего направленного движения (ADX) Индекс товарного канала (CCI)
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Индикатор очень точно определяет уровни возможного окончания тренда и фиксации профита. Метод определения уровней основан на идеях В.Д.Ганна (W.D.Gann), с использованием алгоритма, разработанного его последователем Кириллом Боровским. Чрезвычайно высокая достоверность достижения уровней (по словам К.Боровского  – 80-90%) Незаменим для любой торговой стратегии – каждому трейдеру необходимо определить точку выхода из рынка! Точно определяет цели на любых таймфремах и любых инструментах (форекс, ме
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным вы
Gartley Hunter Multi - Индикатор для поиска гармонических моделей одовременно на десятках торговых инструментов и на всех возможных ценовых диапазонах. Инструкция/Мануал ( Обязательно читайте перед приобретением ) | Версия для МТ4 Преимущества 1. Паттерны: Гартли, Бабочка, Акула, Краб. Летучая мышь, Альтернативная летучая мышь, Глубокий краб, Cypher 2. Одновременный поиск паттернов на десятках торговых инструментов и на всех возможных таймфреймах 3. Поиск паттернов всех возможных размеров. От са
Atbot
Zaha Feiz
4.67 (46)
AtBot: Как это работает и как его использовать ### Как это работает Индикатор "AtBot" для платформы MT5 генерирует сигналы на покупку и продажу, используя комбинацию инструментов технического анализа. Он интегрирует простую скользящую среднюю (SMA), экспоненциальную скользящую среднюю (EMA) и индекс средней истинной амплитуды (ATR) для выявления торговых возможностей. Кроме того, он может использовать свечи Heikin Ashi для повышения точности сигналов. Оставьте отзыв после покупки и получите спе
Индикатор Supply Demand использует предыдущее ценовое действие для выявления потенциального дисбаланса между покупателями и продавцами. Ключевым является определение зон с лучшими возможностями, а не просто вероятностей. Индикатор Blahtech Supply Demand обеспечивает функционал, не доступный ни в одной платформе. Этот индикатор 4 в 1 не только выделяет зоны с более высокой вероятностью на основе механизма оценки силы по множественным критериям, но также комбинирует его с мульти-таймфреймовым ана
Berma Bands
Muhammad Elbermawi
5 (3)
Индикатор Berma Bands (BBs) является ценным инструментом для трейдеров, стремящихся определить и извлечь выгоду из рыночных тенденций. Анализируя взаимосвязь между ценой и BBs, трейдеры могут определить, находится ли рынок в фазе тренда или диапазона. Berma Bands состоят из трех отдельных линий: Upper Berma Band, Middle Berma Band и Lower Berma Band. Эти линии наносятся вокруг цены, создавая визуальное представление движения цены относительно общего тренда. Расстояние между этими полосами может
I just sell my products in mql5.com, any other websites are stolen old versions, So no any new updates or support. - Lifetime update free -   Real price is 80$   - 25% Discount ( It is 59$ now ) Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 - Non-repaint 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
Другие продукты этого автора
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
To download MT4 version please click here . - This is the exact conversion from TradingView: "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 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 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: "UT Bot Alerts" by "QuantNomad". The screenshot shows 95% similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. It should be 100%. However I realized there are small difference between quotes even if brokers are the same. This is strange... I think the indicator logic is very data dependent. I have done quite a lot of conversions from tradingview and do not see an
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 get access to MT4 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
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
FREE
To 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: "ZLSMA - Zero Lag LSMA" by "veryfid". 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
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing and non-repaint indicator. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #include <Trade\Trade.mqh> CTrade tra
To get access to MT5 version please click here . 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" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available
To get access to MT4 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
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
To download MT5 version please click  here . This is the exact conversion from TradingView: "WaveTrend [LazyBear]" By "zeusuk3". One of the coolest indicators out there to detect overbought and oversold zones. It can be used as a part of more complicated strategy and for confirming a potential trade setup. There are buffers to use in EAs also. The indicator is loaded light and non-repaint. - You can message in private chat for further changes you need. Thanks for downloading 
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
For MT5 version please click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
For MT4 version please click here . This is the exact conversion from TradingView: "Range Filter 5min" By "guikroth". - This indicator implements Alerts as well as the visualizations. - Input tab allows to choose Heiken Ashi or Normal candles to apply the filter to. It means it is a (2 in 1) indicator. - This indicator lets you read the buffers for all data on the window. For details on buffers please message me. - This is a non-repaint and light processing load indicator. - You can message in p
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By " LuxAlgo ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
For MT4 version please click  here . - This is the exact conversion from TradingView source: "Squeeze Momentum Indicator" By "LazyBear". - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need. Thanks for downloading...
To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the sample code of EA that operates
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the code a sample EA that operated b
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
- This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
FREE
Фильтр:
Juan mesa
28
Juan mesa 2024.05.26 13:53 
 

Пользователь не оставил комментарий к оценке

Yashar Seyyedin
45945
Ответ разработчика Yashar Seyyedin 2024.05.26 13:54
Thanks for the good words. Wish you safe trades
Khulani
166
Khulani 2023.08.02 18:42 
 

Great!

Yashar Seyyedin
45945
Ответ разработчика Yashar Seyyedin 2023.08.02 22:28
Thanks for the review.
Ответ на отзыв
Версия 1.10 2024.03.11
Update to include all sources (TYPICAL, MEDIAN, WEIGHTED) prices.