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

Twin Range Filter by colinmck MT4

5

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 based on signals coming from indicator:

    #property strict
    
    input string EA_Setting="";
    input int magic_number=1234;
    input double fixed_lot_size=0.01; // select fixed lot size
    
    input string    TWR_Setting="";
    input ENUM_APPLIED_PRICE src = PRICE_CLOSE; //Source
    input int per1 = 27; //Fast period
    input double mult1 = 1.6; //Fast range
    input int per2 = 55; //Slow period
    input double mult2 = 2; //Slow range
    input bool showAlerts=true; //use Alerts
    
    void OnTick()
      {
          if(!isNewBar()) return;
             
          bool buy_condition=true;
          buy_condition &= (BuyCount()==0);
          buy_condition &= (IsTWRBuy(1));
          if(buy_condition) 
          {
             CloseSell();
             Buy();
          }
             
          bool sell_condition=true;
          sell_condition &= (SellCount()==0);
          sell_condition &= (IsTWRSell(1));
          if(sell_condition) 
          {
             CloseBuy();
             Sell();
          }
      }
    
    bool IsTWRBuy(int index)
    {
       double value_buy=iCustom(_Symbol, PERIOD_CURRENT,
        "Market\\Twin Range Filter by colinmck MT4",
        src, per1, mult1, per2, mult2, showAlerts, 12, index);
       return value_buy!=EMPTY_VALUE;
    }
    
    bool IsTWRSell(int index)
    {
       double value_sell=iCustom(_Symbol, PERIOD_CURRENT,
        "Market\\Twin Range Filter by colinmck MT4",
        src, per1, mult1, per2, mult2, showAlerts, 13, 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;
    }
    



    Отзывы 1
    Golden Joy
    139
    Golden Joy 2023.07.16 18:31 
     

    waiting for you to export it as EA, I am used to trading with this indicator, and I love it

    Рекомендуем также
    NO REPAINT ADVANCED CHART PATTERN INDICATOR By definition, a price ( chart)  pattern is a recognizable configuration of price movement that is identified using a series of  trendlines  and/or curves. When a price pattern signals a change in trend direction, it is known as a reversal pattern; a continuation pattern occurs when the trend continues in its existing direction following a brief pause. Advanced Chart Pattern Tracker is designed to find the MOST ACCURATE patterns. A special script is a
    Thanks to this indicator, you can easily see the new ABCD harmonic patterns in the chart. If the two price action lengths are equal, the system will give you a signal when it reaches the specified level. You can set the limits as you wish. For example, You can get the signal of the price, which occurs in the Fibonaci 38.2 and 88.6 retracements, and then moves for the same length, at the level you specify. For example, it will alarm you when the price reaches 80% as a percentage. In vertical
    The indicator is the advanced form of the MetaTrader 4 standard Fibonacci tool. It is unique and very reasonable for serious Fibonacci traders. Key Features Drawing of Fibonacci retracement and expansion levels in a few seconds by using hotkeys. Auto adjusting of retracement levels once the market makes new highs/lows. Ability to edit/remove any retracement & expansion levels on chart. Auto snap to exact high and low of bars while plotting on chart. Getting very clear charts even though many ret
    I just sell my products in Elif Kaya Profile , any other websites are stolen old versions, So no any new updates or support. - Lifetime update free -   Real price is 80$   - 40% Discount ( It is 49$ now ) Contact me for instruction, any questions! Related Product:  Gold Expert  ,  Professor EA - Non-repaint Introduction Flag patterns are an important tool for technical traders in the stock market. When interpreting a flag pattern, it is important to wait for the pattern to pick a direction b
    This indicator Super Channel Pro indicator.Indicator displays trend movement. Indicator calculates automatically line. Features FiltPer - displays indicator channel period. deviation - displays indicator channel deviation. deviation2 - displays indicator channel deviation. How to understand the status: If the arrow is green, trend is up. If the arrow is red, trend is down. ///////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
    Pattern Trader No Repaint Indicator MT5 Version of the indicator:  https://www.mql5.com/en/market/product/57462 Advanced Chart Patterns Tracker MT4:  https://www.mql5.com/en/market/product/68550 I ndicator searches for 123 Pattern, 1234 Pattern, Double Top, Double Bottom Patterns , Head and Shoulders, Inverse Head and Shoulders and ZigZag 1.618 Pattern. Pattern Trader indicator uses Zig Zag Indicator and Improved Fractals to determine the patterns. Targets and Stop Loss Levels are defined by
    Индикатор Elliott Wave Trend был разработан для научного подсчета волн на основе шаблонов и паттернов, впервые разработанных Чжон Хо Сео. Индикатор нацелен на максимальное устранение нечеткости классического подсчета волн Эллиотта с использованием шаблонов и паттернов. Таким образом индикатор Elliott Wave Trend в первую очередь предоставляет шаблон для подсчета волн. Во-вторых, он предлагает структурный подсчет волн Wave Structural Score, которые помогает определить точное формирование волны. Он
    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
    A top-quality implementation of the famous  Zig Zag  indicator, which needs no introduction. It is completely coming from original algorithm.  After you have this indicator, you will no need any more indicator for opposite direction of trend. Trading direction of TREND Very easy to understand and set  It implements a multi-timeframe dashboard Buy and Sell signals on same chart  Working M5-M15-M30-H1-H4 and D1  After the purchase, please contact me for to learn how to use it. 
    This indicator is based on the Weis wave principle of wave volume. Below are few features of the indicator It draws the wave on the chart while the accumulated volume per wave in a different window at the bottom of the chart You can configure the turning point move It displays the accumulated volume (in thousands, eg for 15000 volume it will show 15) at the end of each wave You can also configure to show number of candles in the wave along with the wave volume The indicator calculates the distin
    Это очень функциональный индикатор и помощник для трейдеров, использующих анализ объемов спреда. Подходит как для начинающих так и для профессионалов. Посмотрите видео, в котором показаны все функции индикатора. Особенности Индикатор позволяет найти все паттерны VSA (анализ объемов спреда) на графике . Бары без цены открытия. Легкая интерпретация показателей. Анализ баров (Тип бара - Тип закрытия - Тип объема - Тип спреда). Дневные и недельные уровни (Пивот - Camarilla - Фибоначчи). Это легкий
    Интерфейсное программное обеспечение Scalper Terminal является индикатором и не участвует в автоматических сделках купли-продажи. Этот индикатор показывает текущую торговую зону, в которую можно вводить транзакции, когда возникает возможность скальпинговой торговли. При наличии сигнала скальпинга справа от соответствующей торговой пары загорается бирюзовый индикатор, а над ним пишется точное направление торговли. После этого нажмите на Бирюзовую кнопку, чтобы войти в транзакцию. Откроется новая
    Индикатор отображает на графике ренко-бары, строит по ним индикатор ZigZag - трендовые линии, соединяющие локальные минимумы и максимумы движения цены и выделяет на их основе паттернов Гартли, показывающие потенциальные точки разворота цены. Ренко - специализированное отображение движения цены, при котором на график выводится не каждый бар временного интервала, а лишь при условии что цена прошла более заданного количества пунктов. Ренко-бара не привязаны к временному интервалу, поэтому индикатор
    Это, пожалуй, самый полный индикатор автоматического распознавания гармонического ценообразования, который вы можете найти для платформы MetaTrader. Он обнаруживает 19 различных паттернов, воспринимает проекции Фибоначчи так же серьезно, как и вы, отображает зону потенциального разворота (PRZ) и находит подходящие уровни стоп-лосс и тейк-профит. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Он обнаруживает 19 различных гармонических ценов
    This is a new strategy for SUPPLY DEMAND areas It is based on a calculation using the tick volume to detect the big price action in market for both bear /bull actions this smart volume action candles are used to determine the supply and demand areas prices in between main supply and demand lines indicate sideway market  up arrows will be shown when prices moves above the main supply and the secondary supply lines Down arrows will be shown when prices moves below the main demand and the secondary
    This indicator identifies the major and minor swing high and low points on a chart. It then takes the most recent swing and draws a fibonacci pattern of retracement and extension levels to give you an idea of where price may move next. It allow allows you to set a pair of moving averages to help identify the direction of the overall trend. There are configuration parameters for the major and minor swing and the moving averages.
    Introduction to X3 Chart Pattern Scanner X3 Cherart Pattern Scanner is the non-repainting and non-lagging indicator detecting X3 chart patterns including Harmonic pattern, Elliott Wave pattern, X3 patterns, and Japanese Candlestick patterns. Historical patterns match with signal patterns. Hence, you can readily develop the solid trading strategy in your chart. More importantly, this superb pattern scanner can detect the optimal pattern of its kind. In addition, you can switch on and off individu
    Scanner and Dashboard for Cycle Sniper ATR Fibo Channels Indicator As users know indicator draws Fibonacci Channels and arrows according to the user's settings. With CS ATR Fibo Channels Scanner, you will have the ability to watch the market. - Multi Timeframe - Multi Instrument Enter your parameters to watch (as explained in Cycle Sniper ATR Fibo Channels Indicator )  - If you cho0se "Arrows by ATR Levels" , you will receive the potential reversal arrrows. - If you choose "Arrows by Median
    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
    Паттерн 123 - один из самых популярных, мощных и гибких графических паттернов. Паттерн состоит из трех ценовых точек: дна, пика или долины и восстановления Фибоначчи между 38,2% и 71,8%. Паттерн считается действительным, когда цена выходит за пределы последнего пика или долины, в момент, когда индикатор строит стрелку, выдает предупреждение, и сделка может быть размещена. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Четкие торговые сигна
    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 indi
    PinBar Hunter — ваш надёжный помощник для торговли по паттерну «Пин-бар»! Высокая точность сигналов Индикатор автоматически распознаёт бычьи и медвежьи пин-бары и моментально отображает стрелки на графике для удобного входа в сделки. Гибкие фильтры сигналов Используйте встроенные фильтры по времени и скользящей средней (MA), чтобы получать только самые качественные и надёжные торговые сигналы. Удобная информационная панель Все настройки и текущий статус индикатора всегда на виду, бл
    Reversal Pattern Pro
    Boonyapagorn Rodvattanajinda
    Reversal Patterns Pro Reversal Patterns Pro is a Price Action (PA) analytical tool that scans the reversal patterns.  - Finds and marks the most dependable Japanese candlestick patterns in real-time. - Supports all time frames (Best for Scalping) - Doesn't repaint making it an exceptional indicator for Expert Advisors. Input parameters : - Support & Resistance Mode ( true or false ) for enabling advanced filtering - Donchian Period - RSI Period - RSI Oversold Level - RSI Overbought Level - Al
    Введение в Harmonic Pattern Plus Индикатор Harmonic Pattern Plus, предназначенный для работы в MetaTrader 4, ищет гармонические модели на графике. Программа Harmonic Pattern Plus предназначена для определения точек разворота текущего тренда - она находит гармонические модели с высокой силой прогнозирования. Гармонические модели состоят из нескольких линий, объединенных важными соотношениями Фибоначчи, такими как 0,618 и 0,382, которые часто используются профессиональными трейдерами для измерения
    Fibonacci calculator is used with Elliot Waves, it can generate remarkable results. A trader could use these levels or ratios to find high probability trades with very small stop loss. You may also use these ratios to find Elliott Waves extensions and to book profit near those levels. For Elliot Wave experts, Fibonacci calculator is a highly useful tool that can assist them in calculating Fibonacci extension and retracement levels for the market price. The indicator proves itself as a useful one
    Keltner Channels are volatility-based bands that are placed on either side of an asset's price and can aid in determining the direction of a trend. The exponential moving average (EMA) of a Keltner Channel is typically 20 periods, although this can be adjusted if desired.( Default is 50 here..) In the Classic Keltner Channels The upper and lower bands are typically set two times the average true range (ATR) above and below the EMA, although the multiplier can also be adjusted based on personal p
    EARLY REMINDER: The Starting price is 65 price will rise soon up to 365$ and then 750$ after first 10 copies of sales. Grab this offer now! Introduction Hello, traders! Welcome to the demonstration of the Forex Beast Indicator , a comprehensive tool designed to assist aspiring traders in navigating the complexities of the forex market. This indicator incorporates seven essential components to provide a well-rounded trading experience: Moving Averages Colored Zones Support and Resistance Levels
    ATR Channel is an indicator. It shows us ATR ( depends on selected period ) Line on main chart. It also draw 3 up ATR channels (ATRu) and 3 down ATR channels (ATRd) on the same window. All they helps you to trade with a ATR indicator. There are 6 extern inputs; PeriodsATR   : You can change ATR Period default is 13. MA_Periods   : Use for draw ATR channels MA periods. Default is 34. MA_Type       : You can change MA_method here. Default is Linear weighted. Mult_Factor1 : It is for first up and d
    Индикатор TSO Bollinger Bandit Strategy основан на торговой стратегии Bollinger Bandit, описанной в книге Дж. Прюитта и Дж. Р. Хилла Построение выигрышных торговых систем с TradeStation . Особенности Полноценная стратегия с входами и выходами для трендового рынка. При появлении сигнала на вход отправляет уведомления по email/push-уведомления. Индикатор не перерисовывается. Можно использовать в составе советника (смотрите раздел Для разработчиков ) Условия входа Стратегия использует полосы Болл
    Contact me for instruction, any questions! Introduction Chart patterns   are an essential tool traders and investors use to analyze the future price movements of securities. One such pattern is the triple bottom or the triple top pattern, which can provide valuable insights into potential price reversals. This pattern forms when a security reaches a low   price level   three times before reversing upward or reaches a high price level three times before reversing downward.   Triple Top Bottom P
    С этим продуктом покупают
    Gann Made Easy - это профессиональная, но при этом очень простая в применении Форекс система, основанная на лучших принципах торговли по методам господина У.Д. Ганна. Индикатор дает точные BUY/SELL сигналы, включающие в себя уровни Stop Loss и Take Profit. Пожалуйста, напишите мне после покупки! Я поделюсь своими рекомендациями по использованию индикатора. Также вас ждет отличный бонусный индикатор в подарок! Вероятно вы уже не раз слышали о торговли по методам Ганна. Как правило теория Ганна от
    В настоящее время скидка 20%! Лучшее решение для новичка или трейдера-эксперта! Эта приборная панель работает на 28 валютных парах. Он основан на 2 наших основных индикаторах (Advanced Currency Strength 28 и Advanced Currency Impulse). Он дает отличный обзор всего рынка Forex. Он показывает значения Advanced Currency Strength, скорость движения валюты и сигналы для 28 пар Forex на всех (9) таймфреймах. Представьте, как улучшится ваша торговля, когда вы сможете наблюдать за всем рынком с помощ
    Gold Stuff
    Vasiliy Strukov
    4.86 (254)
    Gold Stuff - трендовый индикатор, разработанный специально для золота, также может использоваться на любых финансовых инструментах. Индикатор не перерисовывается и не запаздывает. Рекомендуемый тайм-фрейм H1.  По данному индикатору написан советник EA Gold Stuff, Вы можете найти его в моем профиле. Свяжитесь со мной сразу после покупки для получения   персонального бонуса!  Вы можете получить бесплатную копию нашего индикатора Strong Support and Trend Scanner, пожалуйста, в личку. мне! Настройки
    Инновационный индикатор, использующий эксклюзивный алгоритм для быстрого и точного определения тренда. Индикатор автоматически рассчитывает время открытия и закрытия позиций, а также подробную статистику работы индикатора на заданном отрезке истории, что позволяет выбрать наилучший торговый инструмент для торговли. Вы также можете подключить свои пользовательские стрелочные индикаторы к Scalper Inside Pro для проверки и расчета их статистики и прибыльности. Инструкция и настройки: Читать... Осно
    Внутридневная стратегия, основанная на двух фундаментальных принципах рынка. В основе алгоритма лежит анализ объемов и ценовых волн с применением дополнительных фильтров. Интеллектуальный алгоритм индикатора дает сигнал только тогда, когда два рыночных фактора объединяются в одно целое. Индикатор рассчитывает волны определенного диапазона, а уже для подтверждения волны индикатор использует анализ по объемам. Данный индикатор - это готовая торговая система. Все что нужно от трейдера - следовать с
    Dynamic Forex28 Navigator — инструмент для торговли на рынке Форекс нового поколения. В НАСТОЯЩЕЕ ВРЕМЯ СКИДКА 49%. Dynamic Forex28 Navigator — это эволюция наших популярных индикаторов, объединяющая мощь трех в одном: Advanced Currency Strength28 Indicator (695 отзывов) + Advanced Currency IMPULSE with ALERT (520 отзывов) + CS28 Combo Signals (бонус). Подробности об индикаторе https://www.mql5.com/en/blogs/post/758844 Что предлагает индикатор Strength нового поколения?  Все, что вам нравило
    Scalper Vault — это профессиональная торговая система, которая дает вам все необходимое для успешного скальпинга. Этот индикатор представляет собой полную торговую систему, которую могут использовать трейдеры форекс и бинарных опционов. Рекомендуемый тайм фрейм М5. Система дает точные стрелочные сигналы в направлении тренда. Она также предоставляет вам сигналы выхода и рассчитывает рыночные уровни Ганна. Индикатор дает все типы оповещений, включая PUSH-уведомления. Пожалуйста, напишите мне после
    Golden Trend Indicator
    Noha Mohamed Fathy Younes Badr
    4.9 (10)
    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-файлы: Для автоматической настройки и максимальной эффективности. Пошаговое видео-руководство: Научитесь т
    Easy Breakout
    Mohamed Hassan
    4.73 (11)
    After your purchase, feel free to contact me for more details on how to receive a bonus indicator called VFI, which pairs perfectly with Easy Breakout for enhanced confluence!   Easy Breakout is a powerful price action trading system built on one of the most popular and widely trusted strategies among traders: the Breakout strategy ! This indicator delivers crystal-clear Buy and Sell signals based on breakouts from key support and resistance zones. Unlike typical breakout indicators, it levera
    Trend Screener
    STE S.S.COMPANY
    4.78 (93)
    Индикатор тренда, революционное уникальное решение для торговли и фильтрации тренда со всеми важными функциями тренда, встроенными в один инструмент! Это 100% неперерисовывающийся мультитаймфреймный и мультивалютный индикатор, который можно использовать на всех инструментах/инструментах: форекс, товары, криптовалюты, индексы, акции. ПРЕДЛОЖЕНИЕ ОГРАНИЧЕННОГО ВРЕМЕНИ: Индикатор скринера поддержки и сопротивления доступен всего за 50$ и бессрочно. (Изначальная цена 250$) (предложение продлено) Tre
    Enigmera
    Ivan Stefanov
    5 (7)
    ENIGMERA: Основы рынка Важно: демо-версия на MQL5.com работает в Strategy Tester и может не полностью отображать функциональность Enigmera. Ознакомьтесь с описанием, скриншотами и видео для подробной информации. Не стесняйтесь обращаться с вопросами! Код индикатора был полностью переписан. Версия 3.0 добавляет новые функции и устраняет ошибки, накопившиеся с момента появления индикатора. Введение Этот индикатор и торговая система представляет собой уникальный подход к финансовым рынкам. ENIGMER
    Apollo Secret Trend — это профессиональный индикатор тренда, который можно использовать для поиска трендов на любой паре и тайм фрейме. Индикатор может легко стать вашим основным торговым индикатором, который вы можете использовать для определения рыночных тенденций, независимо от того, какую пару или временной интервал вы предпочитаете торговать. Используя специальный параметр в индикаторе, вы можете адаптировать сигналы к своему личному стилю торговли. Индикатор предоставляет все типы оповещен
    Lux Trend
    Mohamed Hassan
    5 (3)
    After purchase, please contact me to get your trading tips + more information for a great bonus!   Lux Trend is a professional strategy based on using Higher Highs and Lower Highs to identify and draw Trendline Breakouts! Lux Trend  utilizes two Moving Averages to confirm the overall trend direction before scanning the market for high-quality breakout opportunities, ensuring more accurate and reliable trade signals. This is a proven trading system used by real traders worldwide, demonstrating
    Volume Break Oscillator — это индикатор, который сопоставляет движение цены с тенденциями объема в форме осциллятора. Я хотел интегрировать анализ объема в свои стратегии, но меня всегда разочаровывали большинство индикаторов объема, таких как OBV, Money Flow Index, A/D, а также Volume Weighted Macd и многие другие. Поэтому я написал этот индикатор для себя, я доволен его полезностью, и поэтому я решил опубликовать его на рынке. Основные характеристики: Он выделяет фазы, в которых цена движе
    - Real price is 80$ - 40% Discount (It is 49$ now) - Lifetime update free Contact me for instruction, add group and any questions! Related Products:  Bitcoin Expert , Gold Expert - 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 design
    Представляю Вам отличный технический индикатор GRABBER, который работает, как готовая торговая стратегия "Все включено"! В одном программном коде интегрированы мощные инструменты для технического анализа рынка, торговые сигналы (стрелки), функции алертов и Push уведомлений.  Каждый покупатель этого индикатора получает дополнительно БЕСПЛАТНО:  Grabber Утилиту для автоматического управления открытыми ордерами, Пошаговый видео-мануал : как установить, настроить и торговать, Авторские сет-файлы для
    Volatility Trend System - торговая система дающая сигналы для входов.  Система волатильности дает линейные и точечные сигналы в направлении тренда, а также сигналы выхода из него, без перерисовки и запаздываний. Трендовый индикатор следит за направлением среднесрочной тенденции, показывает направление и ее изменение. Сигнальный индикатор основан на изменении волатильности, показывает входы в рынок. Индикатор снабжен несколькими типами оповещений. Может применяться к различным торговым инструмен
    Gold Venamax – это лучший биржевой технический индикатор. Алгоритм индикатора анализирует движение цены актива и отражает волатильность и потенциальные зоны для входа. Особенности индикатора: Это супер индикатор с Magic и двумя Блоками трендовых стрелочников для комфортной и профитной торговли. Красная Кнопка переключения по блокам выведена на график. Magic задается в настройках индикатора, так чтобы можно было установить индикатор на два графика с отображением разных Блоков. Gold Venamax можно
    GOLD Impulse with Alert
    Bernhard Schweigert
    4.6 (10)
    Этот индикатор является супер комбинацией двух наших продуктов Advanced Currency IMPULSE with ALERT  +   Currency Strength Exotics . Он работает на всех временных рамках и графически показывает импульс силы или слабости для 8 основных валют плюс один символ! Этот индикатор специализирован для отображения ускорения силы валюты для любых символов, таких как золото, экзотические пары, товары, индексы или фьючерсы. Первый в своем роде, любой символ может быть добавлен в 9-ю строку, чтобы показат
    FX Volume
    Daniel Stein
    4.6 (35)
    FX Volume: Оцените подлинную динамику рынка глазами брокера Краткий обзор Хотите вывести свою торговлю на новый уровень? FX Volume дает вам информацию в реальном времени о том, как розничные трейдеры и брокеры распределяют свои позиции — задолго до появления запаздывающих отчетов типа COT. Независимо от того, стремитесь ли вы к стабильной прибыли или ищете дополнительное преимущество на рынке, FX Volume поможет выявлять крупные дисбалансы, подтверждать пробои и совершенствовать управление риск
    Цикличный индикатор для торговли и прогнозирования направления рынка. Показывает цикличное поведение цены в виде осциллятора. Дает сигналы открытия сделок при отбое от верхних и нижних границ осциллятора. В виде гистограммы показывает сглаженную силу тренда. Дополнит любую стратегию торговли, от скальпинга до внутри-дневной. Индикатор не перерисовывается. Подходит для использования на всех символах/инструментах. Подходящие тайм-фреймы для краткосрочного трейдинга M5, M15, M30. Для дневной и боле
    FX Power: Анализируйте силу валют для более эффективной торговли Обзор FX Power — это ваш незаменимый инструмент для понимания реальной силы валют и золота в любых рыночных условиях. Определяя сильные валюты для покупки и слабые для продажи, FX Power упрощает принятие торговых решений и выявляет высоковероятные возможности. Независимо от того, хотите ли вы следовать за трендами или предсказывать развороты с использованием экстремальных значений дельты, этот инструмент идеально адаптируется под
    Gold Buster M1 System - это профессиональная торговая система для M1 графиков на паре XAUUSD. Но, несмотря на то, что изначально система разрабатывалась исключительно для торговли золотом, систему можно использовать и с некоторыми другими валютными парами. После покупки я вам дам список торговых пар, которые можно использовать с системой помимо XAUUSD, что расширит ваши возможности применения данной системы. ВСЕ ИНДИКАТОРЫ В СИСТЕМЕ НЕ ПЕРЕРИСОВЫВАЮТСЯ! Данная система представляет собой набор из
    Попробуйте "Chart Patterns All in One" в режиме демо и получите бонус. Отправьте мне сообщение после тестирования в режиме демо, чтобы получить бонус. Оставьте комментарий после покупки, чтобы получить 8 высококачественных индикатора в качестве бонуса. Индикатор Chart Patterns All-in-One помогает трейдерам визуализировать различные графические модели, которые широко используются в техническом анализе. Он помогает определить возможное поведение рынка, но не гарантирует прибыльность. Рекомендуетс
    TPSproTREND PrO
    Roman Podpora
    4.68 (25)
    VERSION MT5        —        ИНСТРУКЦИЯ RUS           —        INSTRUCTIONS  ENG Основные функции: Точные сигналы на вход БЕЗ ПЕРЕРИСОВКИ! Если сигнал появился, он остается актуальным! Это важное отличие от индикаторов с перерисовкой, которые могут предоставить сигнал, а затем изменить его, что может привести к потере средств на депозите. Теперь вы сможете входить в рынок с большей вероятностью и точностью. Также есть функция окрашивания свечей после появления стрелки до достижения цели (take
    [ 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 analys
    Gold Trend – хороший биржевой технический индикатор. Алгоритм индикатора анализирует движение цены актива и отражает волатильность и потенциальные зоны для входа. Самые лучшие сигналы индикатора: Для SELL = красная гистограмма + красный указатель SHORT + желтая сигнальная стрелка в этом же направлении. Для BUY = синяя гистограмма + синий указатель LONG + аква сигнальная стрелка в этом же направлении. Преимущества индикатора: И ндикатора выдает сигналы с высокой точностью. Подтвержденный сигнал
    Wave Synchronizer - визуальный индикатор волнового анализа. Объединяет последовательности движения свечей и производит построение направленных волн, производя синхронные движения вместе с рынком. Начало каждой волны начинается с сигнальной стрелки, также есть оповещения. Индикатор никогда не перерисует и не передвинет стрелки на прошлой истории. Сигнальные стрелки появляются на закрытии свечи. Подстраивается под работу с любыми торговыми инструментами и тайм-фреймами. Прост в использовании и на
    Персональная реализация Order Blocks, простой, но эффективной стратегии позиционной торговли. Трейдер должен войти в рынок или искать сделки в направлении последнего блока ордеров, если ценовой диапазон не был нарушен в направлении, противоположном прорыву. Открытые блоки для наглядности не прорисовываются. [ Руководство по установке | Руководство по обновлению | Устранение неполадок | FAQ | Все продукты ] Бычий открытый блок - это первый бычий бар после нового рыночного минимума. Медвежий откр
    Другие продукты этого автора
    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
    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 . 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
    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 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 MT4 version please click here . This is the exact conversion from TradingView: "Supertrend" by " KivancOzbilgic ". The screenshot shows similar results from tradingview and Metatrader when tested on ICMarkets on both platforms. This is a light-load processing and non-repaint indicator. You can message in private chat for further changes you need. Here is the source code of a simple Expert Advisor operating based on signals from  Supertrend . #include <Trade\Trade.mqh> CTrade tra
    To get access to MT5 version please click   here . This is the exact conversion from TradingView: "ZLSMA - Zero Lag LSMA" by "veryfid". This is a light-load processing indicator. This is a non-repaint indicator. Buffers are available for processing in EAs. All input fields are available. You can message in private chat for further changes you need. Thanks for downloading
    To 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 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 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
    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 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 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 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 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
    Фильтр:
    Golden Joy
    139
    Golden Joy 2023.07.16 18:31 
     

    waiting for you to export it as EA, I am used to trading with this indicator, and I love it

    Yashar Seyyedin
    48967
    Ответ разработчика Yashar Seyyedin 2023.07.16 18:47
    Thanks for the positive review. Wish you happy trading.
    Ответ на отзыв
    Версия 1.50 2023.05.29
    alerts are back.
    Версия 1.40 2023.05.29
    a serious bug fix!
    Версия 1.30 2023.02.22
    push notifications added.
    Версия 1.20 2023.02.14
    Added Alert details: Time Frame and Symbol
    Версия 1.10 2023.02.14
    Added Alerts option.