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

Hull Suite By Insilico for MT4

5

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

enum MA_TYPE{HMA, THMA, EHMA};
input string    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 useAlert=false; //Enable Alerts
input bool usePushNotification=false; //Enable Mobile Notification

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 index)
{
   double val1=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\Hull Suite By Insilico for MT4",
    modeSwitch, src, length, lengthMult, useAlert, usePushNotification, 15, index);
   double val2=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\Hull Suite By Insilico for MT4",
    modeSwitch, src, length, lengthMult, useAlert, usePushNotification, 15, index+2);
   return val1>val2;
}

bool IsHULLSell(int index)
{
   double val1=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\Hull Suite By Insilico for MT4",
    modeSwitch, src, length, lengthMult, useAlert, usePushNotification, 15, index);
   double val2=iCustom(_Symbol, PERIOD_CURRENT,
    "Market\\Hull Suite By Insilico for MT4",
    modeSwitch, src, length, lengthMult, useAlert, usePushNotification, 15, index+2);
   return val1<val2;
}

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

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

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

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

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

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

datetime timer=NULL;
bool isNewBar()
{
   datetime candle_start_time= (int)(TimeCurrent()/(PeriodSeconds()))*PeriodSeconds();
   if(timer==NULL) {}
   else if(timer==candle_start_time) return false;
   timer=candle_start_time;
   return true;
}


Отзывы 1
fwbr15
44
fwbr15 2023.10.26 16:28 
 

Hi. I purchased this indicator but everytime i try to insert it in the mt4 it´s removed automaticaly. MQL5 installed it to my demo account but i am trying to use it in my real acc and it´s not working. What should i do?

