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

Pending Order Grid EA MT5

The Pending Order Grid is a multi-symbol multi-timeframe Expert Advisor that enables multi-strategy implementation based on pending order grids. 

General Description 

The Pending Order Grid allows the performing of a user-defined strategy through the creation of pending order grids. The Expert Advisor places pending orders of a given type (Buy Limit, Sell Limit, Buy Stop, or Sell Stop) at equidistant price levels to form each grid. The user might set up different grids to exist simultaneously – it's only needed to attach the EA on multiple chart windows of the intended symbol(s). 

The start and stop of a grid might be chosen between two modes: price or time. Depending on the selected modes, the trading robot only starts placing pending orders when the current price is "near" the first target price (Start Price) or the Start Time is reached and stops placing when the last target price exceeds the Stop Price or the Stop Time is reached, where Start Price, Start Time, Stop Price and Stop Time are input parameters. 

A pending order placing is regulated by a price interval, whose limits are at the Stop Level and Stop Level + Extra Level distances from the order’s target price, where Extra Level is an input parameter. Every time new quotes are available, and the symbol's price is at this interval, the pending order is placed. The target price of the next order is simply given by the previous one added (Sell Limit or Buy Stop) or subtracted (Buy Limit or Sell Stop) with the Price Level input parameter. 

An exception to the previous procedure is when the grid’s first pending order is triggered by the Start Time. In this case, the trading robot tries immediately placing the order at the Stop Level distance. In case of rejection by the trade server, it will add 1 pip to the previous distance and try again for the order placing. This procedure will be repeated until the Stop Level + Extra Level distance is reached. 

The maximum number of simultaneous pending orders placed by the EA is given by the expression: 

  • Ceil ( (Stop Level + Extra Level) / Price Level ), for Price Level > 0, 

