• Overview
  • Reviews (1)
  • Comments
  • What's new

MT5 Rates HTTP Provider

MT5 Broker Rates (OHLC, candles) HTTP Provider

Description

EA turns your MT5 terminal into historical/realtime rates data provider for your application. 
There are many market data providers on the internet, but in practice, the data provided is not always of good quality. Moreover, these services are often more expensive and typically require monthly subscription fees per each symbol.
With this EA, you can feed your application with exactly the same rates data that you see in the MT5 terminal, the same data on which you base your trades and market analysis.
Together with the EA that provides ticks data, a complete data set necessary for market analysis is offered.

Capabilities

  • Enables the transmission of rates data to a pre-configured external HTTP URL.
  • Guarantees the delivery of every rate, with the capability to resume from the last sent rate in case of disruptions.
  • Offers two storage options for rate timestamp offsets:
    • Local Files (default, managed automatically)
    • HTTP endpoint (for integration with applications)
  • Ensures reliable rates delivery, with retry mechanisms for HTTP request failures.
  • Allows for data transfer with configurable batching.

Configuration

Input Description
Default 
dataProvider
Specifies the name of data provider.
This name can then be used in URL templates as {dataProvider}.
-
maxRatesPerBatch Maximum number of rates that can be semt in a single batch.
10000 rates
debugLogsEnabled Whether to enable debug logs. true
targetExportUrlTemplate URL template for endpoint where the rates data will be sent.
Supported placeholders: dataProvider.
-
shouldReExportHistoricalRates
Option to re-export rates starting from a specific value, as specified in the startExportFromTimestampMillis input. false
startExportFromTimestampMillis
If shouldReExportHistoricalRates is set to true, rates will be sent starting from the timestamp specified in milliseconds. 1672531200000 (2023-01-01 0:00:00)
exportedSymbolsSource
Source for the symbols for which rates will be exported. Options are: 'HTTP_ENDPOINT' or 'EA_INPUT'. EA_INPUT
symbols
In cases where exportedSymbolsSource is set to 'EA_INPUT', this setting specifies which symbols rates will be exported. EURUSD
timeframes Specifies the timeframes for the rates to be exported when exportedSymbolsSource is set to 'EA_INPUT'. M1,M5,M15,M30,H1,H4,D1,W1
exportedSymbolsFetchUrlTemplate
URL template to fetch the rates symbols. Used in case exportedSymbolsSource='HTTP_ENDPOINT'.
Supported variables: dataProvider.
-
lastSentRateTimestampSource Source for the timestamp of the last sent rate. Options are: 'HTTP_ENDPOINT' or 'FILES'. FILES
lastSentRateTimestampUrlTemplate URL template to fetch the timestamp of the last sent rate. Used in case exportedSymbolsSource='HTTP_ENDPOINT'.
Supported placeholders: dataProvider, symbol, timeframe.
 -

EA Workflow Description:

Upon initialization, the Expert Advisor (EA) performs the following operations:

  1. Reset Offset Check: The EA checks the shouldReExportHistoricalRates variable to determine if there's a need to export historical rates data from a specific timestamp. If a re-export is required, it:

    • Establishes the startExportFromTimestampMillis value as the new timestamp offset.
    • Saves this offset securely, either locally in a file or transmits it to a designated HTTP endpoint, based on the configuration set by lastSentRateTimestampSource.
  2. Periodic Rates Data Harvesting and Sending: The EA is programmed with a timer set to activate at intervals defined by dataSendingIntervalMilliseconds. Upon each activation, the EA:

    • Requests rates data from the broker, starting from the last stored offset (the most recent rate timestamp) to the present moment.
    • Converts the acquired rates data into json and sends it to the predefined URL derived from targetExportUrlTemplate input."

By executing these steps, the EA ensures a continuous and automated stream of the most recent rates data for external use, keeping your application or analysis tools supplied with up-to-the-minute market information.

Usage

