Русский 中文 Español Deutsch 日本語 Português
How to build and test a Binary Options strategy with the MetaTrader 4 Strategy Tester

How to build and test a Binary Options strategy with the MetaTrader 4 Strategy Tester

MetaTrader 4Examples | 22 December 2016, 14:39
123 002 21
Martin Amiri
Martin Amiri

Table of Contents

1. Introduction
2. Installation
3. Binary Options strategy example
3.1. Define Binary Options strategy
3.2. Create Binary Options strategy
3.2.1. Input parameters
3.2.2. Include Binary-Options-Strategy-Library
3.2.3. Add CallStrategy()
3.2.4. Implement CheckMyRules() and helper-function
3.2.5. Print out debug values
3.2.6. Use of external Indicators (ex4 files)
3.3. The complete code
4. Run a backtest (video)
5. Run a forward test
6. FAQ
7. Miscellaneous


1. Introduction

This article shows how to build a Binary Options strategy and test it in Strategy-Tester of Metatrader 4 with Binary-Options-Strategy-Tester utility. By default Strategy-Tester of Metatrader 4 can test Expert Advisors and Indicators against historical data, but it cannot handle Binary Options with expire times. As I need a possibility to test Binary Options strategies automated in Strategy-Tester of MetaTrader 4, the Binary-Options-Strategy-Tester was build as a utility to fit those needs.

The concept contains the following parts:

Binary Options Strategy Tester Concept

This is a step by step example how to build a Binary Options strategy stored in an Indicator (marked as red in image above) to communicate through Binary-Options-Strategy-Library (marked as green in image above) with the Binary-Options-Strategy-Tester (marked as blue in image above), to place virtual orders and count their results with backtests and forward tests.

Please keep in mind: Backtesting with historical data will never represent the real future, but it might give you an approximate value to get your strategy more stable.
The quality of your backtest will depends on your historical data. Therefore it is strongly recommended to use a set of hight quality data!


2. Installation

Download and purchase Binary-Options-Strategy-Tester utility from marketplace:
Test-Framework to test Binary Options strategies in Strategy-Tester of MetaTrader 4.

Why a purchased version of Binary-Options-Strategy-Tester utility is needed?
A Binary-Options strategy has to call a function of the Binary-Options-Strategy-Tester (via Binary-Options-Strategy-Library) to place the virtual trades. Related to the license concept of MQL4 this only works if the product has a working license. Therefore you have to purchase the product to test Binary Options strategies or this example.

Download free BinaryOptionsStrategyLibrary.mqh and place it in into folder \Include ([path to your MetaTrader 4]\MQL4\Include):
The free library will provide several functions to build your Binary Options strategy easily and to communicate with the Binary-Options-Strategy-Tester. See Binary-Options-Strategy-Library for more details of the library.

Download free KVO.mq4 indicator and place it (and the compiled KVO.ex4 file) into folder \Indicators\Downloads ([path to your MetaTrader 4]\MQL4\Indicators\Downloads):
The KVO indicator is used as an example to show the access of external indicators and there ex4 files in section "3.2.6 Use of external Indicators (ex4 files)". See https://www.mql5.com/en/code/8677 for more details of the indicator.

Now you can go further with section "3. Binary options strategy example" and build the example code by yourself or just download the code of this example below.

Optional download BinaryOptionsStrategyExample.mq4 and place it (and the compiled BinaryOptionsStrategyExample.ex4 file) into folder \Indicators ([path to your MetaTrader 4]\MQL4\Indicators):
Download the code of this Binary Options strategy example to let it run without building it by yourself.

To compile the needed .ex4 files open the .mq4 files (KVO.mq4 and BinaryOptionsStrategyExample.mq4 - NOT Binary-Options-Strategy-Library.mqh) in MetaQuotes Language Editor and click on button "Compile" or just restart your MetaTrader 4 after these files are stored in the described folders and MetaTrader 4 will do this automatically for you.


3. Binary Options strategy example

The following steps will guide you throgh an example how to build an example Binary Options strategy stored in an Indicator to communicate with Binary-Options-Strategy-Tester. You can build it by yourself or just download the code of the BinaryOptionsStrategyExample.mq4.