where Ceil represents the usual maths function. The expression may take the following values: 

  • 1 for Price Level ≥ Stop Level + Extra Level, 
  • 2 for (Stop Level + Extra Level)/2 ≤ Price Level < Stop Level + Extra Level, 
  • 3/more for Price Level < (Stop Level + Extra Level)/2. 

    Risk Management 

    The volume used to place a pending order is chosen between a fixed and a variable lot size, available through the Volume and Free Margin % input parameters, respectively. If there isn't enough money in the account for the chosen volume, a request for placing the order is still sent to the trade server. The purpose is to allow the corresponding position opening if the free margin increases enough until the target price is reached. This increase could be due to an account deposit or position profit between the placing and triggering of the pending order. 

    Input Parameters 

    PENDING ORDER GRID 

    • Start Price: Price used to define the grid’s start. 
    • Start Time: Time used to define the grid’s start. 
    • Stop Price: Price used to define the grid’s stop. 
    • Stop Time: Time used to define the grid’s stop. 
    • Price Level: Distance used between pending orders of the same type (pips). 
    • Extra Level: Distance from the Stop Level, which in turn is a distance from the target price, both represent the limits of price interval where the symbol's price needs to be for the pending order's placing (pips). 

        PENDING ORDER PLACING 

        • Magic Number: Expert Advisor’s identifier. 
        • Type: Pending order type used to form the grid. 
        • Volume: Lot size per deal (lots). 
        • Free Margin %: Percentage of account free margin used to calculate the lot size of the current deal (%). 
        • Stop Loss: Distance from the pending order's target price for placing a Stop Loss (pips). 
        • Take Profit: Distance from the pending order's target price for placing a Take Profit (pips). 
        • Deviation: Maximum allowed slippage from the requested price (pips). 
        • Fill Policy: Volume execution policy. 
        • Expiration Type: Order validity mode. 
        • Expiration Time: Order validity period (used only with the ORDER_TIME_SPECIFIED validity mode). 
        • Comment: Text message displayed in the chart window after a(n) (re)initialization of the EA, in the Objects list after creating a horizontal/vertical line (at each of the grid’s limits) or placing a pending order, and in the Trade or History tabs of the Toolbox window after placing a pending order (it only allows 31 characters). 

          POSITION MODIFYING 

          • Trailing Stop – SL: Distance from the market price for placing a Stop Loss after a favourable price movement (pips). 
          • Trailing Start – SL: Distance from the position’s opening price that must be reached for the “Trailing Stop – SL” function’s activation (pips). 
          • Trailing Step – SL: Distance from the price where the previous Stop Loss modification occurred that must be reached before the placing of a new Stop Loss (pips). 
          • Trailing Stop – TP: Distance from the market price for placing a Take Profit after an unfavourable price movement (pips). 
          • Trailing Start – TP: Distance from the position’s opening price that must be reached for the “Trailing Stop – TP” function’s activation (pips). 
          • Trailing Step – TP: Distance from the price where the previous Take Profit modification occurred that must be reached before the placing of a new Take Profit (pips). 

              OPTIMIZATION CRITERION 

              • Math Expression: Mathematical expression used to calculate a custom statistic parameter to sort the optimization results (see the Optimization Criterion section below). 

              Some of the available parameters accept values that lead to particular options. 

              • Start Price or Stop Price: A null/negative value means the parameter’s inactive function. 
              • Start Time or Stop Time: A value before the current time means the parameter’s inactive function. 
              • Price Level: A null value means that the target price is constant for all pending orders. 
              • Extra Level: A null value means that the symbol’s price needs to be exactly at the Stop Level distance from the target price for the pending order's placing. 
              • Volume: A value lower than the minimum allowed volume by the broker is converted in this last. A value higher than the maximum available volume by the free margin is converted in this last. 
              • Free Margin %: A value whose volume doesn’t reach the minimum allowed volume by the broker is converted in this last. A value whose volume exceeds the maximum available volume by the free margin is converted in this last. 
              • Stop Loss, Take Profit, Trailing Stop – SL or Trailing Stop – TP: A null value means the parameter’s inactive function. Any value between 0 and the Stop Level is converted in this last. 
              • Trailing Start – SL or Trailing Start – TP: A null value means the “Trailing Stop – SL” or “Trailing Stop – TP” function’s immediate activation, respectively. 
              • Trailing Start – SL: The spread value means the “Trailing Stop – SL” function’s activation at breakeven, although such hasn't been guaranteed. The spread + “Trailing Stop – SL” values mean the “Trailing Stop – SL” function’s activation in a profit where breakeven has been guaranteed. 
              • Trailing Step – SL or Trailing Step – TP: A null value means the “Trailing Stop – SL” or “Trailing Stop – TP” function’s continuous operation, respectively. 

                The input parameters that define the limits of the grid must obey a few rules. 

                • Both the start and stop of the grid must be selected, each chosen between a price or time. 
                • Any combination between the start and stop of the grid can be used: Start Price + Stop Price, Start Price + Stop Time, Start Time + Stop Price and Start Time + Stop Time
                • The Start Price cannot exceed the Stop Price in the Sell Limit or Buy Stop orders grid. 
                • The Stop Price cannot exceed the Start Price in the Buy Limit or Sell Stop orders grid. 
                • The Start Time cannot exceed the Stop Time in any pending order grid. 

                    Optimization Criterion 

                    The Expert Advisor allows the creation and use of a new statistical parameter (besides available ones) to sort the optimization results. This custom statistic parameter results from a mathematical expression calculated after the testing. The expression must obey syntax rules and precedence order, being constituted by the following elements: 

                    • Integer and real numbers. 
                    • Statistic parameters
                    • Mathematical operators for addition (+), subtraction (-), multiplication (*), division (/) and exponentiation (^). 
                    • Mathematical and trigonometric functions
                    • Curved parentheses (()) to define the precedence and contain the function’s argument(s). 
                    • Full stop (.) as decimal point and comma (,) as function’s arguments separator. 

                      The statistical parameters are used by writing the respective identifier initial(s) after the term “STAT”. In case there are two identifiers with the same initial(s), it must also be added “1” or “2”, depending on the order in which both appear in the list. For instance, “STAT_PROFIT” and “STAT_MAX_CONLOSS_TRADES” would be “P” and “MCT2”, respectively. List of identifiers, without “STAT_”, whose initial(s) require “1” or “2”: 

                      CONPROFITMAX (C1), CONPROFITMAX_TRADES (CT1), MAX_CONWINS (MC1), MAX_CONPROFIT_TRADES (MCT1), CONLOSSMAX (C2), CONLOSSMAX_TRADES (CT2), MAX_CONLOSSES (MC2), MAX_CONLOSS_TRADES (MCT2), EQUITYDD_PERCENT (EP1), EXPECTED_PAYOFF (EP2), LOSS_TRADES (LT1), LONG_TRADES (LT2). 

                      The mathematical/trigonometric functions are used by writing the respective name after “Math” and one or two arguments inside parentheses, separated by a comma in this last case. For instance, “MathLog10()” and “MathPow()” would be “Log10(argument)” and “Pow(argument1,argument2)”, respectively. List of names that correspond to the available functions: 

                      Abs, Arccos, Arcsin, Arctan, Arctan2, Ceil, Cos, Exp, Floor, Log, Log10, Max, Min, Mod, Pow, Rand, Round, Sin, Sqrt, Tan, Expm1, Log1p, Arccosh, Arcsinh, Arctanh, Cosh, Sinh, Tanh. 

                      Note: “MathRand()” is only executed with “GetTickCount()” as the argument of “MathSrand()”, it’s used without anything inside parentheses – simply writing “Rand()”. 

                      Additionally, the expression has the following properties: 

                      • The scientific, engineering and E notations are allowed. 
                      • The multiplication needs to be explicitly indicated (through the respective symbol). 
                      • The system is case-insensitive. 
                      • The space ( ) is allowed and doesn’t affect the expression’s calculation. 
                      • The input expression is limited to 233 characters. 

                        Examples of a number representation using various notations: “0.0000325” (decimal), “3.25*10^-5” (scientific), “32.5*10^-6” (engineering) and “32.5E-6” (E). 

                        IMPORTANT! The EA doesn’t verify if the input expression fulfils all the requirements, namely if it obeys syntax/standard rules, hence, any infringement of these leads to an unreliable result. 

                        Displayed Information 

                        The Expert Advisor possesses a vast number of messages to inform the user about errors and conditions changes that might occur during its operation. The messages are shown through the Alert function (by a pop-up window), its content includes: 

                        1. The warning that an input parameter has been incorrectly set. 
                        2. The info that the account doesn't have enough money for the chosen volume (see the Risk Management section above). 
                        3. The info that the number of permitted orders by the broker has been reached. 
                        4. The previous and current value of the symbol’s Stop Level when this is updated. 
                        5. The Trade Server Return Codes description. 
                        6. The symbol’s quotes (immediately) before the trade request’s formation, followed by the symbol’s quotes (immediately) after the trade server’s decision. 
                        7. The Runtime Errors description. 
                        8. The standard function in the include file where the runtime error was detected (only relevant to the programmer). 
                        9. The Uninitialization Reason Codes description. 

                                    Note: Some elements of the list are displayed simultaneously (in the same text line): 5, 6 and 7; 7 and 8. 

                                    During the EA’s operation, the messages displayed are grouped by kind of occurrence (related to each list’s element, except the 1, 6 and 8) and counted. Immediately before the EA’s unloading, a final message containing those groups with the respective counts (if these were > 0) is presented. 

                                    Following the EA's (re)initialization, two reference lines are displayed in the chart at the grid’s limits (start and stop). Each line is horizontal/vertical when the grid’s limit is the price/time, respectively. Both lines are blue/red when the grid’s pending order type is Buy/Sell, respectively. Tip: Place the mouse pointer over one of those lines to see its object name ("Buy/Sell Limit/Stop – Start/Stop Price/Time"). Note: The properties of a graphical object can be edited in the Objects list. 

                                    After the EA’s testing/optimization, the result of the mathematical expression, inserted in the Math Expression input parameter, is presented in the Journal/Optimization Results tabs of the Strategy Tester window, respectively. After the EA’s testing, the values of the available statistic parameters are also presented in the Journal tab. 

                                    Observations 

                                    In some cases, the quoting session might start before or end later than the corresponding trading session (with a five-minute difference, for instance). During the time interval when the quoting session is open, but the trading session is still/already closed, the Expert Advisor initiates/continues to process the available ticks, respectively. If the present conditions satisfy the EA's trading criteria, a trade request is formed and sent to the server. However, it won’t succeed, and an error message is displayed: “Trade request sending failed; Market is closed. 

                                    During high activity periods, the trade server’s decision on whether a trade request is executed or rejected may suffer significant delays. Some data used in the request sent to the server might become incorrect, leading to the order’s rejection. When the server is evaluating a request and the symbol's quotes are updated, three cases might occur: 

                                    1. Pending order placing – the pending order’s target price becomes an incorrect distance. 
                                    2. Position opening/modifying – the position's Stop Loss or Take Profit intended level becomes an incorrect distance. 
                                    3. Position modifying – the position's Stop Loss or Take Profit previous level takes to its closing. 

                                    The symbol’s quotes mentioned in the sixth element of the list in the Displayed Information section are especially useful here (since firsts usually differ from lasts). A careful analysis of these quotes, knowing the implication that certain quote changes have on the request’s evaluation, permits understanding the reason when these cases occur. To avoid the request’s rejection by the trade server due to “invalid stops” (cases 1 and 2), the prices/levels used should exceed the symbol’s Stop Level by a few pips. 

                                    The Start Price, Start Time, Stop Price, Stop Time or Type input parameters have a special status in the program. Every time one is changed, two things happen: the EA ends up the current grid and verifies the conditions to create a new one. Then, if all start/stop values pass this checking, the EA begins a new grid. But, if at least one fails, the EA doesn’t go forward with the new grid and terminates its operation. 

                                    A Buy/Sell position is opened at the Ask/Bid price and closed at the Bid/Ask price. Since the position’s stop orders (Stop Loss and Take Profit) are triggered at this last price, in a pending order, they are calculated from the order's target price -/+ the current spread (Ask - Bid), respectively. 

                                    When placing a pending order, the validity period can’t be less than 1 minute. During a grid creation, the Expert Advisor doesn’t place pending orders if the current time exceeds the Expiration Time minus 1 minute (when the validity period is previously selected). 

                                    Conclusion 

                                    The Pending Order Grid is a helpful and efficient tool regarding the automatic creation of pending order grids, especially when the grids consist of a significant number of orders, enabling a simple and intuitive setting of the grids to form.


                                    Рекомендуем также
                                    FX28 Trader MT5
                                    Tsvetan Tsvetanov
                                    3 (1)
                                    Представляем вам FX28 Trader Dashboard – ваш идеальный менеджер сделок. Разблокируйте полный потенциал вашего торгового опыта с FX28 Trader Dashboard, всесторонним и интуитивно понятным менеджером сделок, разработанным для поднятия вашего опыта торговли на новый уровень. Будь вы опытным трейдером или только начинаете свой финансовый путь, этот мощный инструмент создан для оптимизации ваших торговых операций и улучшения вашего процесса принятия решений. Основные характеристики: Пользовательский
                                    Remote Trade Copier is an advanced tool designed for efficiently copying trades between accounts in both local and remote modes. It allows for lightning-fast order replication from a master account to a slave account. In local mode, trades are copied instantly, while in remote mode, the copying process takes less than 1 second. Local mode refers to both MetaTrader platforms being installed on the same system, whereas remote mode enables copying between MetaTrader installations on separate syste
                                    Binance Grid Pro offers an alternative to the built in Grid systems Binance Platform offers. This utility let you define a grid parameters for interact with your Binance account using an Isolated Margin account. This is, similar to Spot Grid in Binance. This is not for handle with derivatives contracts, is for handle with Spot through Isolated Margin Account. But obviosly this utility offers a different approach than built in Binance Grid to handle the Grid, which I have found useful based on
                                    The Realtime Statistics MT5  is an innovative tool designed for traders who want to keep track of their trading performance in real-time. This MetaTrader 5 Expert Advisor (EA) is packed with customizable features that allow you to monitor crucial trading statistics directly on your chart, ensuring you always have the insights you need to make informed trading decisions. Check out the Realtime Statistics MT5 User Guide Here Try out the  FREE  Realtime Statistics MT5 Demo  Here Key Features: Compr
                                    Overview : The Advanced News Trading Panel is a versatile tool designed for traders who rely on news-based trading strategies. This Expert Advisor (EA) provides an intuitive graphical interface that allows users to quickly set up pending orders and manage risk with ease. With the ability to automatically place Buy/Sell Stop orders based on your pre-set stop order distance from the bid/ask price, stop-loss and take-profit levels, the EA allows for precision trading during high-volatility news eve
                                    Tiger Lite recreate the history of entry and exit orders. The goal is that you can grasp their strategy how to play. CSV format support for WEB, MT4 and MT5 platforms. The sequence of steps is described in the photo. Note: Please choose the existing date and symbol on the CSV file. For MT4/5, export historical data and copy the records to excel, save it with the extension CSV. For MT4/MT5/WEB, save the name with format mt4.csv/mt5.csv/web.csv If you get the history from another source and your
                                    FREE
                                    Pending Order Grid MT5
                                    Francisco Manuel Vicente Berardo
                                    The Pending Order Grid is a multi-symbol multi-timeframe script that enables multi-strategy implementation based on pending order grids.  General Description   The Pending Order Grid allows the performing of a user-defined strategy through the creation of pending order grids. The script places pending orders of a given type (Buy Limit, Sell Limit, Buy Stop, or Sell Stop) at equidistant price levels to form each grid. The beginning and finish of every grid are defined by the Start Price and Sto
                                    Features 1️⃣ Flexible Grid Order Configuration Set price levels and spacing between orders. Customize order sizes and maximum number of positions for better risk control. 2️⃣ Hedge and Netting Modes Hedge Mode : Allows simultaneous long and short positions , ideal for advanced strategies. Netting Mode : Consolidates positions for easier balance management. 3️⃣ Supported Order Types Limit Orders : Buy and sell at predetermined prices. Market Orders : Instant execution. Integrated Take-Profit : Wi
                                    Binance - всемирно известная биржа криптовалют! Чтобы облегчить пользователям MT5 прямую торговлю на Binance Futures, программа предоставляет следующие торговые функции: 1. Имитируйте стиль торговли Binance Futures и предоставьте удобную панель управления; 2. Введите api и секрет самостоятельно (вам необходимо открыть разрешение на торговлю фьючерсами в API Binance), чтобы получить кредитное плечо, баланс и другую информацию; 3. Поддержка limitOrder (лимитный ордер), marketOrder (рыночный ор
                                    StopAndTake
                                    Oleksandr Kashyrnyi
                                    5 (1)
                                    Название продукта: StopAndTake — простейший скрипт для точного и быстрого управления SL и TP Описание продукта: StopAndTake — это легкий и интуитивно понятный скрипт, созданный для трейдеров, которые ценят скорость, точность и надежность в управлении своими позициями. Этот инструмент позволяет мгновенно обновить уровни Stop Loss и Take Profit для всех позиций на выбранном графике, обеспечивая максимальную простоту использования. Преимущества и выгоды: Простота: минималистичный интерфейс, который
                                    FREE
                                    Range Breakout EA – Лови движения во время Азиатской сессии! Привет! Наш Range Breakout EA поможет вам максимально использовать ранние движения на азиатской сессии. Вот как это работает: в заданный временной промежуток EA отмечает самые высокие и низкие точки, чтобы создать диапазон. Затем выставляются лимитные ордера на покупку и продажу чуть выше и ниже этого диапазона, чтобы вы были готовы к пробою в любом направлении! :) Для безопасности стоп-лосс ставится на противоположной стороне диапазо
                                    AO Trade
                                    Ka Lok Louis Wong
                                    Система AO Trade специально разработана для трендовой торговли, используя время аукциона или новостей в качестве точек отсчёта для сравнения с другими конкретными временами ордеров для предварительного анализа рыночных тенденций. **Все временные параметры, используемые в Экспертном советнике (EA), основаны на времени вашего терминала. Различные брокеры могут работать в разных часовых поясах по Гринвичу (GMT), что может дополнительно изменяться из-за коррекции летнего времени (DST).** **Пожалуй
                                    HFT  ZONE MOMENTUM RECOVERY EA_Name ค่า: HFT MTRADER ใช้สำหรับระบุชื่อของ EA เพื่อให้ง่ายต่อการจัดการหรือตรวจสอบในประวัติการเทรด (History) Lot_fix ค่า: 0.02 ใช้กำหนดขนาดของล็อตคงที่ (Fixed Lot Size) ที่ EA จะเปิดในแต่ละคำสั่งเทรด โดยไม่ขึ้นอยู่กับเงื่อนไขอื่น ๆ Lots_X ค่า: 1.5 ตัวคูณล็อต (Lot Multiplier) ซึ่งมักใช้ในการเพิ่มขนาดล็อตในลักษณะการ Martingale หรือ Hedging โดยเมื่อขาดทุนหรือเปิดคำสั่งถัดไป ระบบจะเพิ่มล็อตตามค่าที่กำหนดไว้ High_Low_end_candle ค่า: 10 จำนวนแท่งเทียนที่ใช้ในการคำนวณระ
                                    Welcome to Smart Algo Trade Panel Manager MT5 - the ultimate   risk management tool designed to make trading more effective based on user needs.  It is a comprehensive solution for seamless trade planning, position management, and enhanced control over risk. It does not matter weather you a beginner or an advanced trader, or a scalper needing rapid executions, SmartAlgo Trade Panel  adapts to your needs offering flexibility across all markets of your choice. You can put SL, Lot and TP of choice
                                    Magic EA MT5
                                    Kyra Nickaline Watson-gordon
                                    Magic EA is an Expert Advisor based on Scalping, Elliot Waves and with filters such as RSI, Stochastic and 3 other strategies managed and decided with the robot smartly. Large number of inputs and settings are tested and optimized and embedded in the program thus inputs are limited and very simple. Using EA doesn't need any professional information or Forex Trading Knowledge. EA can trade on all symbols and all time frames, using special and unique strategies developed by the author. The EA w
                                    Cleopatra EA MT5
                                    Nestor Alejandro Chiariello
                                    Привет Трейдеры! Представляю вам «Клеопатру». Клеопатра — красивый и продуманный дизайн с формой восстановления, которая постоянно адаптируется там, где ее сила заключается в универсальности. Его основная стратегия – читать рынок по его эластичности. Мы можем анализировать диапазон входа разными способами. Это может быть очень динамично на разных ТФ и в разных диапазонах, с обработкой запросов по рыночным новостям. Клеопатра обладает огромной способностью адаптироваться к восстановлению рынка,
                                    Santa Scalping is a fully automated Expert Advisor with no use of martingale. Night scalping strategy. The SMA indicator filter are used for entries. This EA can be run from very small accounts. As small as 50 EUR. General Recommendations The minimum deposit is 50 USD,  default settings reccomend for eurusd m5 gmt +2 . Please use max spread 10 if you will not have orders change it to -1. Use a broker with good execution and with a spread of 2-5 points. A very fast VPS is required, preferably wi
                                    PipSniper EA
                                    Noel Dagubert Kayombo
                                    PipSniper EA  is a Trend Expert Advisor. The strategy is based on Price Action and Trend following.The system does not use risky strategies such as grid or martingale.  FEATURES No Martingale, No Grid, No Double Lot, No Averaging, No Dangerous strategy. Every trade has SL and TP from beginning. Only one trade at a time, for each currency pair. The EA supports symbols with a suffix or prefix. Free Demo available to download. INFORMATION Recommended pairs:  volatility 75 (v5), BTCUSD, EURUSD Re
                                    This EA is for only Deriv Synthetic indices.  Forex MT4 Version here:   https://www.mql5.com/en/market/product/89114 Forex MT5 version here:  https://www.mql5.com/en/market/product/89113 Hello traders, I believe you all know that risk and money management along with psychology are the keys to success in trading. No matter how strong one’s strategy is, without these 3 criteria they will always face losses in the long run. I have created an EA to control our human behaviors. This EA will force u
                                    RSI Grid MT5
                                    Joseph Anthony Aya-ay Yutig
                                    ПОЛУЧИТЕ ДРУГИЕ EA БЕСПЛАТНО!!! ПОЛУЧИТЕ ДРУГИЕ EA БЕСПЛАТНО!!! ПОЛУЧИТЕ ДРУГИЕ EA БЕСПЛАТНО!!! ПОЛУЧИТЕ ДРУГИЕ EA БЕСПЛАТНО!!! ПОЛУЧИТЕ ДРУГИЕ EA БЕСПЛАТНО!!! RSI Grid основан на условиях перекупленности и перепроданности RSI и открывает сетку, когда сделка находится на проигрышной стороне рынка. RSI предоставляет техническим трейдерам сигналы о бычьем и медвежьем ценовом импульсе, и он часто отображается под графиком цены актива. Актив обычно считается перекупленным, когда RSI выше 70%, и пер
                                    /   ********** **********   ********** **********   ********** **********   ********** **********   ********** **********   / Big Sales for Easter! Price is reduced > 50 % already! Grasp the chance and Enjoy it!  /   ********** **********   ********** **********   ********** **********   ********** **********   ********** **********   / This is a powerful EA that support single order strategy, martingale strategy, multiple timeframes strategy, etc with lots of useful indicators and self defined
                                    G Trade Broker Check – Instantly Evaluate Broker Performance Across Multiple Accounts and Leverage Settings Take your trading to the next level by analyzing your broker’s performance in real time! With G Trade Broker Check , traders can effortlessly track their broker’s behavior over the past 24 hours on any symbol added to the Market Watch in MT5. Whether you’re comparing multiple brokers, testing different account types, or analyzing varying leverage setups, this powerful Expert Advisor prov
                                    FREE
                                    Overview: The TropangFX AutoMgmt is a versatile trading utility designed to enhance your averaging strategy by automatically placing take profit and stop loss orders. This utility empowers traders by integrating a risk calculator and lot-size customization, ensuring that each trade aligns with their risk management preferences and financial goals. Key Features: Automated Take Profit & Stop Loss: Automatically sets take profit and stop loss levels for each trade based on predefined criteria. Ens
                                    EA Monolith
                                    Vasiliy Kolesov
                                    5 (1)
                                    EA Monolith EA monolith - полностью автоматический, мультивалютный советник, предназначенный для торговли на рынке Forex в терминале МТ5 на счетах с "неттинг" учётом ордеров, "без хеджа".  Советник подходит как для разгона небольших депозитов на центовых счетах, так и для профессионального инвестирования крупных депозитов. В советнике установлена функция закрытия всех ордеров при достижении критической просадки, размер которой устанавливается в настройках, что обеспечивает полную защиту деп
                                    Trade like a time traveler thanks to latency arbitrage Everyone knows that the best way to make money in the markets is by knowing the future. Have you ever wished to know the future price of something in advance? Even if it were just a few days, hours, or minutes ahead? What if it were possible to know it but with less than a second of advance notice? That's precisely what the PZ Latency Arbitrage EA robot does. PZ Latency Arbitrage EA is your personal time machine: but it can only travel into
                                    Srfire Hedge Position
                                    Javier Antonio Gomez Miranda
                                    SRFire Hedge Position - Automated Trading Strategy SRFire Hedge Position is an Expert Advisor (EA) designed to ensure trades always close in profit using a hedging and scaling technique. Here’s how it works: How It Works: Trade Initiation: The EA opens a Buy position within a predefined channel. Simultaneously, it places a Sell Stop order below the channel with double the lot size of the Buy position. If the Buy position hits the Take Profit (TP), the Sell Stop order is canceled, and the proces
                                    News Trade EA MT5
                                    Konstantin Kulikov
                                    4.55 (11)
                                    Представляю полезного робота, которым пользуюсь сам уже несколько лет. Может использоваться как в полуавтоматическом, так и в полностью автоматическом режиме. Программа содержит гибкие настройки торговли на новостях экономического календаря. В тестере стратегий проверить нельзя. Только реальная работа. В настройках терминала необходимо добавить новостной сайт в список разрешенных URL. Кликните Сервис > Настройки > Советники. Поставьте галочку в "Разрешить WebRequest для следующих URL:". Добавь
                                    Hamster Scalping mt5
                                    Ramil Minniakhmetov
                                    4.71 (209)
                                    Hamster Scalping - полностью автоматический торговый советник. Стратегия ночной скальпинг. В качестве входов используется индикатор RSI и фильтр по ATR. Для работы советника требуется хеджинговый тип счета. ВАЖНО! Свяжитесь со мной сразу после покупки, чтобы получить инструкции и бонус! Мониторинг реальной работы, а также другие мои разработки можно посмотреть тут: https://www.mql5.com/ru/users/mechanic/seller Общие рекомендации Минимальный депозит 100 долларов, используйте ECN счета с минимальн
                                    Introducing the MAYARI MT5: The Trend Indicator Expert Advisor *Set Files for EURUSD available on the Comments Section *RESULTS SHOWN HERE ARE NOT OVER OPTIMIZED UNLIKE OTHER BOTS THE IS FOR SALE! ONLY REALISTIC RESULTS! *The default settings of MAYARI MT5 are optimized for EURUSD, based on rigorous back-testing over a 4-year period. For safe and effective operation, it's recommended to use the default settings with an account balance of at least $1,000 USD. Embark on a journey where technology
                                    С этим продуктом покупают
                                    Trade Assistant MT5
                                    Evgeniy Kravchenko
                                    4.42 (175)
                                    Помогает рассчитать риск на сделку, простая установка нового ордера с помощью линий, управление ордерами с функциями частичного закрытия, 7 типов трейлинг-стопа и другие полезные функции. Дополнительные материалы и инструкции Инструкция по установке - Инструкция к приложению - Пробная версия приложения для демо счета Функция Линии   - отображает на графике линию открытия, стоп-лосс, тейк-профит. С помощью этой функции легко установить новый ордер и увидеть его дополнительные характеристики пе
                                    Добро пожаловать в Trade Manager EA — лучший инструмент для управления рисками, предназначенный для упрощения, точности и эффективности торговли. Это не просто инструмент для размещения ордеров; это комплексное решение для удобного планирования торгов, управления позициями и усиленного контроля над рисками. Независимо от того, начинающий вы трейдер, опытный специалист или скальпер, нуждающийся в быстром исполнении, Trade Manager EA адаптируется к вашим потребностям и работает с любыми активами:
                                    TradePanel MT5
                                    Alfiya Fazylova
                                    4.85 (125)
                                    Trade Panel — это многофункциональный торговый помощник. Приложение содержит более 50 торговых функций для ручной торговли и позволяет автоматизировать большинство торговых операций. Внимание приложение не работает в тестере стратегий. Перед покупкой вы можете протестировать демоверсию на демо-счете. Демоверсия здесь . Полная инструкция здесь . Торговля. Позволяет совершать торговые операции в один клик: Открыть отложенные ордера и позиции с автоматическим расчетом риска. Открыть несколько ордер
                                    The product will copy all telegram signal to MT5 ( which you are member) , also it can work as remote copier.  Easy to set up, copy order instant, can work with almost signal formats, image signal,  s upport to translate other language to English Work with all type of channel or group, even channel have "Restrict Saving Content", work with  multi channel, multi MT5 Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. Support to backtest signal. How to s
                                    Telegram To MT5 Receiver
                                    Levi Dane Benjamin
                                    4.82 (11)
                                    Копируйте сигналы из любого канала, участником которого вы являетесь (в том числе частного и ограниченного), прямо на свой MT5. Этот инструмент был разработан с учетом потребностей пользователей и предлагает множество функций, необходимых для управления и мониторинга сделок. Этот продукт представлен в простом в использовании и визуально привлекательном графическом интерфейсе. Настройте свои параметры и начните использовать продукт в течение нескольких минут! Руководство пользователя + Демо  |
                                    -25% discount ($149 -> $111) Everything for chart Technical Analysis indicator mt5 in one tool Draw your supply demand zone with rectangle and support resistance with trendline and get alerts to mobile phone or email alert -  Risk reward indicator mt5 Video tutorials, manuals, DEMO download   here .   Find contacts on my   profile . 1.   Extended rectangles and trendlines Object will be extended to the right edge of the chart when price will draw new candles on chart. This is rectangle extende
                                    Trade Assistant 38 in 1
                                    Makarii Gubaydullin
                                    4.9 (21)
                                    Многофункциональная утилита: калькулятор лота, ордера Grid, индикатор Price Action, менеджер ордеров, рассчет R/R и многое другое Демо веpсия  |   Инструкция  |   Версия для MT4 Утилита не работает в тестере стратегий: вы можете скачать демо версию ЗДЕСЬ , чтобы протестировать продукт перед покупкой. Напишите мне  если есть вопросы / идеи по улучшению / в случае найденного бага Упроситите и сделайте вашу торговлю быстрее, при этом расширяя стандартные возможности терминала. 1. Открытие новых
                                    2025 happy new year -25% discount ($199 -> $149) Advanced trading tool: One click smart orders that execute under your conditions Developed by trader for trading community:  position size calculator (lot size), open position after price action, strategy builder, set and forget trading, mobile notifications... Risk Management -  Risk percentage position size calculator, gain percentage, target risk reward ratio, spread and commissions are included in calculations 7 Advanced order types  - Set a
                                    Wouldn't it be great if AI had a second look at your trading data — graphics, indicators, and beyond? Introducing AI Trading Station , a revolutionary utility seamlessly integrated with the MetaTrader platform. Powered by the advanced intelligence of OpenAI's ChatGPT, this complete solution covers every step of your trading journey, from data gathering to trade execution. The Complete Trading Process. Reinvented Data Gathering & Visualization: Collect and display vital market data on intuitive
                                    Представляю вашему вниманию мощную утилиту по прогнозированию будущего движения актива основанную на законе вибрации W.D.Ganna. Данная утилита анализирует выбранную модель рынка и выдает коды будущих возможных моделей движение рынка. Если ввести выбранный код в соответствующее окошко вы получите прогноз потенциального возможного движения рынка. Утилита имеет возможность вывода нескольких потенциальных моделей прогноза. Прогноз пока не имеет привязку ко времени и цене и выдает прогноз как есть. Н
                                    Нашли отличный сигнал, но лот провайдера маловат? Вам нужен больший объем позиции, но настройки терминала слишком плохие? Signal Lot Manager увеличит объем позиции провайдера за счет дублирования ордера нужного объема. Просто задайте размер лота и имя сигнала, с которого будет копироваться ордер. Signal Lot Manager — это утилита для умножения лотов для дублирования ордеров на вашем терминале. В качестве источника можно выбрать любой советник, ручная торговля, отдельный торговый сигнал. Обладает
                                    Комьюнити, новости обновлений, обсуждение нововведений, жалобы, предложения, первая линия поддержки - организованы в бесплатном дискорде Для оплаты рублями/криптой используйте Webmoney . Lazy Trader — это ваш персональный ассистент по риск-менеджменту, который сам находит лучшие входы в рынок, управляет позицией и помогает извлекать максимум из каждой торговой идеи! Он контролирует графики от M1 до W1 , ищет оптимальные точки входа по заданным условиям, управляет позициями без вашего участия:
                                    Adam FTMO MT5
                                    Vyacheslav Izvarin
                                    5 (2)
                                    ADAM EA Special Version for FTMO Please use ShowInfo= false for backtesting ! Our 1st EA created using ChatGPT technology Trade only GOOD and checked PROP FIRMS  Default parameters for Challenge $100,000 Tested on EURUSD and GBPUSD only  Use 15MIN Time Frame Close all deals and Auto-trading  before Weekend at 12:00 GMT+3  Friday For Prop Firms MUST use special Protector  https://www.mql5.com/en/market/product/94362 --------------------------------------------------------------------------------
                                    The product will copy all  Discord  signal   to MT5   ( which you are member  ) , also it can work as remote copier.  Easy to set up. Work with almost signal formats, support to translate other language to English Work with multi channel, multi MT5. Work with Image signal. Copy order instant, auto detect symbol. Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. How to setup and guide: Let read all details about setup and download Discord To MetaTrader
                                    YuClusters
                                    Yury Kulikov
                                    4.93 (41)
                                    Внимание: Ознакомиться с работой программы можно с помощью бесплатной версии  YuClusters DEMO . YuClusters это профессиональная система анализа рынка. Для трейдера открываются уникальные возможности анализа потока ордеров, объемов торговли, движения цены используя различные графики, профили, индикаторы, графические объекты. YuClusters оперирует данными на основе ленты сделок или тиковой информации, в зависимости от того, что доступно в котировках финансового инструмента.  YuClusters позволяет с
                                    Patrex pro
                                    Chioma Obunadike
                                    Patrex Pro: Maximize Your Trading Potential Patrex Pro is an advanced trading bot designed to help traders optimize their trading strategies and maximize their potential returns. With its cutting-edge technology and user-friendly interface, Patrex Pro is the ultimate tool for traders seeking to elevate their trading game. Key Features: 1. Position Hedging: Patrex Pro allows users to hedge their positions based on their individual risk tolerance and market analysis. 2. Advanced Risk Management:
                                    Mentfx Mmanage mt5
                                    Anton Jere Calmes
                                    4.25 (8)
                                    The added video will showcase all functionality, effectiveness, and uses of the trade manager. Drag and Drop Trade Manager. Draw your entry and have the tool calculate the rest. Advanced targeting and close portions of a trade directly available in tool (manage trades while you sleep). Market order or limit order on either side with factored spread. Just draw the entry, the tool does the rest. Hotkey setup to make it simple. Draw where you want to enter, and the stop loss, the tool calculates al
                                    ShSH: an Automated Trading Tool Discover the future of trading with our ShSH an Automated Trading Tool , meticulously designed to harness the unique characteristics of the daily market's volatility . This cutting-edge system leverages the price breakout method , Analizing on market movements during the low-liquidity hours to deliver consistent and reliable results. Core Features: 1. Intraday Market Volatility Mastery: The robot is fine-tuned to detect subtle price patterns and movements unique
                                    Discord To MT5 Receiver
                                    Levi Dane Benjamin
                                    5 (1)
                                    Копируйте сигналы из любого канала, участником которого вы являетесь (без необходимости использования токена бота или разрешений администратора, прямо на ваш MT5. Он был разработан с учетом потребностей пользователей и предлагает множество необходимых вам функций. Этот продукт представлен в простом в использовании и визуально привлекательном графическом интерфейсе. Настройте свои параметры и начните использовать продукт в течение нескольких минут! Руководство пользователя + Демо  |   Версия MT
                                    Partial Close Expert   — инструмент, объединяющий множество функций в одну автоматизированную систему. Этот советник может помочь трейдерам более эффективно управлять своими позициями, предлагая несколько вариантов управления рисками и максимизации потенциальной прибыли. С Partial Close Expert трейдеры могут установить       частичное закрытие       уровне, чтобы зафиксировать прибыль,       трейлинг-стоп       уровне для защиты прибыли и ограничения убытков,       точка безубыточности       уро
                                    Ultimate Trailing Stop EA MT5
                                    BLAKE STEVEN RODGER
                                    4.13 (8)
                                    This EA Utility allows you to manage (with advanced filtering) unlimited open orders (manual or EA) with 16 trailing stop methods: fixed, percent, ATR Exit, Chandelier Exit, Moving Average, Candle High Low Exit, Bollinger Bands, Parabolic, Envelope, Fractal, Ichimoku Kijun-Sen, Alligator, Exit After X Minutes or Bars, RSI and Stochastic. The trailing stop can be either real or virtual, and you can exit fully or with a partial close percent on touch or bar close.  Moreover, you can add (override
                                    Click and Go Trade Manager, the ultimate solution for seamless trading execution. With a simple click on the chart, you can effortlessly define your stop loss, entry price, and target levels. No more hassle of inputting values manually - it's made incredibly intuitive and easy. Embedded risk management is a key feature of our Trade Manager. We understand the importance of protecting your investments, which is why the Click and Go Trade Manager incorporates risk management. When placing orders, y
                                    Experience the ultimate trendline auto-trading solution! Our expert advisor/utility allows you to effortlessly place one or more trendlines from different timeframes - it places a trade in the breakout direction.   1.    AUTO TRADING / MANUAL TRADING Trendscout can place orders for you automatically. You have to enable “Auto trading” and also check the “Enable live trading” box at the parameter window. When price crosses a trend lines for the first time two massages are sent to your mobile phon
                                    CRT Alert
                                    Austin John Ifeanyi Ogbormeh
                                    Торгуйте умнее с оповещениями CRT в реальном времени! CRT Alert EA предназначен для трейдеров, использующих Candle Range Theory (CRT) для определения торговых возможностей. Этот мощный инструмент отслеживает ценовое движение на нескольких таймфреймах и отправляет оповещение точно в момент формирования третьей свечи, помогая вам уверенно принимать торговые решения. Основные функции: Оповещения в реальном времени Мульти-таймфрейм мониторинг (от 1M до 1MN) Гибкие настройки Push-ув
                                    Trading Chaos Expert
                                    Gennadiy Stanilevych
                                    5 (10)
                                    Этот программный продукт не имеет аналогов в мире, поскольку он является универсальным "пультом управления" торговых операций, начиная от получения торговых сигналов, автоматизации входа в позиции, установки стоп-лоссов и тейк-профитов, а также трейлинга прибыли одновременно по множеству сделок в одном открытом окне. Интуитивно понятное управление экспертом в "три клика" на экране монитора позволяет полноценно использовать все его функции на разного рода компьютерах, включая планшетные. Взаимоде
                                    Fundamental Signals Scanner MT5
                                    Kyra Nickaline Watson-gordon
                                    5 (1)
                                    Fundamental Scanner is a Non-Repaint, Multi Symbol and Multi Time Frame Dashboard based on Fundamental Signals Indicator . Fundamental Signals Indicator has a powerful calculation engine that can predict market movement over 3000 pips (30000 points). The indicator is named fundamental because it can predict trends with large movements, no complicated inputs and low risk. Features : Multi-Symbol Support (Support automatic listing of market watch symbols) Multi-TimeFrame Support (Over 7 custo
                                    Comprehensive on chart trade panel with the unique ability to be controllable from mobile as well. Plus has a library of downloadable configuration, e.g. exit rules, extra panel buttons, pending order setup and more. Please see our product video. Works with all symbols not just currency pairs. Features On chart panel plus controllable from free app for Windows, iPhone and Android Built-in script engine with library of downloadable configuration, e.g. add 'Close All Trades in Profit' button, exit
                                    Bots Builder Pro MT5
                                    Andrey Barinov
                                    4.17 (6)
                                    Это визуальный конструктор стратегий. Единственный в своем роде. Превратите свои торговые стратегии и идеи в советники, не написав ни одной строчки кода. Создавайте файлы исходного кода mql в несколько кликов и получайте полнофункциональных советников, готовых к реальной работе, тестеру стратегий и облачной оптимизации. Вариантов для тех, кто не имеет навыков программирования и не может создавать свои торговые решения на языке MQL, очень мало. Теперь с помощью Bots Builder Pro каждый может созд
                                    Trade Copier Pro - это мощный инструмент для удаленного копирования сделок между несколькими счетами MetaTrader 4/MetaTrader 5, расположенными в разных местах, по сети интернет. Это идеальное решение для провайдеров сигналов, которые хотят поделиться своей торговлей с другими трейдерами по всему миру. Один поставщик может копировать сделки на множество счетов-получателей, а один получатель может копировать торговлю множества провайдеров. Поставщик также может установить время истечения подписки
                                    Autogrids
                                    Guilherme Emiliao Ferreira
                                    5 (3)
                                    AUTOGRIDS MT5 Autogrids EA is a cutting-edge trading automation tool designed to give Forex traders an unparalleled edge in the market. Built on a powerful quantitative strategy, it analyzes the frequency distribution of daily price movements, leveraging historical data to create a highly optimized operational grid. Unlike conventional grid trading systems, Autogrids EA strategically models price distributions to define precise trading intervals, ensuring optimized entry points. Whether the mar
                                    Другие продукты этого автора
                                    Tick Data Record MT5
                                    Francisco Manuel Vicente Berardo
                                    The Tick Data Record is a multi-symbol multi-timeframe Expert Advisor that records tick data for later graphical representation and analysis.  General Description  The Tick Data Record offers a(n) alternative/complement to the online/offline price charts displayed through the MT4/MT5 platform. The Expert Advisor permits to write and save the current/history values of Time, Bid, Ask, Spread, Last and Volume to a text file (“.txt”). The idea is to copy/open the obtained register to/in a spreadshe
                                    FREE
                                    Position Selective Close MT5
                                    Francisco Manuel Vicente Berardo
                                    The Position Selective Close is a multi-symbol multi-timeframe script used to close simultaneously various positions.  General Description   The Position Selective Close   possesses   three operation modes (Intersection,   Union   and All) that control the way   as   four position features (symbol, magic number,   type   and profit) are used. The modes, available through the Selection Mode input parameter, relate to the features, available through the “Select by Feature” and “Feature” input pa
                                    FREE
                                    Order Selective Delete MT5
                                    Francisco Manuel Vicente Berardo
                                    The Order Selective Delete is a multi-symbol multi-timeframe script used to delete simultaneously various pending orders.  General Description   The Order Selective Delete   possesses   three operation modes (Intersection,   Union   and All) that control the way   as   three pending order features (symbol, magic   number   and type) are used. The modes, available through the Selection Mode input parameter, relate to the features, available through the “Select by Feature” and “Feature” input pa
                                    FREE
                                    Tick Data Record MT4
                                    Francisco Manuel Vicente Berardo
                                    The Tick Data Record is a multi-symbol multi-timeframe Expert Advisor that records tick data for later graphical representation and analysis.  General Description   The Tick Data Record offers a(n) alternative/complement to the online/offline price charts displayed through the MT4/MT5 platform. The Expert Advisor   permits   to write and save the current/history values of Time, Bid, Ask, Spread, Last and Volume to a text file (“.txt”). The idea is to copy/open the obtained register to/in a spr
                                    FREE
                                    Environment State Info Print MT4
                                    Francisco Manuel Vicente Berardo
                                    The Environment State Info Print is a script to display the constants that describe the current runtime environment of a MQL4 program.  General Description   The constants are divided into four groups in the Environment State section of the MQL4  documentation and each group is divided into enumerations/subgroups (with designations “ Market Info”, “Integer”, “Double” or “String”). The script displays constants in two ways: a single constant or all group constants. The constants are obtained by
                                    FREE
                                    Scientific Calculator MT5
                                    Francisco Manuel Vicente Berardo
                                    The Scientific Calculator is a script designed to compute science, engineering and mathematics expressions.  General Description   The expression to calculate must obey syntax rules and precedence order, being constituted by the following elements:   Integer and real numbers.  Mathematical operators for addition (+), subtraction (-), multiplication (*), division (/) and exponentiation (^).  Mathematical and trigonometric functions .  Curved parentheses (()) to define the precedence and contain
                                    FREE
                                    Position Selective Close MT4
                                    Francisco Manuel Vicente Berardo
                                    The Position Selective Close is a multi-symbol multi-timeframe script used to close simultaneously various positions.  General Description   The Position Selective Close   possesses   three operation modes (Intersection,   Union   and All) that control the way   as   four position features (symbol, magic number,   type   and profit) are used. The modes, available through the Selection Mode input parameter, relate to the features, available through the “Select by Feature” and “Feature” input pa
                                    FREE
                                    Order Selective Delete MT4
                                    Francisco Manuel Vicente Berardo
                                    The Order Selective Delete is a multi-symbol multi-timeframe script used to delete simultaneously various pending orders.  General Description   The Order Selective Delete   possesses   three operation modes (Intersection,   Union   and All) that control the way   as   three pending order features (symbol, magic   number   and type) are used. The modes, available through the Selection Mode input parameter, relate to the features, available through the “Select by Feature” and “Feature” input pa
                                    FREE
                                    Scientific Calculator MT4
                                    Francisco Manuel Vicente Berardo
                                    The Scientific Calculator is a script designed to compute science, engineering and mathematics expressions.   General Description   The expression to calculate must obey syntax rules and precedence order, being constituted by the following elements:   Integer and real numbers.   Mathematical operators for addition (+), subtraction (-), multiplication (*), division (/) and exponentiation (^).   Mathematical and trigonometric functions .   Curved parentheses (()) to define the precedence and co
                                    FREE
                                    Double Trailing Stop MT4
                                    Francisco Manuel Vicente Berardo
                                    The Double Trailing Stop is a multi-symbol multi-timeframe Expert Advisor that allows the Stop Loss and Take Profit trailing of positions.  General Description   The Double Trailing Stop’s purpose is to secure profit and minimize losses of the opened positions. The Expert Advisor places stop orders (Stop Loss or Take Profit) at the Trailing Stop distance from the market price when the symbol's quote reaches/overcomes the Trailing Start distance from the position’s opening price (a single-time
                                    Multiple Position Opening MT4
                                    Francisco Manuel Vicente Berardo
                                    The Multiple Position Opening is a multi-symbol multi-timeframe script used to open simultaneously various positions.  Risk Management   The volume used to open a position is chosen between a fixed and a variable lot size, available through the Volume and Free Margin % input parameters, respectively. If there isn't enough money in the account for the chosen volume, this is reduced to the highest possible value (corresponding to free margin). If this reduction leads to a correct volume (if the
                                    Pending Order Grid MT4
                                    Francisco Manuel Vicente Berardo
                                    The Pending Order Grid is a multi-symbol multi-timeframe script that enables multi-strategy implementation based on pending order grids.  General Description   The Pending Order Grid allows the performing of a user-defined strategy through the creation of pending order grids. The script places pending orders of a given type (Buy Limit, Sell Limit, Buy Stop, or Sell Stop) at equidistant price levels to form each grid. The beginning and finish of every grid are defined by the Start Price and Sto
                                    Pending Order Grid EA MT4
                                    Francisco Manuel Vicente Berardo
                                    The Pending Order Grid is a multi-symbol multi-timeframe Expert Advisor that enables multi-strategy implementation based on pending order grids.  General Description   The Pending Order Grid allows the performing of a user-defined strategy through the creation of pending order grids. The Expert Advisor places pending orders of a given type (Buy Limit, Sell Limit, Buy Stop, or Sell Stop) at equidistant price levels to form each grid. The user might set up different grids to exist simultaneously
                                    Environment State Info Print MT5
                                    Francisco Manuel Vicente Berardo
                                    The Environment State Info Print is a script to display the constants that describe the current runtime environment of a MQL5 program.  General Description   The constants are divided into four groups in the   Environment State section of the MQL5 documentation and each group is divided into enumerations/subgroups (with designations  “Integer”, “Double” or “String”). The script displays constants in two ways: a single constant or all group constants. The constants are obtained by selecting the
                                    FREE
                                    Double Trailing Stop MT5
                                    Francisco Manuel Vicente Berardo
                                    The Double Trailing Stop is a multi-symbol multi-timeframe Expert Advisor that allows the Stop Loss and Take Profit trailing of positions.  General Description   The Double Trailing Stop’s purpose is to secure profit and minimize losses of the opened positions. The Expert Advisor places stop orders (Stop Loss or Take Profit) at the Trailing Stop distance from the market price when the symbol's quote reaches/overcomes the Trailing Start distance from the position’s opening price (a single-time
                                    Multiple Position Opening MT5
                                    Francisco Manuel Vicente Berardo
                                    The Multiple Position Opening is a multi-symbol multi-timeframe script used to open simultaneously various positions.  Risk Management   The volume used to open a position is chosen between a fixed and a variable lot size, available through the Volume and Free Margin % input parameters, respectively. If there isn't enough money in the account for the chosen volume, this is reduced to the highest possible value (corresponding to free margin). If this reduction leads to a correct volume (if the
                                    Pending Order Grid MT5
                                    Francisco Manuel Vicente Berardo
                                    The Pending Order Grid is a multi-symbol multi-timeframe script that enables multi-strategy implementation based on pending order grids.  General Description   The Pending Order Grid allows the performing of a user-defined strategy through the creation of pending order grids. The script places pending orders of a given type (Buy Limit, Sell Limit, Buy Stop, or Sell Stop) at equidistant price levels to form each grid. The beginning and finish of every grid are defined by the Start Price and Sto
                                    Фильтр:
                                    md hazly
                                    33
                                    md hazly 2024.10.09 18:55 
                                     

                                    Пользователь не оставил комментарий к оценке

                                    Ответ на отзыв
                                    Версия 1.6 2024.10.05
                                    Insignificant change, not requiring an update:

                                    - Edition of the brief text description at the EA’s properties window.
                                    Версия 1.5 2024.08.28
                                    Minor change, still requiring an update:

                                    - Improvement of the function added in the 1.3 version (2024.07.16).
                                    Версия 1.4 2024.08.01
                                    Minor change, nevertheless, requiring an update:

                                    - Second correction of the formulas used to calculate the Stop Loss and Take Profit prices when sending a pending order (replacement of the quote used as “reference” in each calculation, Ask price instead of Bid price, and vice versa).
                                    Версия 1.3 2024.07.16
                                    Minor change, however, requiring an update:

                                    - Function added to deal with the account change and terminal closure during the Expert Advisor’s operation, two actions that result in the EA’s global variables resetting.
                                    Версия 1.2 2024.06.28
                                    Minor change, but requiring an update:

                                    - Correction of the formulas used to calculate the Stop Loss and Take Profit prices when sending a pending order (previously, both values had a deviation equal to the current spread).
                                    Версия 1.1 2024.06.02
                                    Minor change, not requiring an update:

                                    - Link addition at the EA’s properties window to visit the product page.