Below are the minimum actions required for the EA to start exporting rates to your configured URL

  • Implement an HTTP endpoint that handles a POST request on a URL derived from the targetExportUrlTemplate. This endpoint should:

    • Accept rates data with the JSON structure described below.
    • Respond with a 200 status code if the reception is successful.
  • Ensure that you add the host to the list of allowed hosts in 'Tools > Options > Allow WebRequest for listed URL'.

    • If you are testing locally on localhost, create a hostname in 'C:\Windows\System32\drivers\etc\hosts' on Windows or '/etc/hosts' on Linux-based systems. Use this hostname in the targetExportUrlTemplate.
  • Attach the EA to any chart in MT5 and configure the following inputs:

    • startExportFromTimestampMillis: Set the timestamp from which you need to get rates.
    • symbols: Configure the symbols that you need rates for.
    • shouldReExportHistoricalRates: This must be set to true on the first run so that the EA creates all necessary files for tracking the last sent rate timestamp.

Offset Management

The EA maintains the timestamp (offset) of the last successfully sent rate in order to continue the export process in the event of disruptions or a terminal restart.
By default, timestamps are stored in files that are automatically created at the following path: C:\Users{userName}\AppData\Roaming\MetaQuotes\Terminal{id}\MQL5\Files. There is a separate file for each symbol and timeframe.

Additionally, there is an option to use separate HTTP endpoints for reading/storing the offset instead of files.
To use this feature, set lastSentRateTimestampSource to 'HTTP_ENDPOINT' and implement HTTP endpoints based on the URL defined in lastSentRateTimestampUrlTemplate.
As a backend solution, you can choose to store offsets in a database (such as PostgreSQL). If you need to re-export rates for a specific symbol, you would only need to update the timestamp values in the database table.

Exported Symbols Management

By default, the EA uses the input symbols to determine which symbols rates need to be exported.
However, there is also an option to retrieve the list of symbols from a separate HTTP endpoint.
To utilize this feature, set exportedSymbolsSource to 'HTTP_ENDPOINT' and implement an endpoint using the URL defined in exportedSymbolsFetchUrlTemplate.

EA External Management  

If you set both lastSentRateTimestampSource and exportedSymbolsSource to 'HTTP_ENDPOINT', then the EA can be fully controlled externally:

  • You can initiate re-export for specific symbols without needing to perform any actions in MT5.
  • You can specify which symbols to export without having to change the inputs in MT5.

Integrating application REST api specification 

HTTP Endpoint Description  Method Request   Response 
targetExportUrlTemplate
URL for sending rates data. POST Headers: 
Content-Type: application/json
Body                                                                       
[
  {
    "symbol": "EURUSD",
    "timeframe": "H1",
    "timestampMillis": 1670001234567,
    "open": 1.12345,
    "high": 1.12500,
    "low": 1.12200,
    "close": 1.12400,
    "tickVolume": 123456,
    "spread": 0.0002,
    "realVolume": 1000000
  },
  ...
]


Response Code 200 in case rates are obtained successfully
exportedSymbolsFetchUrlTemplate
URL is used to retrieve the list of rates symbols that the EA will export to the URL derived from 'targetExportUrlTemplate'. GET   Headers:
Content-Type: text/plain
Body (coma separated list of symbols)               
EURUSD,GBPUSD,AUDUSD,BTCUSD
                                                                                    

lastSentRatesTimestampUrlTemplate URL is utilized to fetch the specific timestamp from which the export process should begin. GET                                                                                                             Headers
Content-Type: text/plain
Body
1625135912000
lastSentRateTimestampUrlTemplate URL is used to store the timestamp of the last successful POST request made to the URL derived from 'targetExportUrlTemplate'.
POST Headers: 
Content-Type: text/plain
Body
1625135912000
                                                                                                          

Demo version (NZDUSD only)

Tags: rates, rate, price, price aggregate, stream, streaming, export, exporting, webhook, webhooks, integration, mt5, http, rest, forex, crypto, data, historical, realtime, rest api, provider, broker, data feed, ohlc