Please note: This strategy is not a profitable Binary Options strategy! It is just an example how to build a strategy in an indicator to communicate with the Binary-Options-Strategy-Tester utility. Of course you have to build a profitable strategy by yourself. But as you will see, this utility will help you to test and improve your Binary Options strategy.


3.1 Define Binary Options strategy

First of all we have to define the strategy and the changable values (input parameters). MQL4 documentation shows all technical indicators, which can be adressed over the iCustom interface: https://docs.mql4.com/indicators.

Let us say we like to create a simple Moving Average cross strategy with one "fast" and one "slow" Moving Average to trade on next candle after they have crossed each other. Documentation tells, how we can get the value of a single Moving Average: https://docs.mql4.com/indicators/ima.

Let us further say, we like to choose values for "MA averaging period" (fast and slow) and for "applied price" as well as for the "averaging method". Other values (like symbol, timeframe and shift) depends on the testcase (e.g. the symbol the tester runs on) and should be set automatically. Therefore we basically need the following variables for a Moving Average:

int ma_period
int ma_method
int applied_price

As we need two Moving Averages to check their crosses, we need the following input parameters for the strategy example with some default values:

int period_fast        =  5;
int period_slow        = 10;
int method_both        =  0; 
int applied_price_both =  0; 


3.2 Create Binary Options strategy

You need to build an indicator which stores your Binary Options strategy to drag it on the chart where Binary-Options-Strategy-Tester is running on.

Open MetaQuotes Language Editor (in MetaTrader 4 click on "Tools" -> "MetaQuotes Language editor" or just press F4) and click on "New":

Language Editor New

The MQL Wizard will appear. Select "Custom Indicator" to create an empty indicator and click on "Next":

Language Editor Custom Indicator

Enter the name, copyright and link of the strategy as well as the input parameters with their types and default values (initial values) by clicking "Add"-Button and press "Next":

Language Editor Custom Indicator Values

On tab event handlers select checkbox "OnCalculate" as we need this event to check for our strategy on every tick. Press "Next":

Language Editor Custom Indicator Events

On tab drawing properties select checkbox "Indicator in seperate window" as we need a seperate window to print out the debug values. Press "Finish":

Language Editor Custom Indicator Drawing Properties

The initial code of your indicator will appear:

//+------------------------------------------------------------------+
//|                                 BinaryOptionsStrategyExample.mq4 |
//|                                       Copyright 2016, __martin__ |
//|                         https://www.mql5.com/en/users/__martin__ |
//+------------------------------------------------------------------+
#property copyright "Copyright 2016, __martin__"
#property link      "https://www.mql5.com/en/users/__martin__"
#property version   "1.00"
#property strict
#property indicator_separate_window
//--- input parameters
input int      period_fast=5;
input int      period_slow=10;
input int      method_both=0;
input int      applied_price_both=0;
//+------------------------------------------------------------------+
//| Custom indicator initialization function                         |
//+------------------------------------------------------------------+
int OnInit()
  {
//--- indicator buffers mapping
  
//---
   return(INIT_SUCCEEDED);
  }
//+------------------------------------------------------------------+
//| Custom indicator iteration function                              |
//+------------------------------------------------------------------+
int OnCalculate(const int rates_total,
                const int prev_calculated,
                const datetime &time[],
                const double &open[],
                const double &high[],
                const double &low[],
                const double &close[],
                const long &tick_volume[],
                const long &volume[],
                const int &spread[])
  {
//---
  
//--- return value of prev_calculated for next call
   return(rates_total);
  }
//+------------------------------------------------------------------+


3.2.1 Input parameters

The initial input parameters are created with the MQL Wizard (see 3.2 Create Binary Options strategy) and we will enhance them with the following steps.

To avoid to have to enter int-values for applied price and averaging method of the Moving Averages for input parameters, the type for method_both and applied_price_both is changed from int to type of enumeration with a default value.

ENUM_MA_METHOD: https://docs.mql4.com/constants/indicatorconstants/enum_ma_method
ENUM_APPLIED_PRICE: https://docs.mql4.com/constants/indicatorconstants/prices#enum_applied_price_enum

In addition comments for the input parameters are added to show the comments as labels instead of variable names:

...

//--- input parameters
input int                period_fast        =  5;           //Fast MA value
input int                period_slow        = 10;           //Slow MA value
input ENUM_MA_METHOD     method_both        = MODE_SMA;     //MA method
input ENUM_APPLIED_PRICE applied_price_both = PRICE_CLOSE;  //MA applied price

