• Обзор
  • Отзывы (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
Juan mesa
28
Juan mesa 2024.05.26 13:53 
 

excelente seguire comprando a khulani

Khulani
161
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
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли конц
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
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 
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.
Этот индикатор покажет вам значения TP и SL (в этой валюте), которые вы уже установили для каждого ордера на графиках (закрытые от линии транзакции/ордера), что очень поможет вам оценить вашу прибыль и убыток для каждого ордера. И он также показывает вам значения PIP. Показанный формат - «Валютные значения нашей прибыли или убытка / значений PIP». Значение TP будет отображаться зеленым цветом, а значение SL — красным. По любым вопросам или для получения дополнительной информации, пожалуйста,
The best time to trade Using this Indicator is when the time reach exactly hour,half,45 minutes,15 minutes and sometimes 5 minutes.. This indicators is helpful to those who trade boom and crash indecies.How to read this indicator first you'll see Blue allow and Red allow all these allows used to indicate or to detect the spike which will happen so the allow happens soon before the spike happen.This indicator works properly only in boom and crash trading thing which you have to consider when
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 с быстрым периодом - краткосрочные движения и сигналы в сторону тренда Главные отличия от бесплатного варианта: Возможность предсказать вероятность разворота тренда с помощью анализа исторических данных Построени
Профиль Рынка (Market Profile) определяет ряд типов дней, которые помогают трейдеру распознать поведение рынка. Ключевая особенность - это область значений (Value Area), представляющая диапазон ценового действия, в котором произошло 70% торговли. Понимание области значений может помочь трейдерам вникнуть в направление рынка и установить торговлю с более высокими шансами на успех. Это отличное дополнение к любой системе, которую вы возможно используете. Blahtech Limited представляет сообществу Me
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
Наш индикатор   Basic Support and Resistance   - это решение, необходимое для повышения технического анализа.Этот индикатор позволяет вам проектировать уровни поддержки и сопротивления на диаграмме/ версия MT4 Особенности Интеграция уровней Fibonacci: с возможностью отображения уровней Fibonacci наряду с уровнями поддержки и сопротивления, наш показатель дает вам еще более глубокое представление о поведении рынка и возможных областях обращения. Оптимизация производительности: При возможност
The new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
- 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
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.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 цв
Upgraded - Stars added to indentify Areas you can scale in to compound on your entry  when buying or selling version 2.4 Upgraded Notifications and alerts added version 2.3 *The indicator is suitable for all pairs fromm  Deriv pairs (Vix,jump,boom & crash indices) , Currencies, cryptos , stocks(USA100, USA30 ), and metals like gold etc. How does it work? Increasing the period make it more stable hence will only focus on important entry points However  lowering the period will mean the indica
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.89 (37)
Должна была состояться прибыльная сделка и вдруг отменилась? При наличии надежной стратегии выход из сделки также важен, как и вход. 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 Trading - это индикатор, предназначенный для получения максимальной прибыли от трендов, происходящих на рынке, путем определения времени отката и прорыва. Он находит торговые возможности, анализируя, что делает цена во время установленных тенденций. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Торгуйте на финансовых рынках с уверенностью и эффективностью Прибыль от устоявшихся тенденций без проволочек Признать прибыльные откаты,
VR Cub это индикатор что бы получать качественные точки входа. Индикатор разрабатывался с целью облегчить математические расчеты и упростить поиск точек входа в позицию. Торговая стратегия, для которой писался индикатор, уже много лет доказывает свою эффективность. Простота торговой стратегии является ее большим преимуществом, что позволяет успешно торговать по ней даже начинающим трейдерам. VR Cub рассчитывает точки открытия позиций и целевые уровни Take Profit и Stop Loss, что значительно повы
Provided Trend – это сложный индикатор формирования сигналов. В результате работы внутренних алгоритмов вы можете видеть на вашем чарте только три вида сигналов. Первый это сигнал на покупку, второй это сигнал на продажу и третий сигнал на выход с рынка. Параметры: CalcFlatSlow – Первый параметр управляющий главной функцией разбивки ценогого графика на волны. CalcFlatFast – Второй параметр управляющий главной функцией разбивки ценогого графика на волны. CalcFlatAvg - Параметр управляющий гран
Pmax
Celal Engin Baka
PMax is a brand new indicator developed by KivancOzbilgic in earlier 2020. It's a combination of two trailing stop loss indicators; One is Anıl Özekşi's MOST (Moving Stop Loss) Indicator and the other one is well known ATR based SuperTrend. Both MOST and SuperTrend Indicators are very good at trend following systems but conversely their performance is not bright in sideways market conditions like most of the other indicators. Profit Maximizer - PMax tries to solve this problem.   PMax
For a trader, trend is our friend. This is a trend indicator for MT5, can be used on any symbol. just load it to the terminal and you will see the current trend. green color means bullish trend and red means bearlish trend. you can also change the color by yourself when the indicator is loaded to the MT5 terminal the symbol and period is get from the terminal automaticly. How to use: I use this trend indicator on 2 terminals with different period  for the same symbol at same time. for example M5
Повысьте свой опыт торговли с Wamek Trend Consult! Разблокируйте силу точного входа на рынок с нашим передовым торговым инструментом, разработанным для выявления ранних и продолжающихся трендов. Wamek Trend Consult дает трейдерам возможность войти на рынок в идеальный момент, используя мощные фильтры, которые уменьшают ложные сигналы, повышают точность сделок и, в конечном итоге, увеличивают прибыльность. Основные характеристики: 1. Точная идентификация тренда: Индикатор Trend Consult испол
С этим продуктом покупают
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным
Quantum Trend Sniper
Bogdan Ion Puscasu
4.92 (48)
Представляем       Индикатор Quantum Trend Sniper   , инновационный индикатор MQL5, который меняет способ определения разворотов тренда и торговли ими! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Снайперский индикатор Quantum Trend       разработан, чтобы вывести ваше торговое путешествие на новые высоты благодаря инновационному способу определения разворотов тренда с чрезвычайно высокой точностью. ***Купите индикатор Quantum Trend Sniper и получите индикатор
Gold Stuff mt5
Vasiliy Strukov
4.9 (182)
Gold Stuff mt5 - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  Свяжитесь со мной сразу после покупки для получения   персонального бонуса!   Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки и мануал  здесь ПАРАМЕТРЫ Draw Arrow -   вкл.выкл. отрисовку стрелок на графике. A
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! Version MT4                ПОЛНОЕ ОПИСАНИЕ ИНДИКАТОРА          Рекомендуем использовать с  индикатором -  RFI LEVE
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-про
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
Reversal First Impulse levels (RFI)          INSTRUCTIONS     RUS      -      ENG          Рекомендуем использовать с индикатором - TPSpro  TREND PRO -  Version MT4             Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их
Топовый индикатор МТ5, дающий сигналы для входа в сделки без перерисовки! Идеальные точки входа в сделки для  валют, крипты, металлов, акций, индексов !  Смотрите  видео  (6:22) с примером отработки всего одного сигнала, окупившего индикатор. Версия индикатора для MT4 Преимущества индикатора Сигналы на вход без перерисовки Если сигнал появился, он никуда НЕ исчезает! В отличие от индикаторов с перерисовкой, которые ведут к потере депозита, потому что могут показать сигнал, а потом убрать его.
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
Это, пожалуй, самый полный индикатор автоматического распознавания гармонического ценообразования, который вы можете найти для платформы MetaTrader. Он обнаруживает 19 различных паттернов, воспринимает проекции Фибоначчи так же серьезно, как и вы, отображает зону потенциального разворота (PRZ) и находит подходящие уровни стоп-лосс и тейк-профит. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Он обнаруживает 19 различных гармонических цен
Представляем       Quantum Breakout PRO   , новаторский индикатор MQL5, который меняет ваш способ торговли в зонах прорыва! Разработан командой опытных трейдеров со стажем торговли более 13 лет,       Квантовый прорыв PRO       разработан, чтобы поднять ваше торговое путешествие к новым высотам с его инновационной и динамичной стратегией зоны прорыва. Quantum Breakout Indicator покажет вам сигнальные стрелки на зонах прорыва с 5 целевыми зонами прибыли и предложением стоп-лосса на основе по
AW Trend Predictor MT5
AW Trading Software Limited
4.78 (58)
Сочетание тренда и пробоя уровней в одной системе. Продвинутый алгоритм индикатора фильтрует рыночный шум, определяет тренд, точки входа, а также возможные уровни выхода из позиции. Сигналы индикатора записываются в статистический модуль, который позволяет выбирать наиболее подходящие инструменты, показывая эффективность истории сигналов. Индикатор рассчитывает отметки ТейкПрофитов и стоплосса. Руководство пользователя ->  ЗДЕСЬ  / MT4 версия ->  ЗДЕСЬ Как торговать с индикатором: Торговля с Tr
Gartley Hunter Multi - Индикатор для поиска гармонических моделей одовременно на десятках торговых инструментов и на всех возможных ценовых диапазонах. Инструкция/Мануал ( Обязательно читайте перед приобретением ) | Версия для МТ4 Преимущества 1. Паттерны: Гартли, Бабочка, Акула, Краб. Летучая мышь, Альтернативная летучая мышь, Глубокий краб, Cypher 2. Одновременный поиск паттернов на десятках торговых инструментов и на всех возможных таймфреймах 3. Поиск паттернов всех возможных размеров. От
Индикатор очень точно определяет уровни возможного окончания тренда и фиксации профита. Метод определения уровней основан на идеях В.Д.Ганна (W.D.Gann), с использованием алгоритма, разработанного его последователем Кириллом Боровским. Чрезвычайно высокая достоверность достижения уровней (по словам К.Боровского  – 80-90%) Незаменим для любой торговой стратегии – каждому трейдеру необходимо определить точку выхода из рынка! Точно определяет цели на любых таймфремах и любых инструментах (форекс, ме
Свинг-трейдинг - это первый индикатор, предназначенный для обнаружения колебаний в направлении тренда и возможных разворотов. Он использует базовый подход свинговой торговли, широко описанный в торговой литературе. Индикатор изучает несколько векторов цен и времени для отслеживания направления совокупного тренда и выявляет ситуации, когда рынок перепродан или перекуплен и готов к исправлению. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ]
Индикатор Trend Forecaster использует уникальный авторский алгоритм для определения точек входа в сделку по пробойной стратегии. Индикатор определяет ценовые скопления и анализирует движение цены возле уровней и показывает сигнал, когда цена пробивает уровень. Индикатор Trend Forecaster подходит для любых финансовых активов: валюты (Форекс), металлы, акции, индексы, криптовалюты. Также индикатор можно настроить для работы на любых тайм-фреймах, однако в качестве рабочего тайм-фрейма все же реком
Bill Williams Advanced предназначен для автоматического анализа графика по системе " Profitunity " Билла Уильямса. Индикатор анализирует сразу четыре таймфрейма. Инструкция/Мануал ( Обязательно читайте перед приобретением ) Преимущества 1. Автоматически анализирует график по системе "Profitunity" Билла Уильямса. Найденные сигналы помещает в таблицу в углу экрана. 2. Оснащён трендовым фильтром по индикатору Аллигатор. Большинство сигналов системы рекомендуется использовать только по тренду.
Получайте ежедневную информацию о рынке с подробностями и скриншотами через наш утренний брифинг здесь, на mql5 , и в Telegram ! FX Power MT5 NG - это новое поколение нашего популярного измерителя силы валют FX Power. Что же предлагает этот измеритель силы нового поколения? Все, что вы любили в оригинальном FX Power ПЛЮС Анализ силы GOLD/XAU Еще более точные результаты расчетов Индивидуально настраиваемые периоды анализа Настраиваемый предел расчета для еще более высокой производительности Спец
IX Power MT5
Daniel Stein
4.17 (6)
IX Power , наконец, предлагает непревзойденную точность FX Power для нефорексных символов. Он точно определяет интенсивность краткосрочных, среднесрочных и долгосрочных трендов в ваших любимых индексах, акциях, товарах, ETF и даже криптовалютах. Вы можете   анализировать все, что   может предложить ваш терминал. Попробуйте и почувствуйте, как   значительно улучшается ваш тайминг   при торговле. Ключевые особенности IX Power 100% точные результаты расчетов без перерисовки - для всех торгов
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
FX Volume MT5
Daniel Stein
4.94 (17)
Получайте ежедневную информацию о рынке с подробностями и скриншотами в нашем утреннем брифинге здесь, на mql5 , и в Telegram ! FX Volume - это ПЕРВЫЙ и ЕДИНСТВЕННЫЙ индикатор объема, который дает РЕАЛЬНОЕ представление о настроении рынка с точки зрения брокера. Он дает потрясающее представление о том, как институциональные участники рынка, такие как брокеры, позиционируют себя на рынке Forex, гораздо быстрее, чем отчеты COT. Видеть эту информацию прямо на своем графике - это настоящий геймчей
Step into the realm of Forex trading with confidence and precision using XQ, a cutting-edge Forex indicator designed to elevate your trading game to unprecedented heights. Whether you're a seasoned trader or just stepping into the world of currency exchange, XQ Forex Indicator empowers you with the insights and signals needed to make informed trading decisions. The signal conditions are a combination of three indicators, and XQ Forex Indicator only display  medium and long-term trends . The ind
Индикатор Trend Line Map является дополнением к индикатору Trend Screener Indicator. Он работает как сканер всех сигналов, генерируемых скринером тренда (сигналы линии тренда). Это сканер линий тренда на основе индикатора Trend Screener. Если у вас нет индикатора Trend Screener Pro, программа Trend Line Map Pro работать не будет. It's a Trend Line Scanner based on Trend Screener Indicator. If you don't have Trend Screener Pro Indicator,     the Trend Line Map Pro will not work . Зайдя в н
Следующее поколение автоматизированных зон спроса и предложения. Новый инновационный алгоритм, работающий на любом графике. Все зоны создаются динамически в соответствии с ценовым действием рынка. ДВА ТИПА СИГНАЛОВ --> 1) ПРИ ПОПАДАНИИ ЦЕНЫ В ЗОНУ 2) ПРИ ФОРМИРОВАНИИ НОВОЙ ЗОНЫ Вы не получите еще один бесполезный индикатор. Вы получаете полную торговую стратегию с проверенными результатами.     Новые особенности:     Оповещения, когда цена достигает зоны спроса/предложения
Индикатор указывает наиболее подходящие точки входа и выхода из сделок. Также отображаются статистические данные по всем сигналам для лучшего анализа торговли. С помощью этого индикатора вы сможете лучше понимать рынок. Как только сила тренда начнет слабеть (это будет показано на панели), линия тренда будет тяготеть к горизонтальному положению - это сигнал на выход из сделки. Либо можно выходить при достижении уровня среднего/медианного профита. Индикатор стал результатом моего торгового опыта
Станьте Breaker Trader и получайте прибыль от изменений структуры рынка по мере изменения цены. Индикатор выключателя блока ордеров определяет, когда тренд или движение цены приближаются к истощению и готовы развернуться. Он предупреждает вас об изменениях в структуре рынка, которые обычно происходят, когда произойдет разворот или серьезный откат. Индикатор использует собственный расчет, который определяет прорывы и ценовой импульс. Каждый раз, когда новый максимум формируется около возможн
The iChannels
BeeXXI Corporation
5 (1)
Сверхбыстрое распознание параболических каналов ( а также линейных, горизонтальных и волнообразных) на всей глубине истории, создавая иерархию каналов. Необходима настройка: Max bars in chart: Unlimited Данный индикатор предназначен в первую очередь для алгоритмического трейдинга, но можно использовать и для ручной торговли  Данный индикатор будет иметь в ближайшем будущем очень активную эволюцию и подробные описания, как применять для создания роботов
Представляем   Quantum Heiken Ashi PRO Свечи Heiken Ashi, разработанные для обеспечения четкого понимания рыночных тенденций, известны своей способностью отфильтровывать шум и устранять ложные сигналы. Попрощайтесь со сбивающими с толку колебаниями цен и познакомьтесь с более плавным и надежным представлением графиков. Что делает Quantum Heiken Ashi PRO действительно уникальным, так это его инновационная формула, которая преобразует данные традиционных свечей в легко читаемые цветные столбцы. Кр
Matreshka
Dimitr Trifonov
5 (1)
Самотестируемый и самооптимизируемый и ндикатор Matreshka: 1. Я вляется интерпретацией Теории Волнового Анализа Элиотта. 2. За основу взят принцип индикатора типа ZigZag, а волны строятся на принципе интерпретации теории ДеМарка. 3. Фильтрует волны по длине и высоте. 4. Рисует до шести уровней ZigZag одновременно , отслеживая волны разных порядков. 5. Отмечает Импульсные и Откатные волны. 6. Рисует стрелки для открытия позиций 7. Рисует три канала. 8. Отмечает уровни поддержки и сопротивления. 9
Другие продукты этого автора
To get access to MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". 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 trade; int handle_supertrend= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input dou
I do not have the exact indicator for MT4 but the nearest possible look alike can be downloaded from here . Also you may check this link . This is the exact conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". One of the coolest indicators out there to detect trend direction and strength. As a trader you always need such indicator to avoid getting chopped in range markets. There are ten buffers as colors to use in EAs also. The indicator is loaded light and non-repaint. Not
To get access to MT5 version please click here . This is 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 a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Didi Index" by " everget ". - This is a popular version of DIDI index on tradingview. - This is a light-load processing and non-repaint indicator. - Buffer is available for the lines on chart and arrows on chart. - You can message in private chat for further changes you need. Thanks for downloading
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
Please backtest with the exact balance of your live account before applying to real money. ==> If account balance is too low it may not trade at all! For MT4 version please contact via private message. Strategy description - Detect trend based on GoldTrader rules. - Enter in both direction as much as needed to achieve acceptable amount of profit. - Although this is a martingale bot it is very unlikely to loose your money, because: ==> the money management rules are safe and low risk. ==> entries
FREE
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
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: " Better RSI with bullish / bearish market cycle indicator" by TradeCalmly. This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need.
To get access to MT5 version please click here . This is the exact conversion from TradingView: "Zero Lag MACD Enhanced - Version 1.2" by "   Albert.Callisto ". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks
To get access to MT5 version please click here . This is the exact conversion from TradingView:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT4 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT5 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By "   LuxAlgo   ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
B Xtrender
Yashar Seyyedin
5 (1)
To download MT4 version please click here . This is the exact conversion from TradingView: "B-Xtrender" By "QuantTherapy". - It is an oscillator based on RSI and multiple layers of moving averages. -   It is a two in one indicator to calculate overbought and oversold zones for different RSI settings. -  This indicator lets you read the buffers for all data on the window. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
For MT4 version please click here . This is the exact conversion from TradingView: "Range Filter 5min" By "guikroth". - This indicator implements Alerts as well as the visualizations. - Input tab allows to choose Heiken Ashi or Normal candles to apply the filter to. It means it is a (2 in 1) indicator. - This indicator lets you read the buffers for all data on the window. For details on buffers please message me. - This is a non-repaint and light processing load indicator. - You can message in p
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By " LuxAlgo ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
For MT4 version please send private message. - This is the exact conversion from TradingView source: "Hurst Cycle Channel Clone Oscillator" By "LazyBear". - For bar color option please send private message. - This is a non-repaint and light processing load indicator. - Buffers and inputs are available for use in EAs and optimization purposes. - You can message in private chat for further changes you need.
To get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
This is MacroTrendTrader. It trades in DAILY time frame even if you run it on lower time frames. It opens/closes trades once per day at a specific time that you choose via input tab: - "param(1-5)" are optimization parameters. - "Open/Close Hour" is set via input tab. Make sure to choose this to be away from nightly server shutdown. - "high risk" mode if chosen, sets a closer stop loss level. Therefore higher lot sizes are taken.  This is a light load EA from processing point of view. Calculatio
FREE
To download MT5 version please click here . - This is vortex indicator. - It is used to detect trend strength and direction. - It consists of two line(buffers). ==> VIM and VIP - There are three types of signals related to this indicator: 1. crossing VIM and VIP 2. threshold on distance between VIP and VIM 3. VIP above VIM vice versa. - This is a non-repaint indicator with light processing.
FREE
To download MT4 version please click here . 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
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 . 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
- 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 
 

excelente seguire comprando a khulani

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

Great!

Yashar Seyyedin
37453
Ответ разработчика 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.