Recommended products
The Price Spectrum indicator reveals opportunities for detailed market analysis. Advantages: Market Volume Profile Creation : The indicator assists in analyzing the dynamics of trading volumes in the market. This allows traders to identify crucial support and resistance levels, as well as determine market structure. Filtering Insignificant Volumes : Using the indicator helps filter out insignificant volumes, enabling traders to focus on more significant market movements. Flexible Configuration S
Rise or fall volumes MT5
Alexander Nikolaev
5 (1)
A trader cannot always discover what the last closed bar is by volume. This EA, analyzing all volumes inside this bar, can more accurately predict the behavior of large players in the market. In the settings, you can make different ways to determine the volume for growth, or for falling. This adviser can not only trade, but also visually display what volumes were inside the bar (for buying or selling). In addition, it has enough settings so that you can optimize the parameters for almost any ac
Danko DTC Panel
Ricardo Almeida Branco
Do not buy before seeing the Danko Trend Color product, as this panel is a way to view a summary of this indicator on various timeframes. The Danko DTC Panel utility allows you to look at the trend in up to 5 timeframes. When clicking on the timeframe texts, a new window will open with the indicator plotted on the screen so you can see the complete chart. The width of the panel, with the amount of candles you want to see, is customizable, see the images below. Ao clicar nos textos dos timefra
TerminatorTrades
Uriel Alfredo Evia Canche
"Terminator Trades " EA robot, built on the powerful MQ5 code,  is designed to simplify the process of closing your positions and pending orders. You can adjust if you want close all the trades or by specific symbols. With just a single click on a button, you can efficiently manage your current positions, ensuring that you never miss an opportunity to terminate a trade.  Close Trades , Delete Pending Orders with Terminator Trades. 
FREE
P Booster Pro is the developed version of P Booster.  Pro version allows adjusting 5 parameters: - RiskPerc: p ercent of the biggest lot that is available according to equity. - PriceFellPercent: difference between the choused candle ( WhichCandleM15From ) and the Candle 1 price in percent. - StopLossLevel: Stop loss level in percent point. For example: 30 = 99,7% of the Ask price. - WhichCandleM15From: M15 Candle ID from where the expert will check the PriceFellPercent level and compare it with
Volume Flow Binance
Thalles Nascimento De Carvalho
Volume Flow Binance! Have you ever imagined accessing the times and trades of your favorite cryptocurrency, with detailed insights into volume flow and price movement analysis, even if your broker doesn’t offer complete trading history access? With Volume Flow Binance , that’s now a reality! This MQL5 script is designed for cryptocurrency traders seeking a detailed view of real-time market dynamics. Key Features: Direct access to the times and trades of any cryptocurrency listed i
FREE
Pending Orders Grid Complete System opens any combination of Buy Stop, Sell Stop, Buy Limit and Sell Limit pending orders and closes all existing pending orders. You will be able to Drag-and-Drop the Script on the chart and it will pick up the start price for the first position in the grid from the "Drop" point. Usually it should be in the area of Support/Resistance lines. Input Parameters Before placing all pending orders, the input window is opened allowing you to modify all input parameters
Delving deep into the sphere of finance and trading strategies, I decided to conduct a series of experiments, exploring approaches based on reinforcement learning as well as those operating without it. Applying these methods, I managed to formulate a nuanced conclusion, pivotal for understanding the significance of unique strategies in contemporary trading.  
FREE
Meditation Seed: Meditation is a practice in which an individual uses a technique – such as mindfulness, or focusing the mind on a particular object, thought, or activity – to train attention and awareness, and achieve a mentally clear and emotionally calm and stable state.[1][2][3][4][web 1][web 2] Meditation is practiced in numerous religious traditions. The earliest records of meditation (dhyana) are found in the Upanishads, and meditation plays a salient role in the contemplative repertoire
FREE
RSImaxmin
Carlos Andrés Moya Erazo
4.5 (10)
The indicator shows when there are overprice and divergences on the RSI. In addition, it has configurable alerts, dynamic overprice levels and a special “RSI cleaner” function. The indicator that automatically calculates the premium rates! RSImaxmin is an indicator based on the Relative Strength Index (RSI) oscillator that effectively identifies changes in price trends as it reflects the relative strength of bullish movements compared to bearish movements. It is widely used by traders to measur
FF4 Scalper
Valerii Gabitov
Ea does not use martingale or grid and has a stop loss for every position.  Symbols: EURCHF, EURCAD, USDCHF and other. Time frame: M15 Best results on EURCAD M15. Live signals and other products here -  https://www.mql5.com/ru/users/leron34/seller#products The EA should run on a VPS continuously without interruption.  Multicurrency advisor. You can enter pairs in the EA settings for tests. I recommend the default settings. You can install an adviser on any pair on M15. The EA has a news filter
MT5 To Telegram Copier
Levi Dane Benjamin
5 (1)
Send fully customizable signals from MT5 to Telegram and become a Signal Provider! This product is presented in an easy-to-use and visually attractive graphical interface. Customise your settings and start using the product within minutes! User Guide + Demo  | MT4 Version  | Discord Version If you want to try a demo please go to the User Guide. The MT5 To Telegram Sender does NOT work in the strategy tester. MT5 To Telegram Features Fully Customise signal to your preference with a huge numbe
Trade Utility Pro
Sovannara Voan
5 (12)
Trade Utility Pro is a bot utility designed to help you manage trades more easily, quickly, and accurately. This utility features a control panel interface and supports MetaTrader 5 exclusively. This utility does not link to any account information or external sources, ensuring safety. Main Features: Open Trade Support: Lot size calculation Fixed Lot: Custom input lot required Money Risk Lot: Automatically calculated based on stop loss and money risk Account % Risk Lot: Automatically calculated
FREE
Chart Walker Analysis Engine
Dushshantha Rajkumar Jayaraman
5 (2)
White label available. contact us for more info. dushshantharajkumar@gmail.com 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.
FREE
MA Gold Sniper Entry
Samson Adekunle Okunola
Maximize Your Trading Potential with Our MA Gold Sniper Entry EA Transform your trading experience with our expertly designed EA, engineered to deliver consistent profitability and optimal performance. Safe Trading Approach: No Risky Strategies: Avoids using high-risk trading styles such as grid or martingale systems, ensuring a safer and more stable trading experience. Consistent Methodology: Employs a proven and reliable trading strategy focused on long-term success and sustainability. Key
Overview: The WWImportExportGV  is a versatile and efficient utility designed for MetaTrader 5 (MT5) users to manage global variables effortlessly. With this tool, traders can easily export all global variables from their terminal to a CSV file or import them into another terminal, ensuring seamless synchronization between trading environments. Features: Export Mode: Automatically extracts all global variables from the current MT5 terminal and saves them to a CSV file. This file can be shared
AO Trade
Ka Lok Louis Wong
The AO Trade system is specifically tailored for trend trading, leveraging auction or news times as reference points for comparison with other specific order times to anticipate market trends. **All time parameters utilized in the EA are based on your terminal time. Different brokers may operate on different GMT time zones, which can further vary due to Daylight Saving Time adjustments.** **Kindly ensure thorough verification of time settings aligned with your terminal before implementation.
Trade Dashboard MT5
Fatemeh Ameri
4.96 (52)
Tired of complex order placement and manual calculations? Trade Dashboard is your solution. With its user-friendly interface, placing orders becomes effortless, by a single click, you can open trades, set stop loss and take profit levels, manage trade lot size, and calculate risk to reward ratios, allowing you to only focus on your strategy. Say goodbye to manual calculations and streamline your trading experience with Trade Dashboard. Download  Demo Version  right now. You can find  Details of
Telebotx5 to Telegram
Kwuemeka Kingsle Anyanwu
TeleBot5 - Trade Copier from MT5 to Telegram [MANUAL] Overview: TeleBot5 is an innovative MQL5 program designed to seamlessly bridge your MetaTrader 5 trading experience with Telegram. This powerful tool allows traders to send real-time trade notifications directly to their Telegram channels and group, ensuring they never miss an important market move. **Key Features:** - **Real-Time Trade Alerts:** Instantly receive notifications for every trade executed on your MT5 account, including or
Elliott Wave Helper
Siarhei Vashchylka
4.92 (13)
Elliott Wave Helper - a panel for making elliott wave and technical analysis. Includes all known wave patterns, support and resistance levels, trend lines and cluster zones. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Making wave analysis and technical analysis in a few clicks 2. All Elliott wave patterns available, including triangle and combinations 3. All nine wave display styles, including a special circle font 4. E lements of technical analysis : trend lines
Effortlessly take control of your trading routine with the revolutionary Trades Time Manager. This potent tool automates order execution at designated times, transforming your trading approach. Craft personalized task lists for diverse trading actions, from buying to setting orders, all without manual intervention. Trades Time Manager Installation & Inputs Guide If you want to get notifications about the EA add our URL to MT4/MT5 terminal (see screenshot). MT4 Version   https://www.mql5.com/en/m
AKCAP Hotkey Tool
AK Capital Markets Limited
5 (2)
Special offer for the next 10 copies Are you tired of manually navigating through menus and inputting data every time you want to execute a trade or open an order on Meta Trader? Our hotkey tool is here to make your life easier and boost your trading efficiency. Our tool is natively coded for lightning-fast performance and comes loaded with all the features you could possibly want. From pending orders and OCO orders to trailing and multiple buckets, it has everything a scalper could need. A
ReverseTune
Konstantin Chernov
A script for quick reversing positions and/or orders. If you need to reverse a position with the same volume, open an opposite position of a different volume or change the type of existing orders (for example, Buy Limit -> Sell Limit, Buy Stop -> Sell Limit, etc.) with the same or different take profit/stop loss, this script will make all the routine for you! Allow AutoTrading before running the script. Usage: Run the script on a chart. Input Parameters: Language of messages displayed (EN, RU, D
The Market Destroyer
Victor Cosme Cuenca
Introducing TheMarketDestroyer, the ultimate semi-automatic EA for expert traders on MQL5! Main Features: Semi-Manual Control: TheMarketDestroyer gives you the flexibility to set your entry points, whether in buy or sell positions. Once the market hits the configured Take Profit (TP), the trade closes automatically. Then, you simply need to set your entry again for the next trade. Customizable Lot Multiplier: Adapt your strategy with our lot multiplier system. You can adjust the lot size each ti
OrderManager MT5
Lukas Roth
4.88 (16)
Introducing the Order Manager : A Revolutionary Utility for MT5 Manage your trades like a pro with the all-new Order Manager utility for MetaTrader 5. Designed with simplicity and ease-of-use in mind, the Order Manager allows you to effortlessly define and visualize the risk associated with each trade, enabling you to make informed decisions and optimize your trading strategy. For more information about the OrderManager, please refear to the manual. [ Demo ]  [ Manual ]  [ MT4 Version ]  [ Teleg
Keyboard Trader
MARTIN ANDRES DEL NEGRO
Keyboard Trader   is a tool designed for ultra-fast trading in   MetaTrader 5 (MT5)   using   keyboard shortcuts . Here’s a concise description of its features: Swift Execution : Keyboard Trader allows you to execute orders rapidly without clicking. You can use keyboard shortcuts to efficiently open and close positions. Ideal for News Trading : Given the need for quick action during news events, this tool is particularly useful for trading during high volatility moments. Customizable Hotkeys : T
Track Daily Gains RJS MT5
Robert Jasinski-sherer
This Program will not execute any trades! Works on any chart and any time frame! This is the MT5 version. MT4 version: https://www.mql5.com/en/market/product/125496?source=Site+Market+My+Products+Page#description This Program will produce a comment box at the top left of the chart and show you your equity % difference throughout the day. Updating constantly in real time. The daily resets back to zero on open of a new market open day. Using new current equity at start of day as refe
FREE
Bukele UP
Jhon Michael Antony Florez Roa
---> Schedule of the broker that I use for Back Testing <---- Broker schedule used in Back Testing: UTC/GTM +2 hours. --->   Minimum capital for its correct operation  <---- 1000 USD ----> Strategy <---- It is a range strategy, in which if it breaks the maximum a purchase is made or if it breaks the minimum a sale is made. This range is created every day and open trades and orders are closed before the market closes. The Buy has the Stop Loss at the bottom of the range and the Sell has
Trump Up
Jhon Michael Antony Florez Roa
----> Schedule of the broker that I use for Back Testing <---- Broker schedule used in Back Testing: UTC/GTM +2 hours. ---> Minimum capital for its correct operation <---- 1000 USD ----> Strategy <---- This has two strategies in one Expert Advisor: 1) Trend Scalpin in US-30 and 2) Grid in EURGBP 1) Trend Scalpin in US-30: First analyze the general trend in H1 by crossing Emas and Parabolic Sar, then analyze a Pull Back in M5 with the help of the RSI. This is done on
Buyers of this product also purchase
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 -------------------------------------------------------------------------------
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
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 doe
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 give
Technical confluence zones is a very popular tool for traders. This EA detects such zones by studying chart patterns, naked price levels, fib levels, SMA/EMA over multiple timeframes and more. The source data is loaded from Mytradingpet.com. To find out what are factored in when determining such zones, visit https://mytradingpet.com - a free service for all traders. The zones are color coded. Purple indicates the highest level of confluence.
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
Bekenet Signal Generator
Joseph Adgekawe Bekedemor
Bekenet signal Generator.. this software  is an expert adviser but it do not place trade it only send profitable signal to user mobile mt5 app once the metaqote Id is activated..this software gives a buy and sell signal with a stop loss given.. The software works with MT5 and 15mins time frame. Bekenet signal generator is designed using just price action.. it calculate the key level on daily, weekly and four hours time frame and use 15 minutes to get a perfect entry in the market. This softw
一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.   一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.
Key levels are psychological price levels on the forex chart where many traders base their technical analyses on. These traders are likely to place their bullish or bearish entries, and exit points around these levels. And as a result, key levels tend to be crowded with a high trading volume. Key levels also attract so much trading volume because that is where institutional traders make their trades as well. And thanks to their big-money moves, key levels are often resilient and lasting. How
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 ------------------
Introducing TEAB Builder - The Ultimate MT5 Expert Advisor for Profoundly Profitable and Customizable Trading!     Are you ready to take your trading to the next level? Meet TEAB Builder, an advanced MT5 Expert Advisor designed to provide unparalleled flexibility, high-profit potential, and an array of powerful features to enhance your trading experience. With TEAB Builder, you can effortlessly trade with any indicator signal, allowing you to capitalize on a wide range of trading strategies.  
The Wall Street Player (Master version). This EA tailored as a Discipline, Money and Risk Management tool is a powerful Trade Station utility designed for Forex, Cryptos, Commodities, Shares, Deriv synthetic pairs and any CFDs Market. It is designed to fit your strategy as a winner, and take your Edge of the market to the NEXT-LEVEL. The only thing to do is to get It on your chart and appreciate the possibilities and chart management abilities it has to offer for realizing that discipline and a
The Wall Street Player (Ultimatum version). This EA tailored as a Discipline, Money and Risk Management tool is a powerful Trade Station utility designed for Forex, Cryptos, Commodities, Shares, Deriv synthetic pairs and any CFDs Market. It is designed to fit your strategy as a winner, and take your Edge of the market to the NEXT-LEVEL. The only thing to do is to get It on your chart and appreciate the possibilities and chart management abilities it has to offer for realizing that discipline and
Sabira Reactive
Gounteni Dambe Tchimbiandja
IMPORTANT NOTE THIS EA IS NOT FULLY AUTOMATED, IT ONLY TAKES POSITIONS IN ZONES YOU DEFINE IT ASSISTS YOU. SO YOU NEED TO WATCH THE CHART CLOSELY THE MAIN POINT OF THIS EA IS TO FORCE THE TRADER TO RESPECT ENTRY RULES <<CONFIRMATION IS THE KEY>>. SO THE TRADER WILL ONLY LOOK FOR ZONES THE EA WILL LOOK FOR CONFIRMATION CANDLES AND ENTER IF A CONFIRMATION IS FOUND FOR EXAMPLE: If price is in a Bullish zone. Rule, look for buys. If Bullish Candlestick Pattern  or any other bullish candle pattern s
Introducing the Lets Easy Order Panel: Easy Forex and CFD Trading Experience a game-changing approach to Forex and CFD trading with the Lets Easy Order Panel. This innovative tool streamlines your trading process, allowing you to focus on what truly matters. Key Features: All-in-one order functionality Intuitive and user-friendly interface Swift order execution Enhanced focus on trading strategies With the Lets Easy Order Panel, you can: Execute all necessary trades from a single, convenient pan
GT Trade Manager
Alexander Martin Koenig
This Utility is designed for price action strategies, trading flags and retests, such as Guerrilla Trading and similar strategies It allows to: place pending orders for retests (on the Retest line or x PIPs away from the retest line) place orders for flag formations calculate lotsizes based on account size, currency pair and risk percentage split trades and place multiple trades if lot size exceeds max lot size given by broker manage trades with a trailing SL/TP behind the most recent highs/lows
Unicorn Ultimate EA
Harifidy Razafindranaivo
BRIEF INTRODUCTION : This new product is a complete application developed to automate trader trading tasks with a winning trading strategy modern. This new brand product provides two types of functionality such as a manual and a fully automatic trading. Unicorn is adapted with multicurrency. This application utilizes Moving Average indicator as market price trend directional and Stochastic indicator as price Oscillator. Unicorn possesses an automatical Breakeven BE Checker and an automate CRASH
Crash and Boom Automate EA
Harifidy Razafindranaivo
INTRODUCTION : This new brand product is an independant application. His role is to catch every spikes in millimeter and open a transaction when the panel detects a spike appearance. This application passed a lot of back testing before published in the market. IMPORTANT   :  It is recommended to use Virtual Hosting Server VPS or Cloud network to optimise the trading Panel methods implemented and to ope rate 24h a day. REQUIREMENTS : Relevant Terminal : Metatrader 5 - MT5. Brokers : Deriv Ltd and
Centage
Kwuemeka Kingsle Anyanwu
Centage: Your Smart Trading Bot for Risk Management. Centage is a cutting-edge trading bot designed to automate your trading strategy with precision and efficiency. Unlike typical trading bots, Centage prioritizes risk management by incorporating an essential feature: it closes all open trades when your account balance reaches a predefined threshold. This helps lock in profits and prevents overexposure to the market, giving you greater control over your financial goals.  With Centage, you can tr
Crash and Boom Panel
Harifidy Razafindranaivo
INTRODUCTION : This new brand product is an application capable of catching spikes automatically in real time of trade session. The report of the test shows how this panel brings a great profitable advantage in action. This robot functions autonomousely with a minimum risk. This trading Panel permits users to proceed a Copy trading. IMPORTANT : It is recommended to use Virtual Hosting Server VPS to optimize the trading Panel methods implemented and to operate 24h a day. REQUIREMENTS : R
GreenFx
Van Hung Tran
GreenFx Auto Trading Gold and Forex Default setting for gold trading on a 5-minute time frame. Minimum Balance for EA: 2,000 USD for trading XAUUSD, Recomment 5.000$  Please test with Cent account before using with USD account. EA can close orders before important economic news through API connection.  Message the author directly at MQL5 for support in setting up transactions for Forex currency pairs.
Invi Gold Hunters
Niruban Chakravarthy R
Your Key to Golden Profits Step into the glittering world of gold trading with Gold Hunter, your trusted partner in uncovering hidden treasures in the gold market. This remarkable trading partner is more than just a tool—it’s your relentless "Gold Hunter," hunting profits with precision and passion. With consistent monthly returns of 15% to 40%, Gold Hunter turns the volatility of gold into your advantage, helping you achieve financial success like never before. Important Notice: To unlock
Trade Assistant MT5
Evgeniy Kravchenko
4.38 (165)
It helps to calculate the risk per trade, the easy installation of a new order, order management with partial closing functions, trailing stop of 7 types and other useful functions. Attention, the application does not work in the strategy tester. Manual, Description, Download demo Line function -   shows on the chart the Opening line, Stop Loss, Take Profit. With this function it is easy to set a new order and see its additional characteristics before opening.   Risk management  - The risk
Forex Trade Manager MT5
InvestSoft
4.97 (435)
Welcome to Trade Manager MT5 - the ultimate risk management tool designed to make trading more intuitive, precise, and efficient. This is not just an order placement tool; it's a comprehensive solution for seamless trade planning, position management, and enhanced control over risk. Whether you're a beginner taking your first steps, an advanced trader, or a scalper needing rapid executions, Trade Manager MT5 adapts to your needs, offering flexibility across all markets, from forex and indices t
Local Trade Copier EA MT5
Juvenille Emperor Limited
4.99 (71)
Experience exceptionally fast trade copying with the   Local Trade Copier EA MT5 . With its easy 1-minute setup, this trade copier allows you to copy trades between multiple MetaTrader terminals on the same Windows computer or Windows VPS with lightning-fast copying speeds of under 0.5 seconds. Whether you're a beginner or a professional trader, the   Local Trade Copier EA MT5   offers a wide range of options to customize it to your specific needs. It's the ultimate solution for anyone looking t
TradePanel MT5
Alfiya Fazylova
4.85 (116)
Trade Panel is a multifunctional trading assistant. The application contains more than 50 functions for manual trading, and allows you to automate most trading actions. Before purchasing, you can test the Demo version on a demo account. Demo here . Full instructions here . Trade. Allows you to perform basic trading operations in one click: Opening pending orders and positions. Opening a grid of orders. Closing pending orders and positions. Reversal of positions (close BUY and open SELL or close
HINN Lazy Trader
Georg Vahi
5 (1)
$450 (-20%) instead of $565 until 11/29 B e sure to watch this video before using A community for users, product discussion, update news, and first line of support  Use Webmoney For payments in cryptocurrencies. How I use this algo tool   Lazy Trader is NOT SUITABLE FOR SCALPING EVERY MINUTE MOVEMENT, ESPECIALLY IN CRYPTO. WITHOUT UNDERSTANDING WHAT IS HAPPENING ON THE CHART, THERE IS NO POINT IN BLINDLY HOPING FOR PROFITS! Lazy Trader does NOT USE openAI chat-gpt-4 technologies, which are ad
Custom Alerts MT5
Daniel Stein
5 (2)
Stay Ahead of Market Moves with Custom Alerts: Your Ultimate Multi-Market Scanner Custom Alerts is the powerful, all-in-one market monitoring tool that empowers you to identify high-potential setups across multiple markets with ease.  Covering all eight major currencies (USD, CAD, GBP, EUR, CHF, JPY, AUD, NZD), Gold (XAU), and up to seven key indices (including US30, UK100, WTI, and Bitcoin), Custom Alerts keeps you updated on critical shifts across a wide range of assets. This tool seamlessly
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
More from author
MT5 Broker  Ticks HTTP Provider Description EA turns your MT5 terminal into historical/realtime ticks  data provider for your application.  There are many market data providers on the internet, but in practice, the data provided is not always of good quality. Moreover, these services are often more expensive and typically require monthly subscription fees per each symbol. With this EA, you can feed your application with exactly the same tick data that you see in the MT5 terminal, the same dat
Filter:
ChristianWale
34
ChristianWale 2023.11.12 01:14 
 

User didn't leave any comment to the rating

Reply to review
Version 1.2 2023.11.11
improve logs
Version 1.1 2023.11.11
improve logs