...

With this modifications the input parameters provides a dropdown with the available values to select as well as "labels" for the input parameters:

Binary Options Strategy Input Paremeters


3.2.2 Include Binary-Options-Strategy-Library

If you have downloaded and stored the library (see 2. Installation) into \Include folder ([path to your MetaTrader 4]\MQL4\Include), you are able to include the library like this:

//+------------------------------------------------------------------+
//|                                 BinaryOptionsStrategyExample.mq4 |
//|                                       Copyright 2016, __martin__ |
//|                         https://www.mql5.com/en/users/__martin__ |
//+------------------------------------------------------------------+
#property copyright "Copyright 2016, __martin__"
#property link      "https://www.mql5.com/en/users/__martin__"
#property version   "1.00"
#property strict
#property indicator_separate_window

#include <BinaryOptionsStrategyLibrary.mqh>

//--- input parameters

...
The library will only be available like described in the example above if you placed it in \Include folder of your MetaTrader 4.
Changing the content of the library is not needed!

Binary-Options-Strategy-Library will enhance the input parameters with two new parameters:

  • Place only one SELL or one BUY trade per candle
  • Check only at the beginning of a new candle for the strategy

Binary Options Strategy Input Parameters Enhanced


3.2.3 Add CallStrategy()

Add a call to CallStrategy()-function in OnCalculate() of your strategy indicator to call the strategy on every new tick. CallStrategy() is provided by Binary-Options-Strategy-Library you have inlcuded like discribed above:

...

//+------------------------------------------------------------------+
//| Custom indicator iteration function                              |
//+------------------------------------------------------------------+
int OnCalculate(const int rates_total,
                const int prev_calculated,
                const datetime &time[],
                const double &open[],
                const double &high[],
                const double &low[],
                const double &close[],
                const long &tick_volume[],
                const long &volume[],
                const int &spread[])
  {
//---

   CallStrategy(); //Call the strategy, function is locatet in BinaryOptionsStrategyLibrary.mqh (included above)

//--- return value of prev_calculated for next call
 
   return
(rates_total);
  }
//+------------------------------------------------------------------+

CallStrategy()-function in Binary-Options-Strategy-Library will call a function named CheckMyRules() in your indicator where you can place your conditions for your Binary Options strategy.
Therefore you have to implement the function CheckMyRules() in your Binary Options strategy indicator.


3.2.4 Implement CheckMyRules() and helper-function

In CheckMyRules()-function, which is called through the Binary-Options-Strategy-Library, the conditions for the strategy are implemented and trades are placed through PlaceTrade()-function of the library. Values of both Moving Averages are temporarilly stored in variables to compare them in if-conditions while the values of the Moving Averages are taken from the helper-function GetValuesForMA():


...

//--- input parameters
input int                period_fast        =  5;           //Fast MA value
input int                period_slow        = 10;           //Slow MA value
input ENUM_MA_METHOD     method_both        = MODE_SMA;     //MA method
input ENUM_APPLIED_PRICE applied_price_both = PRICE_CLOSE;  //MA applied price

...

//+------------------------------------------------------------------+
//| Place your Trading-Rules here - see example below.               |
//| StrategyTester will call this function to place trades.          |
//| DO NOT:                                                          |
//| - Rename function                                                |
//| - Add function paramaters, e.g. CheckMyRules(int a)              |
//| - Change function return type, e.g. int CheckMyRules()           |
//+------------------------------------------------------------------+
void CheckMyRules()
  {
  
   //Store MA values with shift=0 (current candle) -> current candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Current = GetValueForMA(period_slow, 0);
   double emaFast_Current = GetValueForMA(period_fast, 0);

   //Store MA values with shift=1 (past candle) -> last candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Past = GetValueForMA(period_slow, 1);
   double emaFast_Past = GetValueForMA(period_fast, 1);

   if(emaFast_Past > emaSlow_Past
   && emaFast_Current < emaSlow_Past) //Check if slow MA and fast MA crosses
     {
      PlaceTrade(OP_SELL); //Place SELL-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyFunctions.mqh
     }
  
   if(emaFast_Past < emaSlow_Past
   && emaFast_Current > emaSlow_Past) //Check if slow MA and fast MA crosses
     {
      PlaceTrade(OP_BUY); //Place BUY-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyFunctions.mqh
     }
  
  }

