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

Supertrend by KivancOzbilgic

5

To get access to MT4 version please click here.

  • This is the exact conversion from TradingView: "Supertrend" by "KivancOzbilgic".
  • The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.
  • This is a light-load processing and non-repaint indicator.
  • You can message in private chat for further changes you need.

Here is the source code of a simple Expert Advisor operating based on signals from Supertrend.

#include <Trade\Trade.mqh>
CTrade trade;
int handle_supertrend=0;

input group "EA Setting"
input int magic_number=123456; //magic number
input double fixed_lot_size=0.01; // select fixed lot size

enum ENUM_SOURCE{OPEN, CLOSE, HIGH, LOW, HL2, HLC3, OHLC4, HLCC4};
input group "SuperTrend setting"
input int Periods = 10; //ATR Period
input ENUM_SOURCE src = HL2; //Source
input double Multiplier = 3; //ATR Multiplier
input bool changeATR= true; //Change ATR Calculation Method ?
input bool showsignals = false; //Show Buy/Sell Signals ?
input bool highlight = false; //Highlighter On/Off?
input bool enable_alerts=false; //Enable Alerts


int OnInit()
  {
   trade.SetExpertMagicNumber(magic_number);
   handle_supertrend=iCustom(_Symbol, PERIOD_CURRENT, 
      "Market\\Supertrend by KivancOzbilgic",
      Periods, src, Multiplier, changeATR, showsignals, highlight, enable_alerts);
   if(handle_supertrend==INVALID_HANDLE) 
   {
      Print("Indicator not found!");
      return INIT_FAILED;
   }
   return(INIT_SUCCEEDED);
  }

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

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

bool IsSuperTrendBuy(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_supertrend, 8, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

bool IsSuperTrendSell(int i)
{
   double array[];
   ArraySetAsSeries(array, true);
   CopyBuffer(handle_supertrend, 9, i, 1, array);
   return array[0]!=EMPTY_VALUE;
}

int BuyCount()
{
   int buy=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      buy++;
   }  
   return buy;
}

int SellCount()
{
   int sell=0;
   for(int i=0;i<PositionsTotal();i++)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      sell++;
   }  
   return sell;
}


