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

Nadaraya Watson Envelope LuxAlgo MT4

To get access to MT5 version click here.

  • This is the exact conversion from "Nadaraya-Watson Envelope" by "LuxAlgo". (with non-repaint input option)
  • This is not a light-load processing indicator if repaint input is set to true.
  • All input options are available. 
  • Buffers are available for processing in EAs.
  • I changed default input setup to non-repaint mode for better performance required for mql market validation procedure.

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

#property strict

input string EA_Setting="";
input int magic_number=1234;
input double fixed_lot_size=0.01; // select fixed lot size
input bool multiplie_entry=false; //allow multiple entries in the same direction

input string    NW_Setting="";
input double h = 8.;//Bandwidth
input double mult = 3; //
input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
input bool repaint = false; //Repainting Smoothing

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

bool IsNWBuy(int index)
{
   double value_buy=iCustom(_Symbol, PERIOD_CURRENT,
    "Market/Nadaraya Watson Envelope LuxAlgo MT4",
    h, mult, src, repaint, 5, index);
   return value_buy!=EMPTY_VALUE;
}

bool IsNWSell(int index)
{
   double value_sell=iCustom(_Symbol, PERIOD_CURRENT,
    "Market/Nadaraya Watson Envelope LuxAlgo MT4",
    h, mult, src, repaint, 6, index);
   return value_sell!=EMPTY_VALUE;
}

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

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

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

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

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

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

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