//+------------------------------------------------------------------+
//| Place your Helper-Functions here, see example below              |
//+------------------------------------------------------------------+
//----
//+------------------------------------------------------------------+
//| Get MA values for period, method, applied price and shift.       |
//| For details of iMA() see https://docs.mql4.com/indicators/ima    |
//+------------------------------------------------------------------+
double GetValueForMA(int _period,int _shift)
  {
   return iMA(NULL,0,_period,0,method_both,applied_price_both,_shift);
  }
 


3.2.5 Print out debug values

The function PrintDebugValue() privides a possibility to print out debug values while the tester is running. In the example below the values of the Moving Averages are printed out with their variable names as labels:


...

//--- input parameters
input int                period_fast        =  5;           //Fast MA value
input int                period_slow        = 10;           //Slow MA value
input ENUM_MA_METHOD     method_both        = MODE_SMA;     //MA method
input ENUM_APPLIED_PRICE applied_price_both = PRICE_CLOSE;  //MA applied price

...

//+------------------------------------------------------------------+
//| Place your Trading-Rules here - see example below.               |
//| StrategyTester will call this function to place trades.          |
//| DO NOT:                                                          |
//| - Rename function                                                |
//| - Add function paramaters, e.g. CheckMyRules(int a)              |
//| - Change function return type, e.g. int CheckMyRules()           |
//+------------------------------------------------------------------+
void CheckMyRules()
  {
  
   //Store MA values with shift=0 (current candle) -> current candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Current = GetValueForMA(period_slow, 0);
   double emaFast_Current = GetValueForMA(period_fast, 0);

   //Store MA values with shift=1 (past candle) -> last candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Past = GetValueForMA(period_slow, 1);
   double emaFast_Past = GetValueForMA(period_fast, 1);

   PrintDebugValue("emaSlow_Current: ",(string)emaSlow_Current,0); //Label and value in line 0
   PrintDebugValue("emaFast_Current: ",(string)emaFast_Current,1); //Label and value in line 1
   PrintDebugValue("emaSlow_Past: ",(string)emaSlow_Past,2);       //Label and value in line 2
   PrintDebugValue("emaFast_Past: ",(string)emaFast_Past,3);       //Label and value in line 3

   if(emaFast_Past > emaSlow_Past
   && emaFast_Current < emaSlow_Past) //Check if slow MA and fast MA crosses
     {
      PlaceTrade(OP_SELL); //Place SELL-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyFunctions.mqh
     }
  
   if(emaFast_Past < emaSlow_Past
   && emaFast_Current > emaSlow_Past) //Check if slow MA and fast MA crosses
     {
      PlaceTrade(OP_BUY); //Place BUY-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyFunctions.mqh
     }
  
  }

//+------------------------------------------------------------------+
//| Place your Helper-Functions here, see example below              |
//+------------------------------------------------------------------+
//----

//+------------------------------------------------------------------+
//| Get MA values for period, method, applied price and shift.       |
//| For details of iMA() see https://docs.mql4.com/indicators/ima    |
//+------------------------------------------------------------------+
double GetValueForMA(int _period,int _shift)
  {
   return iMA(NULL,0,_period,0,method_both,applied_price_both,_shift);
  }
 


3.2.6 Use of external Indicators (ex4 files)

In addition an external indicator which stores its values in buffers can be accessed for the Binary Options strategy, even if only the compiled ex4-file exists.

Let us say we like to include the signal line of the KVO indicator https://www.mql5.com/en/code/8677 to place trades only if the signal line is over 0 for BUY trades and under 0 for SELL trades. Download the KVO.mq4 indicator and place the compiled (ex4 file) into folder \Indicators\Downloads ([path to your MetaTrader 4]\MQL4\Indicators\Downloads).

To compile the needed .ex4 file open KVO.mq4 in MetaQuotes Language Editor and click on button "Compile" or just restart your MetaTrader 4 after the file is stored in the described folder and MetaTrader 4 will do this automatically for you.

First we have to identify the relevant buffers which stores the relevant values to access. Therefore we press the button "Data Window" in MetaTrader 4 to show all available buffers of the used indicators and drag the KVO indicator on a chart. By hovering the cross over the chart (press mouse-wheel on chart to bring up the cross) the buffer values of the indicator of the hovered timeperiod will be shown in data window:

