Optimal F Service

Optimal F Service

  • Application Type: Service
  • Application Functions: Calculation of the optimal fraction and trade volume to achieve maximum growth of the equity curve, based on the results of previous trades.

About this app

Capital management is the most crucial and often underestimated component of any trading system. Proper capital management can enhance—and sometimes significantly improve—the performance of your trading algorithm.
This application automatically calculates the optimal fraction and trade volume using the algorithm proposed by Ralph Vince in his book "The Mathematics of Money Management" to achieve maximum geometric growth of the account balance. This point exists and is unique for any trading system, which is why it is essential to know it. In your trading systems, you must never use a trade size exceeding the optimal value!

Capital management algorithms are NOT designed for mathematically losing systems based on averaging, martingale, or similar strategies. Such systems will be filtered out by the application before any calculations, as the optimal fraction and trade volume for these systems are always equal to zero. Capital management algorithms can improve results ONLY for mathematically profitable trading systems (those with a positive mathematical expectation). Therefore, this service is recommended ONLY for professionals who understand what they are doing.
Additionally, the algorithm does not account for correlation (dependencies) between simultaneously operating systems. For the algorithm to work effectively, a well-diversified set of trading systems is necessary.

How to use

Parameters:
  • LOG_LEVEL - The logging level for the Experts section of the terminal. DEBUG provides the most detailed information, while ERROR logs the minimum.
  • MAGIC_LIST - A comma-separated list of system identifiers (Magic Numbers) that operate simultaneously and require calculation.
  • TRADE_FILES_PATH - The path to the directory containing files with the results of previous trades (relative to <Data folder>/MQL5/Files/ ).
  • OUTPUT_FILE_PATH - The path to the file where the calculation results will be saved (relative to <Data folder>/MQL5/Files/ ).
  • WORK_PERIOD - The frequency of recalculations in seconds.
  • BALANCE_MATRIX_PERIOD - The period over which results are aggregated, with calculations based on this aggregated period rather than on each individual trade.

Before the first launch, each trading system must be tested in the strategy tester for the period up to the present moment. It is recommended to select a timeframe that includes at least 100 trades. Then, using the Test Trade Saver Script and following the instructions, extract the result files from the testing files (*.tst) in the required format.

If the trading system has already been used in the terminal and there are positions in the history with the specified MAGIC, you must set a different CUSTOM_MAGIC_NUMBER parameter in the script!

Next, to ensure that the data files are regularly updated and remain current, you need to run the Trade Saver Service following the provided instructions.
Thus, after the initial data export from tests using the Trade Saver Script, the Trade Saver Service continuously updates the files with new data as it becomes available, while the Optimal F Service regularly calculates and writes new values to the results file

Algorithm

  1. Extract the list of systems requiring calculation from the MAGIC_LIST parameter.
  2. Use text files named <MAGIC>.csv in the format <MAGIC>,<POSITION_CLOSE_TIME>,<LOTS>,<RESULT_$> containing the results of previous trades from the directory specified by TRADE_FILES_PATH. Construct a matrix for the balance curve function, where each value a[i][j] represents the result of trading system i for period j.
  3. Check each system for at least one negative period in its results. If a system has no negative periods, exclude it from further calculations (such systems must be removed).
  4. Evaluate the mathematical expectation of each system. If a system has no positive expected value, exclude it from further calculations (such systems must be removed).
  5. Determine the error margin required to compute the trading volume with a precision of 0.01.
  6. For each remaining system, calculate its optimal fraction.
  7. Divide the current balance into equal parts for the remaining systems. For each system and its allocated balance, calculate the trade volume in lots corresponding to the optimal fraction.
  8. Write the results to the text file specified by OUTPUT_FILE_PATH in the format <MAGIC>,<BIGGEST_LOSS>,<OPTIMAL_F>,<OPTIMAL_LOTS>.

Links and references

  • Ralph Vince - The Mathematics of Money Management: Risk Analysis Techniques for Traders (ISBN-13  978-0471547389)

For developers