Рекомендуем также
Master scalping M1 -инновационный индикатор, использующий алгоритм для быстрого и точного определения тренда.Индикатор рассчитывает время открытия и закрытия позиций, алгоритмы индикатора позволяют находить идеальные моменты для входа в сделку (покупки или продажи актива), повышающие успешность сделок у большинства трейдеров. Преимущества индикатора: Прост в использовании, не перегружает график не нужной информацией. Возможность использования  как фильтр для любой стратегии. Работает на рынке
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
Профиль Рынка (Market Profile) определяет ряд типов дней, которые помогают трейдеру распознать поведение рынка. Ключевая особенность - это область значений (Value Area), представляющая диапазон ценового действия, в котором произошло 70% торговли. Понимание области значений может помочь трейдерам вникнуть в направление рынка и установить торговлю с более высокими шансами на успех. Это отличное дополнение к любой системе, которую вы возможно используете. Blahtech Limited представляет сообществу Me
Title : Market Bias Indicator - Oscillator-Based Trading Tool Introduction : Discover the potential of the "Market Bias Indicator," a revolutionary oscillator-based trading tool designed for precise market analysis. If you're in search of a robust alternative to traditional bias indicators, your quest ends here. Market Bias Indicator offers unparalleled accuracy in identifying market sentiment and is your gateway to confident trading decisions. Recommended Trading Pairs : Market Bias Indicator i
To get access to MT5 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
The   Strategy Tester   product is an indicator where you can both test and run strategies. There are 64 strategies in total in this indicator. It uses 3 indicators. You can test tens of thousands of strategies by changing the parameter settings of these indicators. You can run 6 strategies at the same time. With this product, you will now create your own signals. Recommendations and Features Used indicators:   Rsi, Bears power, Stochastic It works on all   time frame   Recommended time frame
Pro Trend Tracking   indicator is designed for trend and signal trading. This indicator generates trend signals.  It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators.  You can only trade with this indicator. The generated signals are displayed on the graphical screen.  Thanks to the alert features you can
Технический индикатор рассчитывающий свои показания на объемах торгов. В виде гистограммы показывает накопление силы движения торгового инструмента. Имеет независимые системы расчета для бычьего и медвежьего направления. Работает на любых торговых инструментах и тайм-фреймах. Может дополнить любую торговую систему. Индикатор не перерисовывает своих значений, сигналы появляются на текущей свече. Прост в использовании и не загружает график, не  требует производить дополнительные расчеты параметр
Daily Candle Predictor - это индикатор, который предсказывает цену закрытия свечи. Прежде всего индикатор предназначен для использования на графиках D1. Данный индикатор подходит как для традиционной форекс торговли, так и для торговли бинарными опционами. Индикатор может использоваться как самостоятельная торговая система, так может выступать в качестве дополнения к вашей уже имеющейся торговой системе. Данный индикатор производит анализ текущей свечи, рассчитывая определенные факторы силы внут
Fibonacci retracement and extension line drawing tool Fibonacci retracement and extended line drawing tool for MT4 platform is suitable for traders who use  golden section trading Advantages: There is no extra line, no too long line, and it is easy to observe and find trading opportunities Trial version: https://www.mql5.com/zh/market/product/35884 Main functions: 1. Multiple groups of Fibonacci turns can be drawn directly, and the relationship between important turning points
Trend Bilio - стрелочный индикатор без перерисовки показывает потенциальные точки входа в рынок в виде стрелок соответствующего цвета: стрелки вверх красные предлагают открыть покупку, зеленые стрелки вниз – продажу. Предполагается вход на следующем баре после указателя. Стрелочный индикатор Trend Bilio визуально «разгружает» ценовой график и экономит время анализа: нет сигнала – нет сделки, если появился обратный сигнал, то текущую сделку стоит закрыть. Именно Trend Bilio считается хорошим в
TWO PAIRS SQUARE HEDGE METER INDICATOR Try this brilliant 2 pairs square indicator It draws a square wave of the relation between your two inputs symbols when square wave indicates -1 then it is very great opportunity to SELL pair1 and BUY Pair2 when square wave indicates +1 then it is very great opportunity to BUY pair1 and SELL Pair2 the inputs are : 2 pairs of symbols         then index value : i use 20 for M30 charts ( you can try other values : 40/50 for M15 , : 30 for M30 , : 10 for H1 ,
Forex Gump
Andrey Kozak
2.83 (6)
Forex Gump - это полностью готовая полуавтоматическая торговая система. В виде стрелок на экран выводятся сигналы для открытия и закрытия сделок. Все, что вам нужно, это следовать указаниям индикатора. Когда индикатор показывает синюю стрелку, Вам нужно открывать ордер на покупку. Когда индикатор показывает красную стрелку, нужно открывать ордер на продажу. Закрываем ордера когда индикатор рисует желтый крестик. Для того, чтобы получить максимально эффективный результат, рекомендуем использовать
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation. S
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.
Уникальная мультивалютная авторская стратегия, одновременно определяющая силу трендов и точки входа в рынок, визуализируя это с помощью гистограмм на графике. Индикатор оптимально адаптирован для торговли на временных периодах М5, М15, М30, Н1. При этом для удобства пользователя по определенной точке всегда появляется точка входа (в виде стрелки), рекомендуемые уровни получения прибыли (TP1, TP2 с текстовыми метками) и рекомендация по установке Стоп Лосс. Уровни получения прибыли (TP1, TP2) авто
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 
Heiken Ashi candle chart is an improved version of The Japanese candle chart, which can effectively filter the market "noise" of the Japanese candle chart. It is favored by many traders for its simplicity and intuition. For trend traders, the HA candle chart is a magic tool. Unlike the traditional Japanese candle chart, Heikenashi does not reflect the opening price, high price, low price and closing price of the market. Instead, Heikenashi calculates the value of a single K line in the dominant
The Th3Eng PipFinite indicator is based on a very excellent analysis of the right trend direction with perfect custom algorithms. It show the true direction and the best point to start trading. With StopLoss point and Three Take Profit points. Also it show the right pivot of the price and small points to order to replace the dynamic support and resistance channel, Which surrounds the price. And Finally it draws a very helpful Box on the left side on the chart includes (take profits and Stop loss
Усовершенствованная версия бесплатного индикатора HMA Trend (для MetaTrader 4) , с возможностью статистического анализа. HMA Trend - трендовый индикатор, базирующийся на скользящей средней Хала (Hull Moving Average - HMA) с двумя периодами. HMA с медленным периодом определяет тренд, HMA с быстрым периодом - краткосрочные движения и сигналы в сторону тренда. Главные отличия от бесплатного варианта: Возможность предсказать вероятность разворота тренда с помощью анализа исторических данных; Постр
Eurosmart Pro  is a smart indicator of detecting trends,  contains two intelligences. first is intelligence detects trends, and filter on the indicator can function to eliminate false signals. This indicator allows you to open trading easily and accurately. all indicator features are easy to use and easy to understand. Trading Rule: Pair   : EURUSD, EURJPY Trading Sesion : London and New York Sesion Time Frame : M30/H1 Stop Trading : Sideway Market  and High news impact (NFP, ECB) Open BUY : Ca
A tall upper shadow occurs when the price moves during the period, but goes back down, which is a bearish signal. A tall lower shadow forms when bears push the price down, but bulls pull it back up, which leaves a long line or shadow. This is considered a bullish signal. Some technical analysts believe a tall or long shadow means the stock will turn or reverse. Some believe a short or lower shadow means a price rise is coming. In other words, a tall upper shadow means a downturn is coming, whil
This is a new strategy for SUPPLY DEMAND areas It is based on a calculation using the tick volume to detect the big price action in market for both bear /bull actions this smart volume action candles are used to determine the supply and demand areas prices in between main supply and demand lines indicate sideway market  up arrows will be shown when prices moves above the main supply and the secondary supply lines Down arrows will be shown when prices moves below the main demand and the secondary
Индикатор Super Volume Trend использует набор алгоритмов и индикаторов. Цель индикатора - поиск надежных трендов с конкретными изменениями объема. При поиске применяются системы сортировки. Индикатор прост в освоении и использовании. В других индикаторах не нуждается. Однако пользователи могут применять его вместе с другими индикаторами, которые соответствуют их стратегии. Применение Настройки периода установлены так, что бары индикатора должны пересекать сигнальные линии. Если синие бары закр
Scalping Snake Pro - уникальный скальпинговый индикатор, который показывает трейдеру моменты разворота цены и не перерисовывается. Этот индикатор, в отличии от многих других в интернете, не перерисовывает свои значения. Он рисует сигналы на самом первом баре, что позволяет не запаздывать с открытием сделок. Этот индикатор при появлении сигнала отправляет трейдеру на телефон и email уведомления. Весь этот функционал Вы получаете всего за 147$. Как торговать с помощью этого индикатора? Открываем
The SuperTrend indicator is a popular technical analysis tool used by traders and investors to identify trends in the price of a financial instrument, such as a stock, currency pair, or commodity. It is primarily used in chart analysis to help traders make decisions about entering or exiting positions in the market. this version of super trend indicator is exactly converted from trading view to be used in MT4
Bintang Binary Indicator work all pairs Time Frame : M5 Expaired : 1 Candle No Repaint, No Delay and Alerts Use manual and auto trading  Easy to use Trial Version, Rent Version and Full Version avaliable Trial Version >>> download here  https://www.mql5.com/en/market/product/54602 Trial Version not have Alerts Rent version 1 month, 3 month, 6 month, 9 month, and 1 years Auto trading is better use MT2 Trading Platform (Contact me for discount 10 % MT2 trading licence) Work good for forex trading
Delta Pairs
Anatolii Zainchkovskii
1 (1)
Delta Pairs - Индикатор для парной торговли, показывает расхождение двух валютных пар. Не перерисовывается. Полезный инструмент для анализа поведения двух валютных пар относительно друг друга. Назначение Индикатор Delta Pairs предназначен для определения расхождений в движении двух валютных пар. Данный индикатор отображается как два графика линий и разницы (дельты) между этими графиками в виде гистограммы. Индикатор Delta Pairs будет удобен тем, кто применяет парную торговлю. В основе этого ме
This indicator displays the histogram and arrows on chart. When Simple The Best Pro are placed on a chart, they identify the trend.  The color of may be blue or red. The blue color stands for upside moves and the red color stands for downside trends. The indicator offers to set Stop Loss (SL) and  Take Profit (TP)  setting. The default value is ATR. Indicator has automatic optimization. The STB is a unique indicator that shows the tendency (button Bars) of a particular signals. The STB tells us
Bollinger Squeeze Trend Indicator is a technical analysis tool used in the investment and trading world. This indicator helps identify market trends by analyzing the price movements of assets. The Bollinger Squeeze Trend Indicator uses a variation of Bollinger Bands and focuses specifically on the relationships between volatility and price movements. Essentially, the Bollinger Squeeze Trend indicator is designed to recognize periods of narrowing and widening of bands. This can help identify p
С этим продуктом покупают
Gann Made Easy - это профессиональная, но при этом очень простая в применении Форекс система, основанная на лучших принципах торговли по методам господина У.Д. Ганна. Индикатор дает точные BUY/SELL сигналы, включающие в себя уровни Stop Loss и Take Profit. Пожалуйста, напишите мне после покупки! Я поделюсь своими рекомендациями по использованию индикатора. Также вас ждет отличный бонусный индикатор в подарок! Вероятно вы уже не раз слышали о торговли по методам Ганна. Как правило теория Ганна от
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Используя несколько слоев сложных индикаторов, Атомный анали
Scalper Vault — это профессиональная торговая система, которая дает вам все необходимое для успешного скальпинга. Этот индикатор представляет собой полную торговую систему, которую могут использовать трейдеры форекс и бинарных опционов. Рекомендуемый тайм фрейм М5. Система дает точные стрелочные сигналы в направлении тренда. Она также предоставляет вам сигналы выхода и рассчитывает рыночные уровни Ганна. Индикатор дает все типы оповещений, включая PUSH-уведомления. Пожалуйста, напишите мне после
TPSpro TRENDPRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! -  Version MT5                   ПОЛНОЕ ОПИСАНИЕ          /        СЕТАПЫ ДЛЯ ТОРГОВЛИ                        Реком
Trend Screener
STE S.S.COMPANY
4.83 (86)
Индикатор тренда, революционное уникальное решение для торговли и фильтрации тренда со всеми важными функциями тренда, встроенными в один инструмент! Это 100% неперерисовывающийся мультитаймфреймный и мультивалютный индикатор, который можно использовать на всех инструментах/инструментах: форекс, товары, криптовалюты, индексы, акции. Trend Screener - это эффективный индикатор, следующий за трендом, который выдает сигналы тренда в виде стрелок с точками на графике. Функции, доступные в индикаторе
Представляем       Индикатор Quantum Trend Sniper   , инновационный индикатор MQL5, который меняет способ определения разворотов тренда и торговли ими! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Снайперский индикатор Quantum Trend       разработан, чтобы вывести ваше торговое путешествие на новые высоты благодаря инновационному способу определения разворотов тренда с чрезвычайно высокой точностью. ***Купите индикатор Quantum Trend Sniper и получите индикатор
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли концепциями умных денег. Этот индикатор сосредотачивается н
В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 26% Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и новую формулу. С помощью всего лишь ОДНОГО графика вы можете определить силу валюты для 28 пар Форекс! Представьте, как улучшится ваша торговля, потому что вы сможете точно определить точку запуска нового тренда или возможность скальпирования? Руководство пользователя:
Важным ключевым элементом в трейдинге является зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретировать. Первые Импульсные Уровни (ПИУ)     -      Reversal First Impulse levels (RFI)   -  Version MT5                INSTRUCTIONS                 RUS                 E
Advanced Supply Demand
Bernhard Schweigert
4.92 (310)
Этот индикатор является уникальным, качественным и доступным инструментом для торговли, включающим в себя наши собственные разработки и новую формулу. В обновленной версии появилась возможность отображать зоны двух таймфреймов. Это означает, что вам будут доступны зоны не только на старшем ТФ, а сразу с двух таймфреймов - таймфрейма графика и старшего: отображение вложенных зон. Обновление обязательно понравится всем трейдерам, торгующим по зонам спроса и предложения. Важная информация Для мак
Топовый индикатор МТ4, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки   для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT5 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его.
Инновационный индикатор, использующий эксклюзивный алгоритм для быстрого и точного определения тренда. Индикатор автоматически рассчитывает время открытия и закрытия позиций, а также подробную статистику работы индикатора на заданном отрезке истории, что позволяет выбрать наилучший торговый инструмент для торговли. Вы также можете подключить свои пользовательские стрелочные индикаторы к Scalper Inside Pro для проверки и расчета их статистики и прибыльности. Scalper Inside PRO инструкция и настро
Откройте для себя секрет успешной торговли форекс с нашим пользовательским индикатором MT4! Задумывались ли вы, как добиться успеха на рынке Forex, постоянно зарабатывая прибыль при минимизации риска? Вот ответ, который вы искали! Позвольте нам представить наш собственный индикатор MT4, который будет революционизировать ваш подход к торговле. Уникальная универсальность Наш индикатор специально разработан для пользователей, которые предпочитают формирования свечей Renko и Rangebar. Мы пони
TrendMaestro
Stefano Frisetti
5 (2)
note: this indicator is for METATRADER4, if you want the version for METATRADER5 this is the link: TRENDMAESTRO recognizes a new TREND in the bud, he never makes mistakes. The certainty of identifying a new TREND is priceless. DESCRIPTION TRENDMAESTRO identifies a new TREND in the bud, this indicator examines the volatility, volumes and momentum to identify the moment in which there is an explosion of one or more of these data and therefore the moment in which prices have strong probability of f
В настоящее время скидка 20%! Лучшее решение для новичка или трейдера-эксперта! Эта приборная панель работает на 28 валютных парах. Он основан на 2 наших основных индикаторах (Advanced Currency Strength 28 и Advanced Currency Impulse). Он дает отличный обзор всего рынка Forex. Он показывает значения Advanced Currency Strength, скорость движения валюты и сигналы для 28 пар Forex на всех (9) таймфреймах. Представьте, как улучшится ваша торговля, когда вы сможете наблюдать за всем рынком с пом
Представляем удивительный форекс-индикатор "Miraculous": раскройте силу точного трейдинга Вы устали от бесконечного поиска лучшего форекс-индикатора, который действительно доставляет исключительные результаты на всех таймфреймах? Не ищите дальше! Представляем вам форекс-индикатор "Miraculous", который пришел, чтобы изменить ваш опыт трейдинга и поднять ваши прибыли на новый уровень. Основанный на передовых технологиях и годам тщательной разработки, форекс-индикатор "Miraculous" является вершиной
Станьте Breaker Trader и получайте прибыль от изменений структуры рынка по мере изменения цены. Индикатор выключателя блока ордеров определяет, когда тренд или движение цены приближаются к истощению и готовы развернуться. Он предупреждает вас об изменениях в структуре рынка, которые обычно происходят, когда произойдет разворот или серьезный откат. Индикатор использует собственный расчет, который определяет прорывы и ценовой импульс. Каждый раз, когда новый максимум формируется около возможн
Получайте ежедневную информацию о рынке с подробностями и скриншотами через наш утренний брифинг здесь, на mql5 , и в Telegram ! FX Power MT4 NG - это новое поколение нашего популярного измерителя силы валют FX Power. Что же предлагает этот измеритель силы нового поколения? Все, что вы любили в оригинальном FX Power ПЛЮС Анализ силы GOLD/XAU Еще более точные результаты расчетов Индивидуально настраиваемые периоды анализа Настраиваемый предел расчета для еще более высокой производительности Спец
МУЛЬТИВАЛЮТНАЯ И МНОГОТАЙМФОРМНАЯ ПОКУПКА И ПРОДАЖА. АВТОМАТИЧЕСКИЙ ТРЕЙЛИНГ-СТОП И ВОЗНАГРАЖДЕНИЕ ЗА РИСК ТЕЙКПРОФИТ! ИНДИКАТОР СКАНИЗИРУЕТ И АНАЛИЗИРУЕТ РЫНОК, ТАК ЧТО ВАМ НЕЧЕГО ДЕЛАТЬ! ТОРГУЙТЕ ВСЕМИ ВАЛЮТАМИ НА ОДНОМ ГРАФИКЕ!   После покупки оставьте комментарий, свяжитесь со мной и я пришлю вам советника по торговле. Индикатор использует несколько осцилляторов и прикрепленных к ним фильтров для поиска лучших ПОДТВЕРЖДЕННЫХ точек входа, поэтому вам не нужно об этом беспокоиться! Он п
Представляем       Quantum Breakout PRO   , новаторский индикатор MQL5, который меняет ваш способ торговли в зонах прорыва! Разработанная командой опытных трейдеров с опытом торговли более 13 лет,   Quantum Breakout PRO   предназначена для того, чтобы вывести ваше торговое путешествие на новые высоты благодаря своей инновационной и динамичной стратегии зон прорыва. Quantum Breakout Indicator покажет вам сигнальные стрелки на зонах прорыва с 5 целевыми зонами прибыли и предложением стоп-лос
PRO Renko System - это высокоточная система торговли на графиках RENKO. Система универсальна. Данная торговая система может применяться к различным торговым инструментам. Система эффективно нейтрализует так называемый рыночный шум, открывая доступ к точным разворотным сигналам. Индикатор прост в использовании и имеет лишь один параметр, отвечающий за генерацию сигналов. Вы легко можете адаптировать алгоритм к интересующему вас торговому инструменту и размеру ренко бара. Всем покупателям с удовол
TrendDecoder Premium
Christophe, Pa Trouillas
5 (3)
Определите диапазоны и следующие вероятные движения   |  Получите самые ранние сигналы и силу трендов   |  Получите четкие выходы перед разворотом   |  Определите уровни Фибо, которые будет тестировать цена Индикатор без перерисовки и задержек - идеально подходит для ручной и автоматической торговли - подходит для всех активов и всех временных единиц Ограниченное предложение >>   50% OFF После покупки пожалуйста, свяжитесь с моим каналом  для получения рекомендуемых настроек Версия   МТ5 :   кли
Currency Strength Wizard — очень мощный индикатор, предоставляющий вам комплексное решение для успешной торговли. Индикатор рассчитывает силу той или иной форекс-пары, используя данные всех валют на нескольких тайм фреймах. Эти данные представлены в виде простых в использовании индексов валют и линий силы валют, которые вы можете использовать, чтобы увидеть силу той или иной валюты. Все, что вам нужно, это прикрепить индикатор к графику, на котором вы хотите торговать, и индикатор покажет вам ре
Этот индикатор невозможно остановить в сочетании с другим нашим индикатором под названием Katana. После покупки напишите нам сообщение и вы сможете получить Katana БЕСПЛАТНО в качестве БОНУСА! Цена скоро увеличится до $149! Не пропустите это выгодное предложение за 65 долларов! Индикатор «Прогнозирование тренда» — это уникальный и простой инструмент, который позволяет прогнозировать будущее движение цен на основе сигналов, генерируемых MACD. Это поможет вам оценить области, в которых цена мож
СЕЙЧАС СКИДКА 31% !!! Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и секретную формулу. Всего на ОДНОМ графике он выдает алерты по всем 28 валютным парам. Представьте, как улучшится ваша торговля, ведь вы сможете точно определить точку запуска нового тренда или возможность скальпирования! Построенный на новых базовых алгоритмах, он позволяет е
FX Volume
Daniel Stein
4.6 (35)
Получайте ежедневную информацию о рынке с подробностями и скриншотами в нашем утреннем брифинге здесь, на mql5 , и в Telegram ! FX Volume - это ПЕРВЫЙ и ЕДИНСТВЕННЫЙ индикатор объема, который дает РЕАЛЬНОЕ представление о настроении рынка с точки зрения брокера. Он дает потрясающее представление о том, как институциональные участники рынка, такие как брокеры, позиционируют себя на рынке Forex, гораздо быстрее, чем отчеты COT. Видеть эту информацию прямо на своем графике - это настоящий геймчей
Индикатор обнаруживает гармонические паттерны, которые строятся на графике с помощью ручных и автоматических методов. Руководство пользователя доступно по этой ссылке: Add Your review And contact us to get it Это бесплатная версия продукта. Вы можете использовать его для обнаружения паттернов Gartley и Nenstar: https://www.mql5.com/ru/market/product/30181 Примечания Если вы используете Windows 10, нажмите на иконку MetaTrader правой кнопкой мыши > "Совместимость" > "Переопределите режим масш
TakePropips Donchian Trend Pro
Eric John Pajarillaga Aldana
4.82 (17)
TakePropips Donchian Trend Pro   (MT4) — это мощный и эффективный инструмент, который автоматически определяет направление тренда с помощью канала Дончиана и предоставляет вам торговые сигналы для входа и выхода! Этот многофункциональный индикатор включает в себя сканер тренда, торговые сигналы, статистическую панель, скринер, торговые сессии и панель истории предупреждений. Он разработан, чтобы предоставить вам торговые сигналы и сэкономить время на анализе графиков! Вы можете скачать руководст
Способ применения Pair Trading Station Рекомендуется использовать Pair Trading Station на таймфрейме H1 с любой валютной парой. Чтобы получить сигналы на покупку и продажу, следуйте указанным ниже инструкциям по применению Pair Trading Station в терминале MetaTrader. При загрузке Pair Trading Station на график индикатор оценит доступные исторические данные на вашей платформе MetaTrader для каждой валютной пары. В самой начале на графике отобразятся исторические данные, доступные для каждой валют
Market Structure Patterns   is an indicator based on   smart money concepts   that displays almost all of the   SMC/ICT   elements needed to take your trading decisions to the next level. Take advantage of the   alerts ,   push notifications   and   email messages   to keep informed from when an element is formed on the chart, the price crosses a level and/or enters in a box/zone. Developers can access the values of the elements of the indicator using the   global variables  what allows the aut
Другие продукты этого автора
For MT4 version please send private message. - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - For bar color option please send private message. - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need.
B Xtrender
Yashar Seyyedin
5 (1)
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
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 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 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: "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 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 get access to MT5 version please contact via private message. This is the exact conversion from TradingView:Nadaraya-Watson Envelope" by " LuxAlgo ". This is not a light-load processing indicator. It is a REPAINT indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To get access to MT5 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose to apply the trend indicator to normal candles via input tab. (two in one indicator) This is a non-repaint and light processing load indicator. You can message in private chat for further change
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. martingale version is available here . Strategy description - Detect trend based on EMA18-EMA50-SMA200 alignment in three time frames: M15, H1, H4 - Trade in trend direction and exit when above alignment is broken. - The bot is tuned to trade XAUUSD(Gold). - The bot output is break even in rangi
FREE
To download MT4 version please click here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
To download MT5 version please click  here . 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: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "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. Thanks for downloading
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To get access to MT5 version please contact via private message. This is the exact conversion from TradingView: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
To get access to MT5 version please contact via private message. This indicator is not a standard indicator and you may get into trouble installing it. Please contact via private chat if you face trouble. This is exact conversion from TradingView: "Consolidation Zones - Live" by "LonesomeTheBlue". This is a light-load processing indicator. Updates are available only upon candle closure. Buffers are available for processing in EAs. It is a repaint indicator. So previous buffer values do not repre
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Range Identifier" By "Mango2Juice". - All twelve averaging options are available:  EMA, DEMA, TEMA, WMA, VWMA, SMA, SMMA, RMA, HMA, LSMA, Kijun, McGinley - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart and not for thresholds.  - You can message in private chat for further changes you need.
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 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 . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
FREE
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
To download MT5 version please click  here . This is the exact conversion from TradingView: "RSI versus SMA" By "JayRogers". This indicator lets you read the buffers for all Lines on chart.  Note: This is an indicator, Not an expert. Meaning It does not take trades. If you want the EA please contact via message. You can easily use the indicator to understand the logic behind trades that the TradingView strategy takes. The strategy is profitable if this indicator is applied to the right symbol at
FREE
- 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
Фильтр:
fwbr15
44
fwbr15 2023.10.26 16:28 
 

Hi. I purchased this indicator but everytime i try to insert it in the mt4 it´s removed automaticaly. MQL5 installed it to my demo account but i am trying to use it in my real acc and it´s not working. What should i do?

Yashar Seyyedin
31935
Ответ разработчика Yashar Seyyedin 2023.10.26 16:34
Hello. I will send it via private message as soon as I get home.
Ответ на отзыв
Версия 1.30 2024.03.11
Update to include all sources (TYPICAL, MEDIAN, WEIGHTED) prices.
Версия 1.20 2023.09.12
Mobile push notifications option added.
Версия 1.10 2023.09.12
Added option to enable alerts.