External Indicator Buffers And Values

The data window labels tells us the second buffer value of the indicator stores the signal line. If buffers of indicators did not have labels, we can find the right one by comparing the buffer values with the displayed value under the cross in the chart and indicator. Buffers of an indicator starts with 0, so we have buffer value 1 = buffer 0, buffer value 2 = buffer 1 and so on and we have to access buffer 1 to get the signal value.

Next we have to know all input parameters of the external indicator we like to access. By draging the indicator on a chart, we see all input paremeters:

Input Parameters KVO

Let us further say, we like to access the indicator with (its default) values: 34, 55 and 13. We use a helper function (based on iCostum), wich provides us the possibility to get the values of the indicator with parameters for buffer and shift, while shift 0 will be the value of the current candle, shift 1 the value of the last candle, shift 2 the value of the second to last candle and so on. In addition we temporarilly store the values of the indicator buffer and enhance the if-condition of the strategy:


...

//--- input parameters
input int                period_fast        =  5;           //Fast MA value
input int                period_slow        = 10;           //Slow MA value
input ENUM_MA_METHOD     method_both        = MODE_SMA;     //MA method
input ENUM_APPLIED_PRICE applied_price_both = PRICE_CLOSE;  //MA applied price

...

//+------------------------------------------------------------------+
//| Place your Trading-Rules here - see example below.               |
//| StrategyTester will call this function to place trades.          |
//| DO NOT:                                                          |
//| - Rename function                                                |
//| - Add function paramaters, e.g. CheckMyRules(int a)              |
//| - Change function return type, e.g. int CheckMyRules()           |
//+------------------------------------------------------------------+
void CheckMyRules()
  {
  
   //Store MA values with shift=0 (current candle) -> current candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Current = GetValueForMA(period_slow, 0);
   double emaFast_Current = GetValueForMA(period_fast, 0);

   //Store MA values with shift=1 (past candle) -> last candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Past = GetValueForMA(period_slow, 1);
   double emaFast_Past = GetValueForMA(period_fast, 1);

   //Store signal value (buffer 1) of KVO indicator from current candle (shift 0)
   double kvoSignal = GetValuesFromIndicator__KVO__(1,0);

   PrintDebugValue("emaSlow_Current: ",(string)emaSlow_Current,0); //Label and value in line 0
   PrintDebugValue("emaFast_Current: ",(string)emaFast_Current,1); //Label and value in line 1
   PrintDebugValue("emaSlow_Past: ",(string)emaSlow_Past,2);       //Label and value in line 2
   PrintDebugValue("emaFast_Past: ",(string)emaFast_Past,3);       //Label and value in line 3

   if(emaFast_Past > emaSlow_Past
   && emaFast_Current < emaSlow_Past //Check if slow MA and fast MA crosses
   && kvoSignal < 0) //Check if signal value of KVO is under 0
     {
      PlaceTrade(OP_SELL); //Place SELL-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyFunctions.mqh
     }
  
   if(emaFast_Past < emaSlow_Past
   && emaFast_Current > emaSlow_Past //Check if slow MA and fast MA crosses
   && kvoSignal > 0) //Check if signal value of KVO is over 0
     {
      PlaceTrade(OP_BUY); //Place BUY-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyFunctions.mqh
     }
  
  }

//+------------------------------------------------------------------+
//| Place your Helper-Functions here, see example below              |
//+------------------------------------------------------------------+
//----

//+------------------------------------------------------------------+
//| Get MA values for period, method, applied price and shift.       |
//| For details of iMA() see https://docs.mql4.com/indicators/ima    |
//+------------------------------------------------------------------+
double GetValueForMA(int _period,int _shift)
  {
   return iMA(NULL,0,_period,0,method_both,applied_price_both,_shift);
  }