you can use the following class to integrate the results into your trading systems:
    #include "OptimalFResultsLoader.mqh"
       // create loader
       COptimalFResultsLoader* optimalFResultsLoader = new COptimalFResultsLoader("/SRProject/results.csv");
       // print all fields for magic = '1111'
       Print(optimalFResultsLoader.getOptimalFFor(1111), " ",
             optimalFResultsLoader.getBiggestLossFor(1111), " ", 
             optimalFResultsLoader.getOptimalLotsFor(1111));
       // delete loader from memory
       delete(optimalFResultsLoader);


    //+------------------------------------------------------------------+
    //|                                        OptimalFResultsLoader.mqh |
    //|                                                   Semyon Racheev |
    //|                                                                  |
    //+------------------------------------------------------------------+
    #property copyright "Semyon Racheev"
    #property link      ""
    #property version   "1.00"
    
    #include <Files\FileTxt.mqh>
    
    class COptimalFResultsLoader
      {
    private:
       const string name_;
       const uchar delimiter_;
       const ushort separator_;
       const string srcFilePath_; 
                         bool checkStringForOptimalFResultsDeserializing(string &inputStr[]) const;
                         ushort calculateCharCode(const uchar separator) const;
    public:
                         COptimalFResultsLoader(const string srcFilePath, uchar separator);
                        ~COptimalFResultsLoader();
                         double getOptimalLotsFor(const ulong magicNumber) const;
                         double getOptimalFFor(const ulong magicNumber) const;
                         double getBiggestLossFor(const ulong magicNumber) const;
      };
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    COptimalFResultsLoader::COptimalFResultsLoader(const string srcFilePath = "/SRProject/results.csv", uchar separator = ','):name_("OptimalFResultsLoader"),
    srcFilePath_(srcFilePath), delimiter_(separator), separator_(calculateCharCode(separator))
      {  
      }
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    COptimalFResultsLoader::~COptimalFResultsLoader()
      {
      }
    //+------------------public------------------------------------------+
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    double COptimalFResultsLoader::getOptimalLotsFor(const ulong inputMagicNumber) const
      {
       double rsl = 0.0;
       CFileTxt* file = new CFileTxt();
       int fileHandle = file.Open(srcFilePath_,FILE_READ|FILE_UNICODE|FILE_CSV);
       while (!FileIsEnding(fileHandle))
        {
         string readString = file.ReadString(); 
         
         string str[];
         StringSplit(readString, separator_, str);
         if (checkStringForOptimalFResultsDeserializing(str))
          {
           if (inputMagicNumber == (ulong)StringToInteger(str[0]))
            {
             rsl = StringToDouble(str[3]);
            }
          }
        }   
       file.Close();
       delete(file);
       return(rsl);  
      }
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    double COptimalFResultsLoader::getOptimalFFor(const ulong inputMagicNumber) const
      {
       double rsl = 0.0;
       CFileTxt* file = new CFileTxt();
       int fileHandle = file.Open(srcFilePath_,FILE_READ|FILE_UNICODE|FILE_CSV);
       while (!FileIsEnding(fileHandle))
        {
         string readString = file.ReadString(); 
         
         string str[];
         StringSplit(readString, separator_, str);
         if (checkStringForOptimalFResultsDeserializing(str))
          {
           if (inputMagicNumber == (ulong)StringToInteger(str[0]))
            {
             rsl = StringToDouble(str[2]);
            }
          }
        }   
       file.Close();
       delete(file);
       return(rsl);  
      }
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    double COptimalFResultsLoader::getBiggestLossFor(const ulong inputMagicNumber) const
      {
       double rsl = 0.0;
       CFileTxt* file = new CFileTxt();
       int fileHandle = file.Open(srcFilePath_,FILE_READ|FILE_UNICODE|FILE_CSV);
       while (!FileIsEnding(fileHandle))
        {
         string readString = file.ReadString(); 
         
         string str[];
         StringSplit(readString, separator_, str);
         if (checkStringForOptimalFResultsDeserializing(str))
          {
           if (inputMagicNumber == (ulong)StringToInteger(str[0]))
            {
             rsl = StringToDouble(str[1]);
            }
          }
        }   
       file.Close();
       delete(file);
       return(rsl);  
      }
    //+---------------------private--------------------------------------+
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    bool COptimalFResultsLoader::checkStringForOptimalFResultsDeserializing(string &inputStr[]) const
      {
       if (ArraySize(inputStr) < 4)
        {
         return(false);
        }
       return(true);
      }
    //+------------------------------------------------------------------+
    //|                                                                  |
    //+------------------------------------------------------------------+
    ushort COptimalFResultsLoader::calculateCharCode(const uchar separator) const
      {
       string str = CharToString(separator);
       return(StringGetCharacter(str,0));
      }
    //+------------------------------------------------------------------+


    Prodotti consigliati
    Gold Trend Swing
    Luis Ruben Rivera Galvez
    5 (1)
    Send me a message so I can send you the setfile $498 per l'introduzione, aumenterà di 100 al mese fino a raggiungere $1298 Bot di trading automatizzato per XAUUSD (ORO). Collega questo bot ai tuoi grafici XAUUSD (GOLD) H1 e lascialo operare automaticamente con una strategia comprovata! Progettato per i trader che cercano un'automazione semplice ma efficiente, questo bot esegue operazioni in base a una combinazione di indicatori tecnici e andamento dei prezzi, ottimizzato per spread bassi e m
    Liquidity Map
    Alex Amuyunzu Raymond
    Liquidity Map  Overview The Liquidity Map indicator is an advanced visualization tool based on ICT Smart Money Concepts . It automatically identifies daily Buy Zones , Sell Zones , and Liquidity Levels , showing where price is likely to reverse or continue based on institutional order flow. It calculates key levels from the daily session — such as the previous day’s high, low, and midpoint — then derives a premium (sell bias) and discount (buy bias) structure. When price trades into these mapped
    NEXA Breakout Velocity NEXA Breakout Velocity è un sistema di trading automatico basato sulla logica di breakout di canale, combinata con filtro di momentum (ROC), filtro di volume e gestione del rischio basata su ATR. Il sistema è progettato per identificare fasi di espansione della volatilità, quando il prezzo rompe un intervallo con aumento di velocità e partecipazione. Tutti i segnali sono calcolati esclusivamente su candele chiuse. Viene mantenuta una sola posizione per simbolo alla volta.
    FREE
    Pulsar X
    Dmitriq Evgenoeviz Ko
    PULSAR X — Gold Market Momentum Monitoring The XAUUSD market doesn't forgive simple decisions. High volatility, false breakouts, and aggressive reactions to news make classic indicator-based strategies vulnerable. PULSAR X is a next-generation algorithmic system designed to accurately operate in market congestion and impulse exhaustion conditions. This is not a trend bot or an averaging mechanism. PULSAR X analyzes the moment when crowd pressure loses its force and the market moves from chaos t
    Born to Kill Zone  is a trading strategy in the financial markets where traders aim to profit from short- to intermediate-term price movements.  In conducting the analysis, this EA incorporates the use of a moving average indicator . As we are aware, moving averages are reliable indicators widely utilized by professional traders Key components include precise entry and exit strategies, risk management through stop-loss orders, and position sizing. Swing trading strikes a balance between active
    Chart Walker Analysis Engine
    Dushshantha Rajkumar Jayaraman
    Chart Walker X Engine | Machine-led instincts Powerful MT5 chart analysis engine equipped with a sophisticated neural network algorithm. This cutting-edge technology enables traders to perform comprehensive chart analysis effortlessly on any financial chart. With its advanced capabilities, Chart Walker streamlines the trading process by providing highly accurate trading entries based on the neural network's insights. Its high-speed calculations ensure swift and efficient analysis, empowering tra
    Anubi Terminal MT5
    Marco Maria Savella
    Anubi Terminal è un assistente professionale per il trading manuale, progettato per chi esige precisione e un controllo rigoroso del rischio. Anubi non è un robot automatico; è uno strumento che potenzia l'esecuzione del trader, automatizzando i calcoli complessi e la gestione delle posizioni. Caratteristiche Principali: Calcolo del Rischio Istantaneo: Determina automaticamente il lotto in base al saldo e alla percentuale di rischio desiderata. Modalità Statica e Dinamica: Passa da una gestione
    The Golden Staircase
    Gabriel Quiros Mourente
    The Golden Staircase MT5 Prop Firm ready  The Golden Staircase is a fully automated Expert Advisor (EA) specifically designed for MetaTrader 5. The algorithm focuses on volatility breakouts by identifying technical price levels from daily and intra-session ranges. It is engineered for traders who prioritize systematic risk management and objective entry logic. Strategy Logic The EA operates based on price action breakouts. It identifies key liquidity zones such as the Previous Day High/Low (P
    HenGann
    Ehsan Kariminasab
    Hengann Sq, using artificial intelligence, mathematical algorithms, Fibonacci, 9 Gann and Fibonacci square strategy, which enables us to have win rate of 200% profit per month. Initial investment for minimum capital of $100 to $1000, you be able to adjust the volume, date, hour, day and profit limit. adjustable profit limit in both buy and sell positions. Able to place orders in all time frames from 5 minutes to a week. further adjustment enables you to open the position according your desir
    VIX Momentum Pro EA - Ürün açıklaması Genel bakış VIX Momentum Pro, VIX75 Sentetik Endeksleri için özel olarak tasarlanmış sofistike bir algoritmik ticaret sistemidir. Algoritma, sentetik volatilite piyasasında yüksek olasılıklı ticaret fırsatlarını tanımlamak için özel momentum tespit teknikleri ile birleştirilmiş gelişmiş çoklu zaman dilimi analizi kullanır. Ticaret stratejisi Expert Advisor, birden fazla zaman diliminde fiyat hareketlerini analiz eden kapsamlı momentum tabanlı bir yaklaşımla
    XAU Gold Trend Expert
    Mabrook Mahdy Al Darby Mohammed
    Expert Advisor Name: XAU Gold Trend PRO v3.20 Developer: Mabrouk Mahdy Strategy Overview: XAU Gold Trend PRO is a trend-following Expert Advisor specifically designed for Gold (XAUUSD) on the H4 timeframe. It combines price action logic with institutional-grade indicators (EMA 200) to ensure trades are only executed in the direction of the dominant market trend, filtered by the RSI (Relative Strength Index) for momentum confirmation. Key Performance Statistics (Backtest Period: Jan 2025 - Prese
    Trendline Breakout EA
    Paballo Justice Tsoako
    TB EA  – Trendline Breakout Expert Advisor Overview TB EA 1.0 is a professional-grade automated trading system that detects and executes trades based on trendline breakouts using a "body break" confirmation methodology. The EA intelligently distinguishes between support and resistance trendlines, executing BUY orders on resistance breakouts and SELL orders on support breakouts. It works seamlessly on Forex pairs and CFD Indices. Input Parameters Group Parameters Risk Management Fixed Lot Si
    NDX 100 Swing EA MT5
    Carlos Osvaldo Delgado
    NDX 100 Swing EA   We lower prices! This expert advisor trades the Nasdaq 100 index. The strategy buys dips by taking profit from bullish trends. The investment is long term (Swing). It uses the RSI daily indicator as a signal to open operations, the management of operations, the level of risk and capital management is carried out based on probability calculations based on statistics. To achieve this, this project has been in development for more than 5 years, during which large amounts of data
    Guida dell’utente NEXA Pivot Scalper PRO Panoramica NEXA Pivot Scalper PRO è un sistema di trading automatico (Expert Advisor) progettato per la piattaforma MetaTrader 5. Il programma analizza il comportamento del prezzo vicino ai livelli Pivot e valuta le condizioni di mercato a breve termine utilizzando indicatori tecnici. Le operazioni vengono aperte automaticamente quando più condizioni di trading sono soddisfatte. L’Expert Advisor funziona secondo regole di trading e di gestione del rischio
    FREE
    Ilon Clustering
    Andriy Sydoruk
    Ilon Clustering is an improved Ilon Classic robot, you need to read the description for the Ilon Classic bot and all statements will be true for this expert as well. This description provides general provisions and differences from the previous design. General Provisions. The main goal of the bot is to save your deposit! A deposit of $ 10,000 is recommended for the bot to work and the work will be carried out with drawdowns of no more than a few percent. When working into the future, it can gr
    Synthesis X Neural EA
    Thanaporn Sungthong
    Forget Everything You Know About Trading Robots. Introducing Synthesis X Neural EA , the world's first Hybrid Intelligence Trading System . We have moved beyond the limitations of simple, indicator-based EAs to create a sophisticated, two-part artificial intelligence designed for one purpose: to generate stable, consistent portfolio growth with unparalleled risk management. Synthesis X is not merely an algorithm; it is a complete trading architecture. It combines the immense analytical power of
    DYJ WITHDRAWAL PLAN: Sistema di Trading Basato sull’Inversione di Tendenza 1. Che cos'è DYJ WITHDRAWAL PLAN? DYJ WITHDRAWAL PLAN   è un   sistema di trading automatico   progettato per riconoscere le   inversioni di tendenza del mercato   e per   aprire e chiudere automaticamente   le operazioni nei momenti chiave. È compatibile con   qualsiasi strumento finanziario   e   qualsiasi broker , inclusi   Forex   e   Indici Sintetici , garantendo massima flessibilità di utilizzo. 2. Funzioni Princip
    VWAP Cloud
    Flavio Javier Jarabeck
    4.1 (10)
    Do you love VWAP? So you will love the VWAP Cloud . What is it? Is your very well known VWAP indicator plus 3-levels of Standard Deviation plotted on your chart and totally configurable by you. This way you can have real Price Support and Resistance levels. To read more about this just search the web for "VWAP Bands" "VWAP and Standard Deviation". SETTINGS VWAP Timeframe: Hourly, Daily, Weekly or Monthly. VWAP calculation Type. The classical calculation is Typical: (H+L+C)/3 Averaging Period to
    FREE
    AntiOverfit PRO MT5
    Enrique Enguix
    5 (2)
    L’errore silenzioso nel Market che ti sta costando denaro (e che molti sviluppatori nemmeno vedono) Un backtest bello da vedere può costarti centinaia o perfino migliaia di dollari. La maggior parte dei trader perde denaro ancora prima di aprire la prima posizione in reale: lo perde nel momento in cui acquista un Expert Advisor basandosi unicamente su una curva verde. Siamo onesti: la maggior parte degli sviluppatori del Market non cerca di ingannarti di proposito. Passano mesi a programmare u
    Send me a message so I can send you the setfile Robot robusto con diverse configurazioni disponibili, Da utilizzare con BTC su un intervallo di tempo di 10 minuti con le impostazioni nello screenshot qui sotto. Acquistando il robot esperto, hai il diritto di richiedere modifiche per continuare a migliorare il bot. Caratteristiche principali Strategia di crossover della media mobile: L'EA utilizza due medie mobili (MA1 e MA2) per generare segnali di trading. Un incrocio della MA più veloce
    The ABC Indicator analyzes the market through waves, impulses, and trends, helping identify key reversal and trend-change points. It automatically detects waves A, B, and C, along with stop-loss and take-profit levels. A reliable tool to enhance the accuracy and efficiency of your trading. This product is also available for MetaTrader 4 =>  https://www.mql5.com/en/market/product/128179 Key Features of the Indicator: 1. Wave and Trend Identification:    - Automatic detection of waves based on mov
    Ecco i risultati del test forward. (MT4 ver.) USDJPY Trend Surfer è uno strumento di trading innovativo progettato come un EA (Expert Advisor) per il monitoraggio delle tendenze. Questo EA cattura con precisione la tendenza dell'USDJPY combinando più SMA (Medie Mobili Semplici), RSI (Indice di Forza Relativa) e StdDev (Deviazione Standard). Utilizzando più SMA, analizza contemporaneamente le tendenze su diversi periodi e, combinando indicatori come RSI e StdDev, rileva situazioni di surriscaldam
    QTS Gold Guardian AI Scalper sull'oro di livello istituzionale basato su reti neurali. Offre copertura intelligente, protezione del capitale e adattamento alla volatilità. Nessuna pericolosa martingala. QTS Gold Guardian AI è la soluzione definitiva per lo scalping su XAUUSD (oro), progettata per sopravvivere a condizioni di mercato volatili. A differenza degli scalper tradizionali che fanno saltare i conti, QTS si concentra innanzitutto sulla conservazione del capitale. Caratteristiche p
    Perceptrader AI MT5
    Valeriia Mishchenko
    4.6 (5)
    EA has a live track record with 48 month of stable trading with low drawdown: Live performance MT4 version can be found here Perceptrader AI is a cutting-edge grid trading system that leverages the power of Artificial Intelligence, utilizing Deep Learning algorithms and Artificial Neural Networks (ANN) to analyze large amounts of market data at high speed and detect high-potential trading opportunities to exploit. Supported currency pairs: NZDUSD, USDCAD, AUDNZD, AUDCAD, NZDCAD, GBPCHF Timefram
    Bitcoin Scalping MT5
    Lo Thi Mai Loan
    5 (5)
    [ IMPORTANT ] REAL CLIENT FEEDBACK :  https://www.mql5.com/en/market/product/127498/comments#comment_58814415 [ IMPORTANT ]  UPDATED (1 YEAR PERFORMANCE):  https://www.mql5.com/en/market/product/127498/comments#comment_59233853 Presentazione di Bitcoin Scalping MT4/MT5 – L'EA intelligente per il trading di criptovalute PROMOZIONE DI LANCIO: Solo 3 copie rimaste al prezzo attuale! Prezzo finale: 3999.99 $ BONUS - ACQUISTA BITCOIN SCALPING A VITA E OBTIENI GRATUITAMENTE EA AI VEGA BOT (2 conti)
    Trend light AI
    Younes Bordbar
    Anyone who purchases the robot, please leave a comment so I can send you the optimal input values for each currency pair to maximize your profits in the market TIME FRIM :15min Are you looking for a way to begin trading with low risk and excellent results? Or perhaps you’re ready to take on slightly higher risks for bigger rewards? Our trading robot, designed for MetaTrader 4 and 5, is exactly what you need! Why Choose This Robot? Adjustable Risk Levels: Use the Input section to customize the r
    Free automatic Fibonacci is an indicator that automatically plots a Fibonacci retracement based on the number of bars you select on the BarsToScan setting in the indicator. The Fibonacci is automatically updated in real time as new highest and lowest values appears amongst the selected bars. You can select which level values to be displayed in the indicator settings. You can also select the color of the levels thus enabling the trader to be able to attach the indicator several times with differe
    FREE
    NeuroForex
    Sergio Izquierdo Rodriguez
    Consulente esperto per il trading con reti neurali profonde che si addestrano tramite apprendimento automatico, fino a 1.512 metriche ponderate per ogni simbolo, man mano che il mercato progredisce. Funziona su vari simboli Forex e intervalli di tempo e, deselezionando i simboli e gli intervalli di tempo, può anche essere impostato sul grafico corrente sul suo simbolo e intervallo di tempo. Può essere configurato per coppie diverse e su ogni grafico può essere gestita una rete neurale diversa. È
    Custom Alerts MT5
    Daniel Stein
    5 (8)
    Custom Alerts: Monitora più mercati e non perdere mai un setup importante Panoramica Custom Alerts è una soluzione dinamica per i trader che desiderano monitorare più strumenti da un unico punto centrale. Integrando i dati dei nostri strumenti principali — come FX Power, FX Volume, FX Dynamic, FX Levels e IX Power — Custom Alerts ti avvisa automaticamente degli sviluppi cruciali del mercato, senza dover passare continuamente da un grafico all'altro o rischiare di perdere opportunità importanti
    Smart Money Structure & Precision Trading Indicator (MT5) Smart Money Structure & Precision Trading Indicator  is a powerful Smart Money Concepts (SMC) indicator for MetaTrader 5, designed to help traders identify high-probability entries with institutional logic . This indicator automatically detects market structure in real time , highlights key liquidity levels , and provides clear, non-repainting signals so you can trade with confidence and precision. Whether you are a scalper, day trader, o
    Gli utenti di questo prodotto hanno anche acquistato
    HINN Lazy Trader
    ALGOFLOW OÜ
    5 (2)
    The core idea: using the user interface, you configure the parameters the chart must meet before entering a position (or positions), choose which entry models to use, and set the rules for when trading and planning should end. Lazy Trader  handles the rest: it  takes over all the routine chart watching and execution! full description  :: 3 key videos [1] ->  [2]   ->  [3] What can it do? - Understands Larry Williams market structure - Understands swing market structure by Michael Huddleston
    FarmedHedge Pair Trading Dashboard
    Tanapisit Tepawarapruek
    5 (3)
    VERIFIED TRADING RESULTS - Farmed Hedge Yield Axi Copy:  https://www.mql5.com/en/signals/2356376 - Farmed Hedge Yield Exn Copy:   https://www.mql5.com/en/signals/2356404 - Farmed Hedge Yield V Copy:  https://www.mql5.com/en/signals/2357156 Contact me via private message to receive the User Manual and Setup. * Thai Lauguage Support Available Farmed Hedge Yield Farming - Professional Pair Trading Dashboard (Manual - Hybrid - Semi/Automated EA) VERSION 3 - WILD HARVEST UPDATE Trading Approac
    Gold instrument scanner is the chart pattern scanner to detect the triangle pattern, falling wedge pattern, rising wedge pattern, channel pattern and so on. Gold instrument scanner uses highly sophisticated pattern detection algorithm. However, we have designed it in the easy to use and intuitive manner. Advanced Price Pattern Scanner will show all the patterns in your chart in the most efficient format for your trading. You do not have to do tedious manual pattern detection any more. Plus you
    FiboPlusWaves MT5
    Sergey Malysh
    5 (1)
    FiboPlusWave Series products Ready-made trading system based on Elliott waves and Fibonacci retracement levels . It is simple and affordable. Display of the marking of Elliott waves (main or alternative option) on the chart. Construction of horizontal levels, support and resistance lines, a channel. Superposition of Fibonacci levels on waves 1, 3, 5, A Alert system (on-screen, E-Mail, Push notifications).    Features: without delving into the Elliott wave theory, you can immediately open one of
    TradePad
    Ruslan Khasanov
    5 (1)
    TradePad è uno strumento per il trading sia manuale che algoritmico. Ti presentiamo una soluzione semplice per operazioni di trading rapide e controllo delle posizioni su diversi strumenti di trading. Attenzione, l'applicazione non funziona nel tester di strategia! Versione di prova dell'applicazione per un conto demo e una descrizione di tutti gli strumenti L'interfaccia dell'applicazione è adattata per monitor ad alta risoluzione, semplice e intuitiva. Per un lavoro confortevole, al trader vie
    GRID for MT5
    Volodymyr Hrybachov
    GRID for MT5 is a convenient tool for those who trade a grid of orders, designed for quick and comfortable trading in the FOREX financial markets. GRID for MT5 has a customizable panel with all the necessary parameters. Suitable for both experienced traders and beginners. It works with any brokers, including American brokers, requiring FIFO to close primarily previously opened transactions. The grid of orders can be either fixed - orders are opened with a fixed step, or have dynamic levels of op
    Mt5BridgeBinary
    Leandro Sanchez Marino
    I automated its commercial strategies for use of binary in MT5 and with our Mt5BridgeBinary I sent the orders to its Binary account and I list: begin to operate this way of easy! The expert advisers are easy to form, to optimize and to realize hardiness tests; also in the test we can project its long-term profitability, that's why we have created Mt5BridgeBinary to connect its best strategies to Binary. Characteristics: - It can use so many strategies as I wished. (Expert Advisor). - He does
    Xrade EA
    Yao Maxime Kayi
    Xrade EA is an expert advisor as technical indicator. For short period trade it's the best for next previsions of the trend of the market. +--------------------------------------------------------------------------------------- Very Important Our robot(data anylizer) does'nt take a trade procedure. If using only our robot you must take positions by yoursels +--------------------------------------------------------------------------------------- The technical indiator provide for a given sma
    News: IDEA 2.0 is out with lot of features, like telegram bot notifications and Limits order! Check the changelog at bottom of page (*). Hi all, here you can find my Expert Advisor, called IDEA  (Intelligent Detection & managEr Algorithm) . In short, with this software you can: Have   a clear view of market status , with an indication of current trend. Simply add symbols you want to monitor to your market watch, and IDEA will notify you if some of them are in trend; Have an   automatic lots ca
    PROMOTION!! $499 until 1 Mar. After that, EA will be $1,050 Developed and tested for over 3 years, this is one of the safest EAs on the planet for trading the New York Open. Trading could never be easier.  Trade On NASDAQ US30 (Dow Jones Industrial Average) S&P 500  What Does The EA do? The EA will open a Buy Stop Order and a Sell Stop Order(With SL and TP) on either side of the market just a few seconds before the NY Open.  As soon as 1 of the 2 trades is triggered, the EA automatically delete
    Market book saver
    Aliaksandr Hryshyn
    Saving data from the order book. Data replay utility: https://www.mql5.com/en/market/product/71640 Library for use in the strategy tester: https://www.mql5.com/en/market/product/81409 Perhaps, then a library will appear for using the saved data in the strategy tester, depending on the interest in this development. Now there are developments of this kind using shared memory, when only one copy of the data is in RAM. This not only solves the memory issue, but gives faster initialization on each
    All in one Keylevel
    Trinh Minh Tung
    5 (1)
    Instead of sticking to the Charts,let's use ALL IN ONE KEYLEVEL Announcement: We are pleased to announce the latest version 14.02 of the One In One Keylevel product. This is a reliable product that has been upgraded with many new features and improvements to make your work easier and more efficient. Currently, we have a special promotion for this new version. The current discounted price is $500, and there are only 32 units left. After that, the price will increase to $1000, and will continue to
    GerFX EA Protection Filter MT5
    Exler Consulting GmbH
    5 (1)
    The EA Protection Filter ( MT4 version here ) provides a news filter as well as a stock market crash filter, which can be used in combination with other EAs. Therefore, it serves as an additional protective layer for other EAs that do provide such filters.  During backtest analysis of my own night scalpers, which already use a stock market crash filter, I noticed that the historic drawdown,  especially during stock market crash phases like 2007-2008, was reduced significantly by using such a fil
    Hedge Ninja
    Robert Mathias Bernt Larsson
    3 (2)
    Make sure to join our Discord community over at www.Robertsfx.com , you can also buy the EA at robertsfx.com WIN NO MATTER IN WHICH DIRECTION THE PRICE MOVES This robot wins no matter in which direction the price moves by following changing direction depending on in which direction price moves. This is the most free way of trading to this date. So you win no matter which direction it moves (when price moves to either of the red lines as seen on the screenshot, it wins with the profit target you
    EARunAUTO
    Nares Sanchan
    This Gold Trading EA is designed to allow users to customize and modify its functions according to their own trading style and preferences, providing flexibility and ease of use. The system is set to open   Buy orders only (one-sided trading) , which helps simplify the strategy and is suitable for traders who focus on upward market trends. The recommended leverage range is between   1:50 and 1:200 , offering a balanced level of risk and profit potential.
    Shortcuts
    Rouge Mouta
    Best for Technical Analysis You can set from one key shortcut for graphical tool or chart control for technical analysis. Graphic design software / CAD-like smooth drawing experience. Best for price action traders. Sync Drawing Objects You don’t need to repeat drawing the same trend line on the other charts. Shortcuts do that for you automatically. Of course, any additional modifications of the object immediately apply to the other charts too. Colors depend on Timeframe Organize drawings with
    Gold Wire Trader MT5 trades using the RSI Indicator. It offers many customizable RSI trading scenarios and flexible position management settings, plus many useful features like customizable trading sessions, a martingale and inverse martingale mode. The EA implements the following entry strategies, that can be enabled or disabled at will: Trade when the RSI Indicator is oversold or overbought Trade when the RSI comes back from an oversold or overbought condition Four different trading behavio
    Gold trend scanner MT5 a multi symbol multi timeframe dashboard that monitors and analyzes Average True Range indicator value in up to 28 symbols and 9 timeframes  in 3 modes :  It shows the ATR indicator value in all pairs and timeframes and signals when the ATR value reaches a maximum or minimum in a given duration. Short term ATR/Long term ATR ratio: It shows ratio of 2 ATRs with different periods. It's useful in detecting short term volatility and explosive moves. ATR Value/Spread ratio: S
    Attention: this is a multicurrency EA, which trades by several pairs from one chart!  Therefore, in order to avoid duplicate trades, it is necessary to attach EA only to one chart, ---> all trading in all pairs is conducted only from one chart! we can trade simultaneously in three different pairs, as by default (EURUSD + GBPUSD + AUDUSD), which take into account the correlation when entering the market for all three; we can trade only EURUSD (or any currency pair) and at the same time take into
    A triangular arbitrage strategy exploits inefficiencies between three related currency pairs, placing offsetting transactions which cancel each other for a net profit when the inefficiency is resolved. A deal involves three trades, exchanging the initial currency for a second, the second currency for a third, and the third currency for the initial. With the third trade, the arbitrageur locks in a zero-risk profit from the discrepancy that exists when the market cross exchange rate is not aligned
    Gold index expert MT5 Wizard uses Multi-timeframe analysis. In simpler terms, the indicator monitors 2 timeframes. A higher timeframe and a lower timeframe. The indicator determines the trend by analyzing order flow and structure on the higher timeframe(4 hour for instance). Once the trend and order flow have been determined the indicator then uses previous market structure and price action to accurately determine high probability reversal zones. Once the high probability reversal zone has bee
    Golden Route home MT5 calculates the average prices of BUY (LONG) and SELL (SHORT) open positions, taking into account the size of open positions, commissions and swaps. The indicator builds the average line of LONG open positions, after crossing which, from the bottom up, the total profit for all LONG positions for the current instrument becomes greater than 0. The indicator builds the average line of SHORT open positions, after crossing which, from top to bottom, the total profit for all SH
    Do you want an EA with small stoploss? Do you want an EA that is just in and out of market? Gold looks at several MT5 It is ONLY buying when the market opens and with a window of 10 minutes or less. It uses pre-market price so be sure your broker has that.   This strategies (yes, it is 2 different strategies that can be used with 3 different charts) have tight stoplosses and a takeprofit that often will be reached within seconds! The strategies are well proven. I have used them manually for
    Bionic Forex
    Pablo Maruk Jaguanharo Carvalho Pinheiro
    Bionic Forex - Humans and Robots for profit. Patience is the key. The strategies are based on: - Tendency - Momentum + High Volatility - Dawn Scalper + Support Resistence. Again, patience is the key. No bot is flawless, sometimes it will work seamlessly, sometimes it simply won't.  it's up to you manage its risk and make it a great friend to trade automatically with fantastic strategies. Best regards, Good luck., Pablo Maruk.
    ABOUT THE PRODUCT Your all-in-one licensing software is now available. End users are typically granted the right to make one or more copies of software without infringing on third-party rights. The license also specifies the obligations of the parties to the license agreement and may impose limitations on how the software can be used. AIM OF THE SOFTWARE The purpose of this system is to provide you with a one-of-a-kind piece of software that will help you license and securely track your MT4/MT5
    The purpose of this service is to warn you when the percentage of the margin level exceeds either a threshold up or down. Notification is done by email and/or message on mobile in the metatrader app. The frequency of notifications is either at regular time intervals or by step of variation of the margin. The parameters are: - Smartphone (true or false): if true, enables mobile notifications. The default value is false. The terminal options must be configured accordingly. - email (true or false)
    基于Goodtrade/GoodX 券商推出的黄金双仓对冲套利的交易模型/策略/系统,在日常的操作遇到的问题: 1、B账户跟随A账户即刻下单。 2:A账户 下单后  B账户 自动抄写止损止盈。 3:A账户平仓B账户同时平仓。 4:B账户平仓A账户也平仓。 5:不利点差下拒绝下单。 6:增加有利点值因子。 通过解决以上问题,改变了熬夜、手工出错、长期盯盘、紧张、恐慌、担心、睡眠不足、饮食不规律、精力不足等问题 目前解决这些问题后,有效提升了工作效率和盈利比例,由原来月10%盈利率提升到月45%的最佳盈利率。 原来的一名交易员只能管理操作两组账户,通过此EA提高到操作管理高达16组交易账户,或许你可以超越我们的记录,期待你的经验交流。 此EA分为: GoodtradeGoodX Tradercropy A       GoodtradeGoodX Tradercropy B     是一个组合EA,假设您购买的额  GoodtradeGoodX Tradercropy   A  必须同时购买 GoodtradeGoodX Tradercropy   B  两个组合使用会到最佳效果。   
    BOTON para trading manual
    Cesar Juan Flores Navarro
    El EA Boton pone botones de Buy y Sell en la pantalla Ideal para usuarios que habren muchas ordenes y diferentes pares 9 botones buy desde 0.01 al 0.09 y 9 botones sell de 0.01 al 0.09 9 botones buy desde 0.1 al 0.9 y 9 botones sell de 0.1 al 0.9 Boton Close buy y sell Boton Close buy positivos y Boton Sell positivos Boton Close buy negativos y Boton Sell negativos un boton close all y botones buy de 1, 5 y 10 y botones de sell 1,5, 10
    Отличный помощник для тех кто грамотно распоряжается своими рисками. Данный помощник просто не заменим если у вас всегда должен быть фиксированный риск на сделку. Помогает автоматически высчитывать лот в зависимости от вашего риска. Теперь можно не беспокоиться о том каким будет ваш Stoploss, риск всегда будет одинаковый. Считает объем сделок как для рыночных ордеров так и для отложенных. Удобный и интуитивно понятный интерфейс, так же есть некоторые дополнительные функции для упрощения вашей то
    FTMO Sniper 7
    Vyacheslav Izvarin
    Dedicated for FTMO and other Prop Firms Challenges 2020-2024 Trade only GOOD and checked PROP FIRMS  Default parameters for Challenge $100,000 Best results on GOLD and US100  Use any Time Frame Close all deals and Auto-trading  before  US HIGH NEWS, reopen 2 minutes after Close all deals and Auto-trading  before Weekend at 12:00 GMT+3  Friday Recommended time to trade 09:00-21:00 GMT+3 For Prop Firms MUST use special  Protector  https://www.mql5.com/en/market/product/94362 --------------------
    Altri dall’autore
    Trade Saver Service Application Type: Service Application Features: Automated search and saving of trading results for multiple systems into text files for further analysis About the Application The service automatically saves the results of closed positions for a list of trading systems into text files, creating a personalized file for each system. How to Use Parameters: LOG_LEVEL -  Logging level in the terminal’s Experts section. DEBUG provides the most detailed logs, while ERROR provides m
    FREE
    Test Trade Saver Script Application Type: Script Application Functions: Saves test results cache file data into text files About the Application The script extracts trading results from a test system cache file and saves them into text files for further analysis. How to Use Parameters: LOG_LEVEL -  Logging level in the Experts terminal section. DEBUG provides the most detailed information, while ERROR gives the minimum. CUSTOM_MAGIC_NUMBER - The system identifier (Magic Number) used to save resu
    FREE
    Filtro:
    Nessuna recensione
    Rispondi alla recensione