void Buy()
{
   double Ask=SymbolInfoDouble(_Symbol, SYMBOL_ASK);
   if(!trade.Buy(fixed_lot_size, _Symbol, Ask, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}

void Sell()
{
   double Bid=SymbolInfoDouble(_Symbol, SYMBOL_BID);
   if(!trade.Sell(fixed_lot_size, _Symbol, Bid, 0, 0, ""))
   {
      Print("Error executing order: ", GetLastError());
      //ExpertRemove();
   }
}


void CloseBuy()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_BUY) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

void CloseSell()
{
   for(int i=PositionsTotal()-1;i>=0;i--)
   {
      ulong ticket=PositionGetTicket(i);
      if(ticket==0) continue;
      if(PositionGetInteger(POSITION_TYPE) != POSITION_TYPE_SELL) continue;
      if(PositionGetInteger(POSITION_MAGIC) != magic_number) continue;
      if(trade.PositionClose(ticket)==false)
      {
         Print("Error closing position: ", GetLastError());
         //ExpertRemove();
      }
   }  
}

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


Отзывы 2
Khulani
171
Khulani 2023.08.02 18:44 
 

Really great! Thanks.

Darz
3082
Darz 2023.07.17 04:56 
 

Excellent Indicator, exactly the same to what we have on TradingView

Рекомендуем также
Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized, leaving room for you to tailor it to your unique trading preferences.
The Squat is a function of the range of a given price bar and the volume, or TIC volume, that occurs while that range is being created. The basic idea is that high volume and little price movement indicate substantial support or resistance. The idea behind the approach to this indicator is to first look for likely Fibonacci support and resistance and then see if Squat manifests when that point is reached. The indicator determines one of the high probability patterns of DiNapoli. It does not re
KT Renko Patterns MT5
KEENBASE SOFTWARE SOLUTIONS
KT Renko Patterns анализирует график Ренко кирпич за кирпичиком, чтобы найти известные графические паттерны, которые часто используют трейдеры на различных финансовых рынках. По сравнению с графиками на основе времени, торговля по паттернам на графиках Ренко легче и нагляднее благодаря их чистому виду. KT Renko Patterns включает несколько паттернов Ренко, многие из которых подробно описаны в книге «Профитная торговля с графиками Ренко» авторства Прашанта Шаха. Полностью автоматизированный сове
A powerful oscillator that provide Buy and Sell signals by calculating the investor liquidity. The more liquidity the more buy possibilities. The less liquidity the more sell possibilities. Please download the demo and run a backtest! HOW IT WORKS: The oscillator will put buy and sell arrow on the chart in runtime only . Top value is 95 to 100 -> Investors are ready to buy and you should follow. Bottom value is 5 to 0 -> Investors are ready to sell and you should follow. Alert + sound will appe
To get access to MT4 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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 sel
Surf Board
Mohammadal Alizadehmadani
Benefits of the Surfboard indicator : Entry signals without repainting If a signal appears and is confirmed, it does NOT disappear anymore, unlike indicators with repainting, which lead to major financial losses because they can show a signal and then remove it. perfect opening of trades The indicator algorithms allow you to find the Peak and floor position to enter a deal (buy or sell an asset), which increases the success rate for each and every trader using it. Surfboard works with any asset
"2nd To NoneFX Scalper" is one powerful indicator which you can use on any timeframe. The accuracy is in between 90% - 95% can be more. The indicator is 100% non repaint so it doesn't repaint at all. When the arrow comes out wait for the candlestick to close the arrow won't repaint/recalculate or move. The indicator works with all volatility indices,step index, Boom & Crash(500 & 1000) and all currency pairs. You can change settings of the indicator. For great results find the trend of the pair,
The rubdfx divergence indicator is a technical analysis tool that compares a security's price movement. It is used to identify potential changes in the price trend of a security. The indicator can be applied to any type of chart, including bar charts and candlestick charts. The algorithm is based on MACD, which has been modified to detect multiple positive and negative divergences. Settings  ___settings___ * fastEMA * slowEMA * signalSMA *Alerts:   True/False     #Indicator Usage Buying :
H1NqAAAA
Jose Arranz Becerril
Bot specifically tailored for the NASDAQ 100, designed to detect key range breakouts and capitalize on market opportunities. Long Entry Signal : Detects bullish breakouts when the high of a previous range is below the closing price, and the daily low breaks below the lowest point of a defined range. Short Entry Signal : Identifies bearish breakouts when the high of a defined range crosses below the daily low. This bot is designed to be combined with my other products: H1NqAAAB (Mean Reversion)
Индикатор SMC Venom Model BPR — профессиональный инструмент для трейдеров, работающих в рамках концепции Smart Money (SMC). Он автоматически идентифицирует на графике цены два ключевых паттерна:  FVG   (Fair Value Gap) — комбинация их трёх свечей, в которой имеется разрыв между первой и третьей свечой. Формирует зону между уровнями, где отсутствует поддержка объемов, что часто приводит к коррекции цены. BPR   (Balanced Price Range)— комбинация двух FVG-паттернов, образующих «мост»  — зону пробо
Индикатор тренда Antique Trend - революционное решение для торговли по трендам и фильтрации со всеми важными функциями инструмента тренда, встроенными в один инструмент! Индикатор Antique Trend хорош для любого трейдера, подойдет любому трейдеру как для форекс так и для бинарных опционов. Ничего настраивать не нужно все отточено времинем и опытом, отлично работает на во время флета та и в тренде. Индикатор тренда Antique Trend это инструмент технического анализа финансовых рынков, отражающий т
HLC bar MT5 Wyckoff
Eduardo Da Costa Custodio Santos
Индикатор «HLC_bar_MT5 Wyckoff» для MT5 был создан для облегчения анализа во время торговли. Панель HLC использовалась Ричардом Вайкоффом и в настоящее время широко используется в операциях VSA. Вайкофф обнаружил, что использование максимума, минимума и закрытия сделало график намного чище и проще для анализа. Индикатор «HLC_bar_MT5 Wyckoff» позволяет: # Изменить ширину полосы; # Оставьте полосу того же цвета; # И выделите бар, который открывался и закрывался по одной цене. Цвета и ширина легко
Best SAR MT5
Ashkan Hazegh Nikrou
4.33 (3)
Описание :  мы рады представить наш новый бесплатный индикатор, основанный на одном из профессиональных и популярных индикаторов на рынке форекс (PSAR), этот индикатор является новой модификацией оригинального индикатора Parabolic SAR, в индикаторе pro SAR вы можете видеть пересечение между точками и графиком цены, это пересечение не является сигналом, а говорит о возможности окончания движения, вы можете начать покупать с новой синей точки, и разместить стоп-лосс за один атр до первой синей т
FREE
To download MT4 version please click here . - This is the exact conversion from TradingView: "Trend Direction Force Index - TDFI [wm]" By "causecelebre". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This indicator uses multiple levels of averaging to detect trend strength. - You can optimize filter low and filter high levels to achieve best results. - You have access to buffers to use in EAs. - This is a light-load processin
Point Black
Ignacio Agustin Mene Franco
Black Card Pack indicator 5/1 point black It has the strategy of professional bollingers where each arrow gives you a different entry signal. It is used to operate in m1 and in d1 It is used for scalping and intraday, modified for forex markets ! suitable for all pairs modified for synthetic index markets suitable for all pairs! Ideal for volatility and jumps!
SBAHiLo
Umri Azkia Zulkarnaen
this is an indicator to clarify seeing Low and High in the market and is very useful for facilitating those who are studying technical price action this is a type of indicator that gives color to the candlestick where the indicator is divided into 3 colors red = bearish green = Bullish Gray = base this indicator can be used on the forex market or the mt5 binary market. https://t.me/SBA_FOREX_SIGNAL
Способ применения Pair Trading Station Рекомендуется использовать Pair Trading Station на таймфрейме H1 с любой валютной парой. Чтобы получить сигналы на покупку и продажу, следуйте указанным ниже инструкциям по применению Pair Trading Station в терминале MetaTrader. При загрузке Pair Trading Station на график индикатор оценит доступные исторические данные на вашей платформе MetaTrader для каждой валютной пары. В самой начале на графике отобразятся исторические данные, доступные для каждой валют
PipFinite Breakout EDGE MT5
Karlo Wilson Vendiola
4.81 (94)
Преимущество, которого вам не хватает, чтобы стать профессионалом. Следуйте за пошаговой системой, которая обнаруживает самые мощные прорывы! Изучите рыночные модели, которые дают возможность получить значительную прибыль на основе проверенной и протестированной стратегии. Воспользуйтесь своим важным преимуществом Получите его здесь www.mql5.com/en/blogs/post/723208 Версия надежного советника Автоматизируйте сигналы Breakout EDGE с помощью "EA Breakout EDGE" ссылка У вас есть доступ к уник
Паттерн 123 - один из самых популярных, мощных и гибких графических паттернов. Паттерн состоит из трех ценовых точек: дна, пика или долины и восстановления Фибоначчи между 38,2% и 71,8%. Паттерн считается действительным, когда цена выходит за пределы последнего пика или долины, в момент, когда индикатор строит стрелку, выдает предупреждение, и сделка может быть размещена. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Четкие торговые сигна
ATrend
Zaha Feiz
4.77 (13)
ATREND: Как это работает и как его использовать Как это работает Индикатор "ATREND" для платформы MT5 разработан для предоставления трейдерам надежных сигналов на покупку и продажу с использованием комбинации методов технического анализа. Этот индикатор в первую очередь использует среднюю истинную амплитуду (ATR) для измерения волатильности, наряду с алгоритмами обнаружения тренда для выявления потенциальных движений рынка. Оставьте сообщение после покупки и получите специальный бонусный подаро
ПРОгрессивный индикатор нового поколения от INFINITY. Predictor PRO использует собственную стратегию расчета входа и выхода. Индикатор без перерисовки сигналов! Это очень важно для реальной торговли. Индикатор можно использовать для любых валютных пар, металлов, криптовалют или индексов. Лучшее время графика Н1. В отличии от других индикаторов    Predictor PRO показывает точку входа Buy/Sell и точку выхода Close. Расчет профита всех сигналов в пунктах на панели  помогает подобрать оптимальные на
Ichimoku Aiko MTF
Michael Jonah Randriamampionontsoa
Ichimoku Aiko MTF is a collection of technical indicators that show support and resistance levels, as well as momentum and trend direction. It is a multi-timeframe indicator so you don't need to change the chart timeframe when you want to see the ichimoku clouds on a higher timeframe.  eg. The chart timeframe is M15 and you want to see on the M15 timeframe chart the H1 ichimoku indicators (the ichimoku in Metatrader can't do that) that's why you need to use Ichimoku Aiko MTF.
Индикатор строит текущие котировки, которые можно сравнить с историческими и на этом основании сделать прогноз ценового движения. Индикатор имеет текстовое поле для быстрой навигации к нужной дате. Параметры : Symbol - выбор символа, который будет отображать индикатор; SymbolPeriod - выбор периода, с которого индикатор будет брать данные; IndicatorColor - цвет индикатора; Inverse - true переворачивает котировки, false - исходный вид; Далее идут настройки текстового поля, в которое можно ввес
Holiday Sales Zones Indicator The Zones Indicator is your everyday Trading tool that  leverages advanced algorithms, including ICT institutional concepts like order blocks , engulfing candle patterns , and Level interactions , to identify critical levels of supply and demand (Resistance & Support). Visual signals are generated and clearly marked on the chart, providing a straightforward guide for traders to spot key opportunities. Key Features Advanced Algorithmic Analysis : Identifies supply
Manyal trading system, CovEchoTrend Robot, focuses on reliability and flexibility. By employing statistical analysis methods to study the relationships between the base indicator and market patterns, the system enables a deeper understanding of market processes. Intelligent pattern analysis: The application of statistical data processing helps identify key trend reversal points more accurately, signaling significant market shifts. Informed decision-making is based on the intersection of indicato
"Hunttern harmonic pattern finder" base on the dynamic zigzag with the notification and prediction mode This version of the indicator identifies 11 harmonic patterns and predicts them in real-time before they are completely formed. It offers the ability to calculate the error rate of Zigzag patterns depending on a risk threshold. It moreover sends out a notification once the pattern is complete. The supported patterns: ABCD BAT ALT BAT BUTTERFLY GARTLEY CRAB DEEP CRAB CYPHER SHARK THREE DRIV
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
Профиль Рынка (Market Profile) определяет ряд типов дней, которые помогают трейдеру распознать поведение рынка. Ключевая особенность - это область значений (Value Area), представляющая диапазон ценового действия, в котором произошло 70% торговли. Понимание области значений может помочь трейдерам вникнуть в направление рынка и установить торговлю с более высокими шансами на успех. Это отличное дополнение к любой системе, которую вы возможно используете. Blahtech Limited представляет сообществу Me
To get access to MT4 version please click  here . This is the exact conversion from TradingView: "VolATR" by "barrettdenning" The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing. This is a non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Here is the source code of a sample EA operating based
VR Grid Mt5
Vladimir Pastushak
3.43 (7)
Индикатор VR Grid разработан для создания графической сетки с настройками, определяемыми пользователем. В отличие от стандартной сетки VR Grid используется для построения круглых уровней . В зависимости от выбора пользователя, шаг между круглыми уровнями может быть произвольным. Кроме того, в отличие от других индикаторов и утилит, VR Grid сохраняет положение сетки даже при изменении временного периода или перезагрузке терминала. Настройки, set файлы, демо версии, инструкции, решение проблем, мо
FREE
С этим продуктом покупают
Раскройте силу торговли трендами с помощью индикатора Trend Screener: вашего идеального решения для торговли трендами, основанного на нечеткой логике и мультивалютной системе! Повысьте уровень своей торговли по тренду с помощью Trend Screener, революционного индикатора тренда, основанного на нечеткой логике. Это мощный индикатор отслеживания тренда, который сочетает в себе более 13 инструментов и функций премиум-класса и 3 торговые стратегии, что делает его универсальным выбором для превращения
Moneytron — профессиональный сигнальный индикатор тренда Индикатор Moneytron предназначен для тех, кто хочет зарабатывать стабильно и системно, торгуя по тренду. Он автоматически определяет: • Точки входа (Buy/Sell сигналы) • 3 уровня тейк-профита (TP1, TP2, TP3) • 3 уровня стоп-лосса (SL1, SL2, SL3) • Показывает реальную статистику успешности сделок прямо на графике Особенности: • Работает на всех валютных парах и металлах • Идеален для таймфреймов M30, H1 и выше • Подходит как для начинающи
Golden Trend Indicator MT5
Noha Mohamed Fathy Younes Badr
4.88 (17)
Golden Trend indicator  is The best indicator for predicting trend movement this indicator never lags and never repaints and never back paints    and give  arrow buy and sell    before the candle appear  and it will help you and  will make your trading decisions clearer its work on all currencies and  gold and crypto and all time frame This unique  indicator uses very secret algorithms to catch the  trends, so you can trade using this indicator and see the trend clear on charts  manual guide and
PUMPING STATION – Ваша персональная стратегия "всё включено" Представляем PUMPING STATION — революционный индикатор Forex, который превратит вашу торговлю в увлекательный и эффективный процесс! Это не просто помощник, а полноценная торговая система с мощными алгоритмами, которые помогут вам начать торговать более стабильно! При покупке этого продукта вы БЕСПЛАТНО получаете: Эксклюзивные Set-файлы: Для автоматической настройки и максимальной эффективности. Пошаговое видео-руководство: Научитесь т
Скринер поддержки и сопротивления находится в одном индикаторе уровня для MetaTrader, который предоставляет несколько инструментов внутри одного индикатора. Доступные инструменты: 1. Скринер структуры рынка. 2. Зона бычьего отката. 3. Зона медвежьего отката. 4. Ежедневные опорные точки 5. еженедельные опорные точки 6. ежемесячные опорные точки 7. Сильные поддержка и сопротивление, основанные на гармоническом паттерне и объеме. 8. Зоны уровня берега. ПРЕДЛОЖЕНИЕ ОГРАНИЧЕННОЕ ВРЕМЯ: Индикатор подд
FX Power: Анализируйте силу валют для более эффективной торговли Обзор FX Power — это ваш незаменимый инструмент для понимания реальной силы валют и золота в любых рыночных условиях. Определяя сильные валюты для покупки и слабые для продажи, FX Power упрощает принятие торговых решений и выявляет высоковероятные возможности. Независимо от того, хотите ли вы следовать за трендами или предсказывать развороты с использованием экстремальных значений дельты, этот инструмент идеально адаптируется под
FX Volume MT5
Daniel Stein
4.82 (17)
FX Volume: Оцените подлинную динамику рынка глазами брокера Краткий обзор Хотите вывести свою торговлю на новый уровень? FX Volume дает вам информацию в реальном времени о том, как розничные трейдеры и брокеры распределяют свои позиции — задолго до появления запаздывающих отчетов типа COT. Независимо от того, стремитесь ли вы к стабильной прибыли или ищете дополнительное преимущество на рынке, FX Volume поможет выявлять крупные дисбалансы, подтверждать пробои и совершенствовать управление риск
VERSION MT4        —        ИНСТРУКЦИЯ RUS         —        INSTRUCTIONS  ENG Основные функции: Точные сигналы на вход БЕЗ ПЕРЕРИСОВКИ! Если сигнал появился, он остается актуальным! Это важное отличие от индикаторов с перерисовкой, которые могут предоставить сигнал, а затем изменить его, что может привести к потере средств на депозите. Теперь вы сможете входить в рынок с большей вероятностью и точностью. Также есть функция окрашивания свечей после появления стрелки до достижения цели (take pr
Представляю Вам отличный технический индикатор GRABBER, который работает, как готовая торговая стратегия "Все включено"! В одном программном коде интегрированы мощные инструменты для технического анализа рынка, торговые сигналы (стрелки), функции алертов и Push уведомлений.  Каждый покупатель этого индикатора получает дополнительно БЕСПЛАТНО:  Grabber Утилиту для автоматического управления открытыми ордерами, Пошаговый видео-мануал : как установить, настроить и торговать, Авторские сет-файлы дл
Индикатор, который переосмыслил трейдинг, стал эталоном анализа графиков и задал новые стандарты в трейдинге. Разворотные зоны /  Зоны пикового объема  /   Активные зоны крупного игрока    ИНСТРУКЦИЯ RUS        INSTRUCTIONS  ENG    /  Рекомендуем использовать с индикатором -  TPSpro TREND PRO Каждый покупатель этого индикатора получает дополнительно БЕСПЛАТНО:  6 месяцев доступа к торговым сигналам от сервиса RFI SIGNALS — готовые точки входа по алгоритму TPSproSYSTEM. Обучающие материал
FX Levels: Исключительно точные уровни поддержки и сопротивления для всех рынков Краткий обзор Ищете надежный способ определить уровни поддержки и сопротивления для любых инструментов—валют, индексов, акций или сырьевых товаров? FX Levels сочетает традиционный «Lighthouse» метод с современным динамическим подходом, обеспечивая почти универсальную точность. Благодаря сочетанию опыта реальных брокеров и автоматических ежедневных плюс «в реальном времени» обновлений, FX Levels поможет вам выявлят
Gold Stuff mt5
Vasiliy Strukov
4.93 (178)
Gold Stuff mt5 - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  Свяжитесь со мной сразу после покупки для получения   персонального бонуса!   Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки и мануал  здесь ПАРАМЕТРЫ Draw Arrow -   вкл.выкл. отрисовку стрелок на графике. Al
IX Power MT5
Daniel Stein
4.86 (7)
IX Power: Получите рыночные инсайты для индексов, сырьевых товаров, криптовалют и форекс Обзор IX Power — это универсальный инструмент для анализа силы индексов, сырьевых товаров, криптовалют и форекс. В то время как FX Power предлагает наивысшую точность для валютных пар, используя данные всех доступных пар, IX Power фокусируется исключительно на данных рынка базового символа. Это делает IX Power отличным выбором для некорреляционных рынков и надежным инструментом для форекса, если вам не нуж
Это, пожалуй, самый полный индикатор автоматического распознавания гармонического ценообразования, который вы можете найти для платформы MetaTrader. Он обнаруживает 19 различных паттернов, воспринимает проекции Фибоначчи так же серьезно, как и вы, отображает зону потенциального разворота (PRZ) и находит подходящие уровни стоп-лосс и тейк-профит. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Он обнаруживает 19 различных гармонических ценов
Matrix Arrow Indicator MT5
Juvenille Emperor Limited
5 (13)
Индикатор Matrix Arrow MT5   — это уникальный индикатор тренда 10 в 1, следующий за   100% неперерисовывающимся   индикатором с несколькими таймфреймами, который можно использовать на всех символах/инструментах:   форекс ,  товары ,   криптовалюты ,   индексы ,  акции . Индикатор Matrix Arrow MT5  будет определять текущую тенденцию на ранних этапах, собирая информацию и данные от до 10 стандартных индикаторов, а именно: Индекс среднего направленного движения (ADX) Индекс товарного канала (CCI)
Индикатор 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 . Зайдя в наш
Эта панель показывает последние доступные   гармонические паттерны   для выбранных символов, так что вы сэкономите время и будете более эффективны /   MT4 версия . Бесплатный индикатор:   Basic Harmonic Pattern Колонки индикатора Symbol:   отображаются выбранные символы Trend   :   бычий или медвежий Pattern   :   тип паттерна (Гартли, бабочка, летучая мышь, краб, акула, шифр или ABCD) Entry   :   цена входа SL:   цена стоп-лосса TP1:   цена первого тейк-профита TP2:   цена второго тейк-профи
Уникальный индикатор, реализующий профессиональный и количественный подход к торговле на возврате к среднему. Он использует тот факт, что цена отклоняется и возвращается к среднему предсказуемым и измеримым образом, что позволяет использовать четкие правила входа и выхода, которые значительно превосходят неколичественные торговые стратегии. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Четкие торговые сигналы Удивительно легко торговать Настраиваемые цвета и разме
FX Dynamic: Отслеживайте волатильность и тренды с помощью настраиваемого ATR-анализа Обзор FX Dynamic — это мощный инструмент, который использует расчёты среднего истинного диапазона (ATR) для предоставления трейдерам непревзойдённой информации о дневной и внутридневной волатильности. Настраивая понятные пороги волатильности (например, 80%, 100% и 130%), вы можете быстро определять потенциальные возможности для прибыли или получать предупреждения, когда рынок выходит за типичные рамки. FX Dyna
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли концеп
- Lifetime update free Contact me for instruction, any questions! Related Product:  Gold Trade Expert MT5 - Non-repaint - I just sell my products in Elif Kaya Profile, any other websites are stolen old versions, So no any new updates or support. Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breako
Устали от построения линий поддержки и сопротивления? Сопротивление поддержки - это мульти-таймфреймовый индикатор, который автоматически обнаруживает и отображает линии поддержки и сопротивления на графике с очень интересным поворотом: поскольку ценовые уровни тестируются с течением времени и его важность возрастает, линии становятся более толстыми и темными. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Повысьте технический анализ в одноч
Royal Scalping Indicator is an advanced price adaptive indicator designed to generate high-quality trading signals. Built-in multi-timeframe and multi-currency capabilities make it even more powerful to have configurations based on different symbols and timeframes. This indicator is perfect for scalp trades as well as swing trades. Royal Scalping is not just an indicator, but a trading strategy itself. Features Price Adaptive Trend Detector Algorithm Multi-Timeframe and Multi-Currency Trend Low
Legend mt5
Vladyslava Shaviernieva
This is an indicator that includes the best basic forex indicators , without redrawing. Based on this data, a sell or buy signal is generated. It does not disappear anywhere after the signal, which gives us the opportunity to see the results on the history. It can be used on any currency pair, crypto, metals, stocks It is best used on an hourly chart, but other periods are also acceptable. The best results for the period H1,H4,daily If customers have any questions, I will answer them and af
Gold Trend 5
Sergei Linskii
3.5 (2)
Gold Trend – хороший биржевой технический индикатор. Алгоритм индикатора анализирует движение цены актива и отражает волатильность и потенциальные зоны для входа. Самые лучшие сигналы индикатора: Для SELL = красная гистограмма + красный указатель SHORT + желтая сигнальная стрелка в этом же направлении. Для BUY = синяя гистограмма + синий указатель LONG + аква сигнальная стрелка в этом же направлении.   Преимущества индикатора: И ндикатора выдает сигналы с высокой точностью. Подтвержденный сигна
Прежде всего стоит подчеркнуть, что эта торговая система является индикатором без перерисовки, без повторной отрисовки и без задержки, что делает ее идеальной как для ручной, так и для роботизированной торговли. Онлайн курс, руководство и загрузка пресетов. «Smart Trend Trading System MT5» - это комплексное торговое решение, созданное для новичков и опытных трейдеров. Он объединяет более 10 премиальных индикаторов и предлагает более 7 надежных торговых стратегий, что делает его универсальным вы
Quantum TrendPulse
Bogdan Ion Puscasu
5 (13)
Представляем   Quantum TrendPulse   , совершенный торговый инструмент, который объединяет мощь   SuperTrend   ,   RSI   и   Stochastic   в один комплексный индикатор, чтобы максимизировать ваш торговый потенциал. Разработанный для трейдеров, которые ищут точность и эффективность, этот индикатор помогает вам уверенно определять рыночные тренды, сдвиги импульса и оптимальные точки входа и выхода. Основные характеристики: Интеграция SuperTrend:   легко следуйте преобладающим рыночным тенденциям и п
Auto Order Block with break of structure based on ICT and Smart Money Concepts (SMC) Futures Break of Structure ( BoS )             Order block ( OB )            Higher time frame Order block / Point of Interest ( POI )    shown on current chart           Fair value Gap ( FVG ) / Imbalance   -  MTF      ( Multi Time Frame )    HH/LL/HL/LH  -  MTF      ( Multi Time Frame )  Choch  MTF      ( Multi Time Frame )  Volume Imbalance     ,  MTF          vIMB Gap’s Power of 3 Equal High / Low’s  
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
Easy Buy Sell is a market indicator for opening and closing positions. It becomes easy to track market entries with alerts. It indicates trend reversal points when a price reaches extreme values ​​and the most favorable time to enter the market. it is as effective as a Fibonacci to find a level but it uses different tools such as an algorithm based on ATR indicators and Stochastic Oscillator. You can modify these two parameters as you wish to adapt the settings to the desired period. It cannot
Другие продукты этого автора
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade tra
This is the Chandelier Exit trend indicator applied to heiken ashi candles based on "G TREND GUNBOT" by "LUIS_GANDATA_G_TREND" on tradingview. The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms.(make sure to disable heiken ashi mode to get the same results as the screenshot.) Heiken ashi candles filter out many of the chops and therefore as an input to Chandelier Exit you achieve well filtered Buy and Sell signals. Also you can choose
FREE
Gold H1 Scalper
Yashar Seyyedin
3.67 (3)
Strategy description The idea is to go with trend resumption. Instruments Backtest on XAUUSD shows profitability over a long period  Simulation Type=Every tick Expert: GoldScalper Symbol: XAUUSD Period: H1 (2020.01.01 - 2023.02.28) Inputs: magic_number=1234 ob=90.0 os=24.0 risk_percent=2.64 time_frame=16385 Company: FIBO Group, Ltd. Currency: USD Initial Deposit: 100 000.00 Leverage: 1:100 Results History Quality: 51% Bars: 18345 Ticks: 2330147 Symbols: 1 Total Net Profit: 77 299.48 Balance Draw
FREE
To download MT5 version please click here . This is the exact conversion from TradingView indicator: "ADX and DI" By " BeikabuOyaji". This is probably the most popular implementation of Average Directional Index available. This indicator lets you read the buffers as below: index 0: DIPlusBuffer ==> Green Line by default index 1: DIMinusBuffer ==> Red Line by default index 2: ADXBuffer ==> Navy Line by default - You can message in private chat for further changes you need. Note: This is a non-rep
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Trend Regularity Adaptive Moving Average","TRAMA" By "   LuxAlgo   ". - This is a light-load processing and non-repaint indicator. - Buffer is available for the main line on chart. - You can message in private chat for further changes you need. Thanks for downloading
To 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
Strategy description Detect trend based on GoldTrader rules. Enter in both direction as much as needed to achieve acceptable amount of profit. The screenshot is the backtest EURUSD related to 2020.1.1 to 2023.1.1 in M15. ==> 30% draw-down and 30% profit over three years. This is a light load expert. Most calculations are done based on M15 candle closure. Note: Martingale is a betting system.
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 rangin
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: "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 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 MT4 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the code a sample EA that operated b
To 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
For MT5 version please click here . This is the exact conversion from TradingView: "Average True Range Stop Loss Finder" By "veryfid". - This indicator implements a deviation channel. - The channel determines trend direction as well as stop loss placement. - This is a non-repaint and light processing load indicator. - You can message in private chat for further changes you need.
To download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - 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
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
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Twin Range Filter" by "colinmck". - The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. - This is a light-load processing and non-repaint indicator. - All input options are available.  - Buffers are available for processing in EAs. - You can message in private chat for further changes you need. Here is the sample code of EA that operates
To download the MT5 version of Donchian Trend Ribbon please click here . You may also check this link . This is a conversion from TradingView: "Donchian Trend Ribbon" By "LonesomeTheBlue". This is a light-load processing and non-repaint indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks for downloading
To get access to MT5 version please click here . This is the exact conversion from TradingView: "SwingArm ATR Trend Indicator" by " vsnfnd ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. 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
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 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 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 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 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
To download MT4 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
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
Фильтр:
Khulani
171
Khulani 2023.08.02 18:44 
 

Really great! Thanks.

Yashar Seyyedin
48856
Ответ разработчика Yashar Seyyedin 2023.08.02 22:30
Thanks. Wish you happy trading.
Darz
3082
Darz 2023.07.17 04:56 
 

Excellent Indicator, exactly the same to what we have on TradingView

Yashar Seyyedin
48856
Ответ разработчика Yashar Seyyedin 2023.07.17 08:00
Thanks for the positive review. Wish you happy trading.
Ответ на отзыв
Версия 1.40 2024.02.02
Updated the default setting to avoid bad graphics of fillings in MT5.
Версия 1.30 2023.07.06
Added Alerts input option.
Версия 1.20 2023.06.01
Fixed memory leakage issue.
Версия 1.10 2023.05.26
Fixed issue related to removing text label object from chart.