//+------------------------------------------------------------------+
//| Example how to get values from external indicators               |
//| see https://docs.mql4.com/indicators/icustom                     |
//| Parameters:                                                      |
//| int _buffer - indicator-buffer (starts with 0)                   |
//| int _shift - value to shift; 0 = current candle, 1 = prev candle |
//+------------------------------------------------------------------+
double GetValuesFromIndicator__KVO__(int _buffer, int _shift=0) //Change "__KVO__" to indicator name
  {

   return (
            iCustom (
                      NULL,                      //NULL for current timeframe selected in tester - NO CHANGES NEEDED
                      0,                         //0 for current symbol selected in tester - NO CHANGES NEEDED

                      //BEGIN EDIT
                      "\\Downloads\\KVO.ex4",    //Filepath and filename of the indicator (*.ex4 file)
                      //BEGIN INDICATORS INPUTS
                      34,
                      55,
                      13,
                      //END FOR INPUTS
                      //END EDIT

                      _buffer,                   //Buffer index (begins with 0), _buffer is adressed over function parameter - NO CHANGES NEEDED
                      _shift                     //Shift (0 for current candle), _shift is adressed over function parameter - NO CHANGES NEEDED
                    )
          );

  }
 

It is also possible to enhance the input parameters of our strategy indicator with the values for the used KVO indicator and set the values in helper function by variables. As this tutorial should be just an example and "as simple as possible", this variant is not shown.


3.3 The complete code

Below you will find the complete code of the Binary-Options-Strategy-Example from all the steps above, ready to drag on the Binary-Options-Strategy-Tester to test and see the results on chart:

//+------------------------------------------------------------------+
//|                                 BinaryOptionsStrategyExample.mq4 |
//|                                       Copyright 2016, __martin__ |
//|                         https://www.mql5.com/en/users/__martin__ |
//+------------------------------------------------------------------+
#property copyright "Copyright 2016, __martin__"
#property link      "https://www.mql5.com/en/users/__martin__"
#property version   "1.00"
#property strict
#property indicator_separate_window

#include <BinaryOptionsStrategyLibrary.mqh>

//+------------------------------------------------------------------+
//| Place your input parameters here - see example below             |
//+------------------------------------------------------------------+
//--- input parameters
input int                period_fast        =  5;           //Fast MA value
input int                period_slow        = 10;           //Slow MA value
input ENUM_MA_METHOD     method_both        = MODE_SMA;     //MA method
input ENUM_APPLIED_PRICE applied_price_both = PRICE_CLOSE;  //MA applied price

//+------------------------------------------------------------------+
//| Custom indicator initialization function                         |
//+------------------------------------------------------------------+
int OnInit()
  {
//--- indicator buffers mapping

//---
   return(INIT_SUCCEEDED);
  }

//+------------------------------------------------------------------+
//| Custom indicator iteration function                              |
//+------------------------------------------------------------------+
int OnCalculate(const int rates_total,
                const int prev_calculated,
                const datetime &time[],
                const double &open[],
                const double &high[],
                const double &low[],
                const double &close[],
                const long &tick_volume[],
                const long &volume[],
                const int &spread[])
  {
//---

   CallStrategy(); //Call the strategy, function is locatet in BinaryOptionsStrategyLibrary.mqh (included above)

//--- return value of prev_calculated for next call
   return(rates_total);
  }

//+------------------------------------------------------------------+
//| Place your Trading-Rules here - see example below.               |
//| StrategyTester will call this function to place trades.          |
//| DO NOT:                                                          |
//| - Rename function                                                |
//| - Add function paramaters, e.g. CheckMyRules(int a)              |
//| - Change function return type, e.g. int CheckMyRules()           |
//+------------------------------------------------------------------+
void CheckMyRules()
  {
  
   //Store MA values with shift=0 (current candle) -> current candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Current = GetValueForMA(period_slow, 0);
   double emaFast_Current = GetValueForMA(period_fast, 0);

   //Store MA values with shift=1 (past candle) -> last candle,
   //call helper function GetValueForMA() to get the value - see helper-functions below
   double emaSlow_Past = GetValueForMA(period_slow, 1);
   double emaFast_Past = GetValueForMA(period_fast, 1);
  
   //Store signal value (buffer 1) of KVO indicator from current candle (shift 0)
   double kvoSignal = GetValuesFromIndicator__KVO__(1,0);
  
   PrintDebugValue("emaSlow_Current: ",(string)emaSlow_Current,0); //Label and value in line 0
   PrintDebugValue("emaFast_Current: ",(string)emaFast_Current,1); //Label and value in line 1
   PrintDebugValue("emaSlow_Past: ",(string)emaSlow_Past,2);       //Label and value in line 2
   PrintDebugValue("emaFast_Past: ",(string)emaFast_Past,3);       //Label and value in line 3

   if(emaFast_Past > emaSlow_Past
   && emaFast_Current < emaSlow_Past    //Check if slow MA and fast MA crosses
   && kvoSignal < 0)                    //Check if signal value of KVO is under 0  
     {
      PlaceTrade(OP_SELL);              //Place SELL-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyLibrary.mqh
     }
  
   if(emaFast_Past < emaSlow_Past
   && emaFast_Current > emaSlow_Past    //Check if slow MA and fast MA crosses
   && kvoSignal > 0)                    //Check if signal value of KVO is over 0
     {
      PlaceTrade(OP_BUY);               //Place BUY-Trade for Strategy-Tester, function is located in BinaryOptionsStrategyLibrary.mqh
     }
  
  }