Рекомендуем также
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.
DMI ADX Histogram Oscillator I present you one of the most precise and powerful indicator Its made of DMI Histogram together with ADX Oscillator. It has inside arrow to show a buy or sell setup. Features  The way it works its the next one : the histogram is a difference between DMI+ and DMI-.   At the same time together we have the oscillator ADX for Market to run It can be adapted to all type of trading styles such as scalping, day trading or swing. It doesn't matter if its forex, st
DsPMO
Ahmet Metin Yilmaz
Double Smoothed Price Momentum Oscillator The Momentum Oscillator measures the amount that a security’s price has changed over a given period of time. The Momentum Oscillator is the current price divided by the price of a previous period, and the quotient is multiplied by 100. The result is an indicator that oscillates around 100. Values less than 100 indicate negative momentum, or decreasing price, and vice versa. Double Smoothed Price Momentum Oscillator examines the price changes in the dete
XFlow показывает расширяющийся ценовой канал помогающий определять тренд и моменты его разворота. Используется также при сопровождении сделок для установки тейк-профит/стоп-лосс и усреднений. Практически не имеет параметров и очень прост в использовании - просто укажите важный для вас момент истории и индикатор рассчитает ценовой канал. ОТОБРАЖАЕМЫЕ ЛИНИИ ROTATE - толстая сплошная линия. Центр общего вращения цены. Цена делает широкие циклические движения вокруг линии ROTATE. Положение цены око
HC candlestick pattern - это простой и удобный индикатор, способный определить свечные модели. Свечные графики представляют собой тип финансового графика для отслеживания перемещения ценных бумаг. Они берут свое начало в многовековой японской торговле рисом, и они завоевали свое место в современном построении дневных графиков. Некоторые инвесторы находят их более привлекательными визуально, чем стандартные графики баров, а ценовое действие легче интерпретировать. Hc candlestick pattern - это спе
My indicator is 1000%, it never repaints, it works in every time period, there is only 1 variable, it sends notifications to your phone even if you are on vacation instead of at work, in a meeting, and there is also a robot version of this indicator With a single indicator you can get rid of indicator garbage It is especially suitable for scalping in the m1 and m5 time frames on the gold chart, and you can see long trends in the h1 time frame.
buy sell star indicator has a different algoritms then up down v6 and buy sell histogram indicators. so that i put this a another indicator on market. it is no repaint and all pairs and all time frame indicator. it need minimum 500 bars on charts. when  the white  x sign on the red histogram that is sell signals. when the white x sign on the blue  histogram that is sell signals. this indicator does not guarantie the win.price can make mowement on direction opposite the signals. this is multi tim
Signal Arrows is an indicator that generates trade arrows. It generates trade arrows with its own algorithm. These arrows give buying and selling signals.  Can be used in all pairs. Sends a signal to the user with the alert feature. The indicator certainly does not repaint. Trade rules Enter the signal when the buy signal arrives. In order to exit from the transaction, an opposite signal must be received. It is absolutely necessary to close the operation when an opposite signal is received. Th
Это полностью автоматический торговый советник. Торгует на любом рынке, таймфрейме и валютной паре. Советник использует простые индикаторы SMA, RSI и CCI, а также простой мартингейл, который вместо систематического открытия новых позиций, ждет нового сигнала для каждого нового ордера, что позволяет ограничить просадку по сравнению с другими системами мартингейла. Использует комбинацию из семи стратегий, которые можно выбрать в параметрах. Используйте тестер стратегий MetaTrader 4, чтобы подобрат
[ MT5 Version ]  [ Kill Zones ]  [ SMT Divergences ] How to trade using Order Blocks:  Click here User Interface Performance:  During testing in the strategy tester, the UI may experience lag. Rest assured, this issue is specific to the testing environment and does not affect the indicator's performance in live trading. Elevate your trading strategy with the  Order Blocks ICT Multi TF  indicator, a cutting-edge tool designed to enhance your trading decisions through advanced order block anal
Big Player EA GBPUSD is an EA that generates trading signals with custom strategies. The EA scans 5 months of history and generates signals and buys or sells on these signals. At least 5 months of data should be behind when testing the EA. Also, cross Takeprofit strategies are implemented in the EA. Single, double, triple and quad TP strategies are applied. Thanks to the cross Takeprofit strategies, the EA works easily even during high activity times.  Big Player EA Family Single Symbols:   EU
The  Market Sessions Indicator for MT5 helps you  predict market turnarounds  by detecting major supply and demand areas. These pivot points tend to occur after a new session has started and the previous one is still open. It is also used to gauge how many points or pips the market moves on average during a session. This helps us to place better our take profits and stop losses. The indicator works on all forex pairs, gold, silver, commodities, stocks, indices and any other instrument that your
Представляем вам Market Structure Break Out для MT4 – ваш профессиональный индикатор MSB и зоны без изменений  Присоединяйтесь к  Каналу Koala Trading Solution  в сообществе mql5, чтобы узнать последние новости о всех продуктах коалы, ссылка для присоединения указана ниже: https://www.mql5.com/en/channels/koalatradingsolution Market Structure Break Out: ваш путь к чистому анализу волн рынка Этот индикатор предназначен для отображения структуры рынка и движения волн, чтобы выявить лучший MSB
To get access to MT5 version please click   here . This is the exact conversion from TradingView: QQE MT4 Glaz-modified by JustUncleL This is a light-load processing and non-repaint indicator. All input options are available. This is not a multi time frame indicator. Buffers are available for processing in EAs. You can message in private chat for further changes you need.
Limitless Lite follow trend. Color change trend changed. Works in EURUSD/GBPUSD/XAUUSD/US500/USDCAD/JP225/USDTRY/USDMXN and all pairs Best timeframes 1H/4H/DAILY Signal on close of a bar. DOES NOT repaint. DOES NOT repaint. DOES NOT repaint. DOES NOT repaint. DOES NOT recalculate. DOES NOT recalculate. DOES NOT recalculate. DOES NOT recalculate NOTE : TREND CHANGED FOLLOW ARROW Settings : No Settings, change color
Ultimate solution on price action trade system Built Inside One Tool! Our smart algorithm tool will detect the price action pattern and alert upon potential with entry signals and exit levels including stoploss and takeprofit levels based on the time setting on each market session. This tool will also filters out market currency strength to ensure our entry are in a good currency conditions based on it's trend. Benefit You Get Easy, visual and effective price action detection. Gives you th
Sven AI Trading BOT EA is operating Grid, Martingale, Arbitrage Strategies by new moderne Artificial Intelligence Technologies ! Sven AI Trading BOT EA is using new moderne Artificial Intelligence Grid Technologies for very fast automatical High-Frequency trading of CFDs, Currencies, Forex (FX), Indices, Indexes, Stocks, Shares, ETFs, Gold, Commodities, Metals, ETCs, Futures and Options into MetaTrader 4 Platform ! Sven AI Trading BOT EA is using new High Quantity and High Quality Artificial Int
Std Channels The Std Channels Indicator is a technical indicator that uses standard deviation to create five channels around a price chart. The channels are used to identify support and resistance levels, as well as trends and reversals. The indicator is calculated by first calculating the standard deviation of the price data over a specified period of time. The channels are then created by adding and subtracting the standard deviation from the price data. The five channels are as follows: Upper
This indicator will allow you to evaluate single currency linear regression. WHAT IS LINEAR REGRESSION?(PIC.3) Linear regression is an attempt to model a straight-line equation between two variables considering a set of data values. The aim of the model is to find the best fit that can serve the two unknown values without putting the other at a disadvantage. In this case, the two variables are price and time, the two most basic factors in the Forex market. Linear regression works in such a wa
Big Player EA AUDUSD is an EA that generates trading signals with custom strategies. The EA scans 5 months of history and generates signals and buys or sells on these signals. At least 5 months of data should be behind when testing the EA. Also, cross Takeprofit strategies are implemented in the EA. Single, double, triple and quad TP strategies are applied. Thanks to the cross Takeprofit strategies, the EA works easily even during high activity times.  Big Player EA Family Single Symbols:   EU
Trend Tracking System is an indicator that generates trade arrows. It generates trade arrows with its own algorithm. These arrows give buying and selling signals. The indicator certainly does not repaint. The point at which the signal is given does not change. You can use it in all graphics. You can use it in all pairs. This indicator shows the input and output signals as arrows and alert. When sl_tp is set to true, the indicator will send you the close long and close short warnings. It tells yo
Индикатор тренда Trend New , показывает сигналы для входа. Отображает как точки входа, так и сам тренд. Показывает статистически рассчитанные моменты для входа в рынок стрелками. При использовании индикатора можно оптимально распредилить коеффициент риска. Настройки: Использует все один параметр для настроек. Подбирая параметр необходимо визуально подобие так чтоб насоответствующем графике была отмальная проекция экстремумов. Параметры: Length - количеств баров для рассчета индикатора. Испо
MT5 Version Kill Zones Kill Zones allows you to insert up to 3 time zones in the chart. The visual representation of the Kill Zones in the chart together with an alert and notification system helps you to ignore fake trading setups occurring outside the Kill Zones or specific trading sessions. Using Kill Zones in your trading will help you filter higher probability trading setups. You should select time ranges where the market usually reacts with high volatility. Based on EST time zone, followi
Индикатор тренда Global Trend , показывает сигналы для входа. Отображает как точки входа, так и сам тренд. Показывает статистически рассчитанные моменты для входа в рынок стрелками. При использовании индикатора можно оптимально распредилить коеффициент риска. Настройки: Использует все один параметр для настроек. Подбирая параметр необходимо визуально подобие так чтоб насоответствующем графике была отмальная проекция экстремумов. Параметры: Length - количеств баров для рассчета индикатор
The indicator determines a special pattern of Joe Dinapoli. It gives very high probability buy and sell signals. Indicator does not repaint. Indicator Usage Buy Signal ''B'' Entry : Market buy order at signal bar close Stop : Low of signal bar Take Profit : First swing high Sell Signal ''S'' Entry : Market sell order at signal bar close Stop : High of signal bar Take Profit : First swing low Indicator Parameters Fast EMA : External Parameter (should be kept as default) Slow EMA: External Param
Risk Reward Tool , It is easy to use. With this tool you can see the rates of profit loss profit. You can see your strategy and earnings reward status of your goals.Double calculation can be done with single tool. Move with drag and drop.  You can adjust the lot amount for calculations. The calculation results are shown in the comment section. There may sometimes be graphical errors during movements. Calculations works at all currency. Calculations All CFD works. Updates and improvements will co
Warning: Our product works with 28 symbols. The average accuracy level of the signals is 99%. We see signals below 15 pips as unsuccessful. Technique Signal   indicator is designed for signal trading. This indicator generates trend signals. It uses many algorithms and indicators to generate this signal. It tries to generate a signal from the points with the highest trend potential. This indicator is a complete trading product. This indicator does not need any additional indicators. The
Market Noise Market Noise   -    это индикатор, который определяет фазы рынка на графике цены, а также выделяет чёткие плавные трендовые движения от шумных флетовых движений, когда происходит фаза аккумуляции или дистрибьюции.  Каждая фаза хороша для своего вида торговли: тренд для трендследящих систем, а флет - для агрессивных. Когда начинается рыночный шум, можно принимать решение о выходе из сделок. Точно также и наоборот, как только шум заканчивается - нужно отключать агрессивные торговые
The Trend Professor is a moving average based indicator designed for the purpose of helping the community of traders to analyse the price trend. The indicator will be displayed in the main chart as it is indicated on the screenshot section. How it works The indicator has lines of moving averages and colored histograms to depict the direction of the trend. There will be a fast signal line colored blue/yellow/red at some points. The red/yellow colored lines stands for bearish trend/signal while th
-   Real price is 70$   - 50% Discount ( It is 35$ now ) Contact me for instruction, any questions! Introduction A flag can be used as an entry pattern for the continuation of an established trend. The formation usually occurs after a strong trending move. The pattern usually forms at the midpoint of a full swing and shows the start of moving. Bullish flags can form after an uptrend, bearish flags can form after a downtrend. Flag Pattern Scanner Indicator It is usually difficult for a trade
С этим продуктом покупают
Gann Made Easy - это профессиональная, но при этом очень простая в применении Форекс система, основанная на лучших принципах торговли по методам господина У.Д. Ганна. Индикатор дает точные BUY/SELL сигналы, включающие в себя уровни Stop Loss и Take Profit. Пожалуйста, напишите мне после покупки! Я поделюсь своими рекомендациями по использованию индикатора. Также вас ждет отличный бонусный индикатор в подарок! Вероятно вы уже не раз слышали о торговли по методам Ганна. Как правило теория Ганна от
Trend Punch
Mohamed Hassan
5 (12)
This indicator is unstoppable when combined with our other indicator called  Support & Resistance . After purchase, send us a message and you will get it   for  FREE as a BONUS! Introducing Trend Punch , the revolutionary forex trend indicator that will transform the way you trade! Trend Punch is uniquely designed to provide precise buy and sell arrows during strong market trends, making your trading decisions clearer and more confident. Whether you're trading major currency pairs or exotic sym
Gold Stuff
Vasiliy Strukov
4.89 (201)
Gold Stuff - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  По данному индикатору написан советник EA Gold Stuff, Вы можете найти его в моем профиле. Свяжитесь со мной сразу после покупки для получения   персонального бонуса!  Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки
Trend Pulse
Mohamed Hassan
5 (3)
Please contact me after purchase to immediately get your PDF strategy + documentation for Trend Pulse !  Official release price of $89  (1 /50 copies left). Next price is $199 . Introducing Trend Pulse , a unique and robust indicator capable of detecting bullish, bearish, and even ranging trends! Trend Pulse uses a special algorithm to filter out market noise with real precision. If the current symbol is moving sideways, Trend Pulse will send you a ranging signal, letting you know that it'
ПОЖАЛУЙСТА, ПРОЧТИТЕ ИНФОРМАЦИЮ НИЖЕ ПЕРЕД ПОКУПКОЙ! Apollo Pips PLUS SP – уникальный продукт! ЭТО ДЛЯ ТЕХ, КТО ХОЧЕТ ПОЛУЧИТЬ МОЙ НОВЫЙ ИНДИКАТОР «APOLLO PIPS» + БОНУС «SUPER PACK» С ДОСТУПОМ КО ВСЕМ МОИМ ТОРГОВЫМ ИНДИКАТОРАМ! Покупая продукт Apollo Pips PLUS SP, вы фактически приобретаете абсолютно новую версию моего индикатора Apollo Pips. Эта версия индикатора имеет улучшенный алгоритм и простой в использовании параметр, который дает вам возможность использовать индикатор на любом рынке и в
Получайте ежедневную информацию о рынке с подробностями и скриншотами через наш утренний брифинг здесь, на mql5 , и в Telegram ! FX Power MT4 NG - это новое поколение нашего популярного измерителя силы валют FX Power. Что же предлагает этот измеритель силы нового поколения? Все, что вы любили в оригинальном FX Power ПЛЮС Анализ силы GOLD/XAU Еще более точные результаты расчетов Индивидуально настраиваемые периоды анализа Настраиваемый предел расчета для еще более высокой производительности Спец
Инновационный индикатор, использующий эксклюзивный алгоритм для быстрого и точного определения тренда. Индикатор автоматически рассчитывает время открытия и закрытия позиций, а также подробную статистику работы индикатора на заданном отрезке истории, что позволяет выбрать наилучший торговый инструмент для торговли. Вы также можете подключить свои пользовательские стрелочные индикаторы к Scalper Inside Pro для проверки и расчета их статистики и прибыльности. Scalper Inside PRO инструкция и настро
TPSproTREND PrO
Roman Podpora
4.78 (18)
TPSpro TREND PRO   —  трендовый индикатор, который автоматически анализирует рынок и предоставляет информацию о тренде и каждой его смене а также дающий сигналы для входа в сделки без перерисовки! Индикатор использует каждую свечу, анализируя их отдельно. относя к разным импульсам – импульс вверх или вниз. Точные точки входа в сделки  для  валют, крипты, металлов, акций, индексов! Version MT5           ПОЛНОЕ ОПИСАНИЕ ИНДИКАТОРА           Рекомендуем использовать с  индикатором -  RFI LEVELS
Currency Strength Wizard — очень мощный индикатор, предоставляющий вам комплексное решение для успешной торговли. Индикатор рассчитывает силу той или иной форекс-пары, используя данные всех валют на нескольких тайм фреймах. Эти данные представлены в виде простых в использовании индексов валют и линий силы валют, которые вы можете использовать, чтобы увидеть силу той или иной валюты. Все, что вам нужно, это прикрепить индикатор к графику, на котором вы хотите торговать, и индикатор покажет вам ре
- Real price is 80$ - 40% Discount ( It is 49$ now ) Contact me for instruction, any questions! Introduction The breakout and retest strategy is traded support and resistance levels. it involves price breaking through a previous level.  The break and retest strategy is designed to help traders do two main things, the first is to avoid false breakouts. Many false breakouts start with a candlestick that breaks out of a level but ends with an immediate candlestick that brings the price back into t
Сейчас 147 долл. США (увеличиваясь до 499 долл. США после нескольких обновлений) - неограниченные учетные записи (ПК или Mac Руководство пользователя + Обучающие видео + Доступ к приватному Discord-каналу + VIP-статус и мобильная версия + Лицензия на 5 ПК с неограниченным количеством аккаунтов и терминалов MT4. Сколько раз вы покупали индикатор торговли с замечательными обратными тестами, доказательствами производительности на живых счетах и зашикарными цифрами и статистикой, но после испол
Прежде всего стоит подчеркнуть, что этот Торговый Инструмент является Неперерисовывающимся Нерепейнтинговым Индикатором, что делает его идеальным для профессиональной торговли. Онлайн-курс, руководство пользователя и демонстрация. Индикатор Концепций Умного Действия Цены - очень мощный инструмент как для новичков, так и для опытных трейдеров. Он объединяет более 20 полезных индикаторов в одном, комбинируя передовые торговые идеи, такие как анализ Inner Circle Trader и стратегии торговли конц
Clear Breakout
Martin Alejandro Bamonte
Индикатор "Breakout Buy-Sell" предназначен для выявления и выделения потенциальных возможностей для покупки и продажи на основе прорывов цен в разных торговых сессиях (Токио, Лондон и Нью-Йорк). Этот индикатор помогает трейдерам четко визуализировать зоны покупки и продажи, а также уровни фиксации прибыли (TP) и стоп-лосса (SL). Стратегия использования Индикатор можно использовать следующим образом: Первоначальная настройка : Выберите торговую сессию и настройте смещение GMT. Визуализация рынка
СЕЙЧАС СКИДКА 31% !!! Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и секретную формулу. Всего на ОДНОМ графике он выдает алерты по всем 28 валютным парам. Представьте, как улучшится ваша торговля, ведь вы сможете точно определить точку запуска нового тренда или возможность скальпирования! Построенный на новых базовых алгоритмах, он позволяет е
Trend Screener
STE S.S.COMPANY
4.79 (81)
Индикатор тренда, революционное уникальное решение для торговли и фильтрации тренда со всеми важными функциями тренда, встроенными в один инструмент! Это 100% неперерисовывающийся мультитаймфреймный и мультивалютный индикатор, который можно использовать на всех инструментах/инструментах: форекс, товары, криптовалюты, индексы, акции. Trend Screener - это эффективный индикатор, следующий за трендом, который выдает сигналы тренда в виде стрелок с точками на графике. Функции, доступные в индикаторе
В настоящее время скидка 20%! Лучшее решение для новичка или трейдера-эксперта! Эта приборная панель работает на 28 валютных парах. Он основан на 2 наших основных индикаторах (Advanced Currency Strength 28 и Advanced Currency Impulse). Он дает отличный обзор всего рынка Forex. Он показывает значения Advanced Currency Strength, скорость движения валюты и сигналы для 28 пар Forex на всех (9) таймфреймах. Представьте, как улучшится ваша торговля, когда вы сможете наблюдать за всем рынком с пом
Прежде всего стоит подчеркнуть, что этот торговый индикатор не перерисовывается, не перерисовывает и не отставает, что делает его идеальным как для ручной, так и для роботизированной торговли. Руководство пользователя: настройки, вводы и стратегия. Атомный аналитик - это индикатор ценового действия PA, который использует силу и импульс цены, чтобы найти лучший край на рынке. Оборудованный расширенными фильтрами, которые помогают убирать шумы и ложные сигналы, и повышают торговый потенциал. Испо
В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 26% Лучшее решение для новичка или трейдера-эксперта! Этот индикатор является уникальным, высококачественным и доступным торговым инструментом, поскольку мы включили в него ряд собственных функций и новую формулу. С помощью всего лишь ОДНОГО графика вы можете определить силу валюты для 28 пар Форекс! Представьте, как улучшится ваша торговля, потому что вы сможете точно определить точку запуска нового тренда или возможность скальпирования? Руководство пользователя:
PRO Renko System - это высокоточная система торговли на графиках RENKO. Система универсальна. Данная торговая система может применяться к различным торговым инструментам. Система эффективно нейтрализует так называемый рыночный шум, открывая доступ к точным разворотным сигналам. Индикатор прост в использовании и имеет лишь один параметр, отвечающий за генерацию сигналов. Вы легко можете адаптировать алгоритм к интересующему вас торговому инструменту и размеру ренко бара. Всем покупателям с удовол
Gold Channel is a volatility-based indicator, developed with a specific timing algorithm for the XAUUSD pair, which consists of finding possible corrections in the market. This indicator shows two outer lines, an inner line (retracement line) and an arrow sign, where the theory of the channel is to help identify overbought and oversold conditions in the market. The market price will generally fall between the boundaries of the channel. If prices touch or move outside the channel it is a tra
" All in One Chart Patterns"  Текущая цена будет действовать только первые 3 дня, окончательная цена составит 150$. Графические паттерны вызывают споры среди трейдеров; некоторые считают их надежными сигналами, а другие - нет. Наш индикатор "Chart Patterns All-in-One" отображает различные графические паттерны, позволяя вам самостоятельно тестировать эти теории. Прибыльность этих паттернов не отражает эффективность индикатора, а является оценкой самих паттернов. Индикатор "Chart Patterns All-in-O
Trend Trading - это индикатор, предназначенный для получения максимальной прибыли от трендов, происходящих на рынке, путем определения времени отката и прорыва. Он находит торговые возможности, анализируя, что делает цена во время установленных тенденций. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Торгуйте на финансовых рынках с уверенностью и эффективностью Прибыль от устоявшихся тенденций без проволочек Признать прибыльные откаты,
Reversal First Impulse levels (RFI)        INSTRUCTIONS     RUS    -      ENG           Рекомендуем использовать с  индикатором -  TPSpro  TREND PRO -  Version MT5 Важным ключевым элементом в трейдинге являются зоны или уровни, от которых принимаются решения о покупке или продаже торгового инструмента. Несмотря на попытки крупных игроков скрыть свое присутствие на рынке, они неизбежно оставляют следы. Наша задача заключалась в том, чтобы научиться находить эти следы и правильно их интерпретирова
NAM Order Blocks
NAM TECH GROUP, CORP.
5 (1)
Индикатор обнаружения блоков ордеров мультитаймфреймов MT4. Функции - Полностью настраиваемая панель управления графиком, обеспечивает полное взаимодействие. - Скрыть и показать панель управления где угодно. - Обнаружение OB на нескольких таймфреймах. - Выберите количество OB для отображения. - Различные пользовательские интерфейсы OB. - Различные фильтры по OB. - Оповещение о близости OB. - Линии ADR High и Low. - Служба уведомлений (Экранные оповещения | Push-уведомления).
Order Block Hunter
Noha Mohamed Fathy Younes Badr
5 (1)
Order block hunter indicator is the best indicator for  hunt the order blocks that area where there has been a large concentration of limit orders waiting to be executed Order blocks are identified on a chart by observing previous price action and looking for areas where the price experienced significant movement or sudden changes in direction .This indicator does that for you by using very complicated codes and helps you to take the best areas To buy and sell because it make marks at the best a
Scalper Vault — это профессиональная торговая система, которая дает вам все необходимое для успешного скальпинга. Этот индикатор представляет собой полную торговую систему, которую могут использовать трейдеры форекс и бинарных опционов. Рекомендуемый тайм фрейм М5. Система дает точные стрелочные сигналы в направлении тренда. Она также предоставляет вам сигналы выхода и рассчитывает рыночные уровни Ганна. Индикатор дает все типы оповещений, включая PUSH-уведомления. Пожалуйста, напишите мне после
M1 Arrow
Oleg Rodin
4.67 (12)
Внутридневная стратегия, основанная на двух фундаментальных принципах рынка. В основе алгоритма лежит анализ объемов и ценовых волн с применением дополнительных фильтров. Интеллектуальный алгоритм индикатора дает сигнал только тогда, когда два рыночных фактора объединяются в одно целое. Индикатор рассчитывает волны определенного диапазона, а уже для подтверждения волны индикатор использует анализ по объемам. Данный индикатор - это готовая торговая система. Все что нужно от трейдера - следовать с
Advanced Supply Demand
Bernhard Schweigert
4.9 (271)
Этот индикатор является уникальным, качественным и доступным инструментом для торговли, включающим в себя наши собственные разработки и новую формулу. В обновленной версии появилась возможность отображать зоны двух таймфреймов. Это означает, что вам будут доступны зоны не только на старшем ТФ, а сразу с двух таймфреймов - таймфрейма графика и старшего: отображение вложенных зон. Обновление обязательно понравится всем трейдерам, торгующим по зонам спроса и предложения. Важная информация Для мак
IX Power , наконец, предлагает непревзойденную точность FX Power для нефорексных символов. Он точно определяет интенсивность краткосрочных, среднесрочных и долгосрочных трендов в ваших любимых индексах, акциях, товарах, ETF и даже криптовалютах. Вы можете анализировать все, что может предложить ваш терминал. Попробуйте и почувствуйте, как значительно улучшается ваш тайминг при торговле. Ключевые особенности IX Power 100% точные результаты расчетов без перерисовки - для всех торговых сим
Break and Retest
Mohamed Hassan
3.83 (12)
This Indicator only places quality trades when the market is really in your favor with a clear break and retest. Patience is key with this price action strategy! If you want more alert signals per day, you increase the number next to the parameter called: Support & Resistance Sensitivity.  After many months of hard work and dedication, we are extremely proud to present you our  Break and Retest price action indicator created from scratch. One of the most complex indicators that we made with ove
Другие продукты этого автора
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
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 download MT4 version please click here . - This is the exact conversion from TradingView: "Linear Regression Candles" By "ugurvu". - The overall look of the indicator is like Heiken Ashi. - It can be used as a trend confirmation indicator to detect the right trend direction. - This indicator lets you read the buffers for Candles' OHLC. - This is a non-repaint and light processing load indicator - You can message in private chat for further changes you need. Thanks
To get access to MT4 version please click here . - This is the exact conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #include <Trade\Trade.mqh> CTrade trade; int handle_hull= 0 ; input group "EA Setting" input int magic_number= 123456 ; //magic number input double fixe
To get access to MT5 version please click here . - This is a conversion from TradingView: "Hull Suite" By "Insilico". - This is a light-load processing and non-repaint indicator. - You can message in private chat for further changes you need. note: Color filled areas and colored candles are not supported in MT4 version. Here is the source code of a simple Expert Advisor operating based on signals from  Hull Suite . #property strict input string EA_Setting= "" ; input int magic_number= 1234 ; inp
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "Stochastic Momentum Index" By "UCSgears". - This is a popular version of stochastic oscillator on tradingview. - This is a light-load processing and non-repaint indicator. - Buffers are available for the lines on chart. - You can message in private chat for further changes you need. Thanks for downloading
To 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
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 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 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:"HIGH AND LOW Optimized Trend TrackerHL OTT" by "kivancozbilgic" This is a light-load processing indicator. It is a non-repaint indicator. Colored Candle and Highlighting options are not available. Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
This Expert is developed to optimize parameters to trade intraday trending markets. Simply use optimization to find the proper inputs for specific symbol you are interested in.  This is a light load EA from processing point of view. You can easily run this on several charts simultaneously. Make sure to set a different magic number for each. note: The screenshot shows a 12% profitability in EURUSD for a period of a year and 2% draw-down using optimization to find best inputs.
FREE
To download MT5 version please click  here . The Volume Oscillator measures volume by analyzing the relationship between two Moving Averages. The Volume Oscillator indicator subtracts a fast MA from slow MA. The fast and slow MA periods are configurable via input tab. Volume indicators are an ingredient of trading systems to avoid entry in thin liquidity markets. Having set a threshold on Volume Oscillator you can avoid entering chop. Buffers are available to access via EA.
FREE
To download MT4 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to standard  libraries of pine script.
FREE
To get access to MT5 version please click here . - This is the exact conversion from TradingView: "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: "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 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: "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
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 get access to MT5 version please click   here . This is the exact conversion from TradingView: "Hammer & ShootingStar Candle Detector" by "MoriFX". This is a light-load processing and non-repaint indicator. All input options are available.  Buffers are available for processing in EAs. You can message in private chat for further changes you need. Thanks.
FREE
To download MT5 version please click here . - This is 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
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 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
To download MT5 version please click here . Metatrader users are limited to few moving average types. Therefor I decided to create a package consisting of all MAs I knew. This package suggests 12 different types: { SMA, EMA, DEMA, TEMA, WMA, VWMA, SMMA(RMA), HullMA, LSMA, ALMA, SSMA, TMA } You can configure them via input tab. This is a non-repaint indicator with light load. To implement them I referred to   standard  libraries of pine script.
FREE
To download MT5 version please click  here . This is the exact conversion from TradingView: "RSI versus SMA" By "JayRogers". This indicator lets you read the buffers for all Lines on chart.  Note: This is an indicator, Not an expert. Meaning It does not take trades. If you want the EA please contact via message. You can easily use the indicator to understand the logic behind trades that the TradingView strategy takes. The strategy is profitable if this indicator is applied to the right symbol at
FREE
- This is the exact conversion from TradingView: " 200-EMA Moving Average Ribbon" By "Dale_Ansel". - This indicator plots a series of moving averages to create a "ribbon" that offers a great visual structure to price action. - This indicator lets you read buffers. For information on buffers please contact via message. - This is a non-repaint and light processing load indicator
FREE
Фильтр:
Нет отзывов
Ответ на отзыв
Версия 1.10 2024.08.25
Fixed a bug!