//+------------------------------------------------------------------+
//| Place your Helper-Functions here, see example below              |
//+------------------------------------------------------------------+
//----

//+------------------------------------------------------------------+
//| Get MA values for period, method, applied price and shift.       |
//| For details of iMA() see https://docs.mql4.com/indicators/ima    |
//+------------------------------------------------------------------+
double GetValueForMA(int _period,int _shift)
  {
   return iMA(NULL,0,_period,0,method_both,applied_price_both,_shift);
  }

//+------------------------------------------------------------------+
//| Example how to get values from external indicators,              |
//| see https://docs.mql4.com/indicators/icustom                     |
//| Parameters:                                                      |
//| int _buffer - indicator-buffer (starts with 0)                   |
//| int _shift - value to shift; 0 = current candle, 1 = prev candle |
//+------------------------------------------------------------------+
double GetValuesFromIndicator__KVO__(int _buffer, int _shift=0) //Change "__KVO__" to indicator name
  {
   return (
            iCustom (
                      NULL,                      //NULL for current timeframe selected in tester - NO CHANGES NEEDED
                      0,                         //0 for current symbol selected in tester - NO CHANGES NEEDED
                  
                      //BEGIN EDIT
                      "\\Downloads\\KVO.ex4",    //Filepath and filename of the indicator (*.ex4 file)                  
                      //BEGIN INDCATORS INPUTS
                      34,
                      55,
                      13,
                      //END FOR INPUTS
                      //END EDIT
                  
                      _buffer,                   //Buffer index (begins with 0), _buffer is adressed over function parameter - NO CHANGES NEEDED
                      _shift                     //Shift (0 for current candle), _shift is adressed over function parameter - NO CHANGES NEEDED
                    )
          );
  }
//+-----------------------------------------------------------------+


4. Run a backtest (video)

The following video shows how to run a backtest of your Binary Options strategy in Strategy-Tester of MetaTrader 4:

  • Start Binary-Options-Strategy-Tester in Strategy-Tester of MetaTrader 4 and set the input parameters
  • Drag your Binary Options strategy indicator on the chart, set the input parameters and check "Allow external expert imports" on the "common" tab
  • Drag your used indicators with their used input parameters on the chart to see their values while tester is running (optional)
  • Save all settings in a template to run the test with all settings again - using the pause button of the Strategy-Tester (optional)
  • See the results of your Binary Options strategy on the Strategy-Tester chart 


5. Run a forward test

To do a forward test simply drag the Binary-Options-Strategy-Tester utility and your strategy indicator on your demo or live chart of your broker instead of using it in Strategy-Tester:

  • Drag Binary-Options-Strategy-Tester utility on demo or live chart and set the input parameters
  • Drag your Binary Options strategy indicator on the chart, set the input parameters and check "Allow external expert imports" on the "common" tab
  • Drag your used indicators with their used input parameters on the chart to see their values while forward test is running (optional)
  • Save all settings in a template to run the test again with all settings (optional)
  • See the results of your Binary Options strategy on demo or live chart


6. FAQ

Question: Why do you show an example of a non profitable Binary Options strategy?
Answere: This is just an example how to build a strategy in an Indicator to communicate with the Binary-Options-Strategy-Tester utility in marketplace to test and improve your strategy.

Question: Binary-Options-Strategy-Tester stops after the exact amount of losses with error "Array out of range". Why?
Answere: Binary-Options-Strategy-Tester can rise an error after x losses to stop Tester and to analyse the situaion on the chart. If you do not want to, just switch off the option in settings.

Question: No arrows appear on chart after I draged my indicator with a working strategy on it. What happened?
Answere: You have to enable "Allow external expert imports" on the "common" tab while you drag your strategy-indicator on the chart (log message will show an error in this case).

Question: No arrows appear on chart after I draged my indicator with a working strategy on it with "Allow external expert imports" enabled. Why?
Answere: A strategy has to call a function of Binary-Options-Strategy-Tester to place virtual trades. Related to the MQL4 license concept this only works if the product has a working license. Therefore you have to purchase the product.

Question: No arrows appear on chart after I dragged my indicator with a working strategy on it and I got errors like "Cannot call .." or "Cannot load .." in the log of MetaTrader 4. What can I do?
Answere: Use the latest version (greater v1.00) of BinaryOptionsStrategyLibrary.mqh. Check version tag in code of your BinaryOptionsStrategyLibrary.mqh and see changelog v1.01 of BinaryOptionsStrategyLibrary.

Question: I see no results on Strategy-Tester tabs "Results", "Graph", "Report". Where I can see the results?
Answere: Strategy-Tester of MetaTrader 4 can not handle Binary Options so these tabs con not be used. Therefore this utility calculates all wins and losses and prints the results on the chart.


7. Miscellaneous

As I need a possibility to test Binary Options strategies automated in Strategy-Tester of MetaTrader 4 for long time periods in a short time and to do foward tests on the chart of the broker, this utility was build. I have spent a lot of time for the concept and the implementation of the Binary-Options-Strategy-Tester as well as for the documentation. Maybe there is a better way to do it and maybe some improvements will bring it closer to fit the needs of you. So please feel free to contact me for ideas for improvements!
 

Last comments | Go to discussion (21)
William Spielmann Guero
William Spielmann Guero | 21 Dec 2018 at 09:19

Hello, martin, I made the signature of your product, after several hours I still could not implement in my indicator the functions of your library that you describe in this tutorial, I have the source code of indicator,

that has 2 buffers and draws buy and sell arrow, if you can put your functions in it thank you,

if you can help me and put the functions in it for me to observe the correct way of doing, I sent the file mq4 via mp.

Keith Watford
Keith Watford | 10 May 2020 at 07:35
Comments that do not relate to this topic, have been moved to "Off Topic Posts".
Vincenzo Tignola
Vincenzo Tignola | 9 Jun 2020 at 03:08
VolrvoI wanted to ask you if it was possible to be able to open transactions based on the payout, since for binary options it can fluctuate a lot it would be very useful, thanks a lot
ilhamst1
ilhamst1 | 12 Dec 2020 at 23:56

please i want the ex4 file,,mq4 cant to e compiled

Kalpesh Acharya
Kalpesh Acharya | 6 Jan 2022 at 04:19
Hello Martin, Excellent job. Unfortunately, "Binary Options Strategy Tester" is unavailable on the marketplace. Do you know where else I can purchase it from? Thank you for your help.
Universal ZigZag Universal ZigZag
ZigZag is one of the most popular indicators among the MetaTrader 5 users. The article analyzes the possibilities for creating various versions of the ZigZag. The result is a universal indicator with ample opportunities to extend its functionality, which is useful in the development of trading experts and other indicators.
80-20 trading strategy 80-20 trading strategy
The article describes the development of tools (indicator and Expert Advisor) for analyzing the '80-20' trading strategy. The trading strategy rules are taken from the work "Street Smarts. High Probability Short-Term Trading Strategies" by Linda Raschke and Laurence Connors. We are going to formalize the strategy rules using the MQL5 language and test the strategy-based indicator and EA on the recent market history.
Universal Oscillator with a GUI Universal Oscillator with a GUI
The article describes the process of creation of a universal indicator based on all oscillators available in the terminal, with its own graphical interface. The GUI allows users to quickly and easily change settings of each oscillator straight from the chart window (without having to open its properties), as well as to compare their values and to select an optimal option for a specific task.
LifeHack for Trader: A comparative report of several tests LifeHack for Trader: A comparative report of several tests
The article deals with the simultaneous launch of Expert Advisor testing on four different trading instruments. The final comparison of four testing reports is provided in a table similar to how goods are represented in online stores. An additional bonus is that distribution charts will be automatically created for each symbol.