• Aperçu
  • Avis (1)
  • Commentaires
  • Nouveautés

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

Produits recommandé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
Correlation NN
Konstantin Katulkin
It works according to the spread trading strategy. The essence of spread strategies is to profit from the difference between asset prices. When prices diverge, two opposite transactions are opened for different currency pairs. Closing occurs when prices converge backwards or according to signals from the neural network.   Parameters Symbol1                           -   the first currency pair Symbol1                            - the second currency pair DiffPrevCurrOpenB          -  the discr
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
MT5 To Telegram Copier
Levi Dane Benjamin
5 (1)
Envoyez des signaux entièrement personnalisables de MT5 à Telegram et devenez un fournisseur de signaux ! Ce produit est présenté dans une interface graphique conviviale et visuellement attrayante. Personnalisez vos paramètres et commencez à utiliser le produit en quelques minutes seulement ! Guide de l'utilisateur + Démo  | Version MT4  | Version Discord Si vous souhaitez essayer une démo, veuillez consulter le Guide de l'utilisateur. L'émetteur de MT5 vers Telegram NE fonctionne PAS dans le
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
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
The indicator compares quotes of a given symbol and a synthetic quote calculated from two specified referential symbols. The indicator is useful for checking Forex symbol behavior via corresponding stock indices and detecting their convergence/divergence which can forecast future price movements. The main idea is that all stock indices are quoted in particular currencies and therefore demonstrate correlation with Forex pairs where these currencies are used. When market makers decide to "buy" one
Оnly 5 Copies available   at   $90! Next Price -->   $149 The EA  Does NOT use Grid  or  Martingale . Default Settings for EURUSD Only   The EA has 6 Strategies with different parameters. It will automatically enter trades, take profit and stop loss and also may use reverse signal modes. If a trade is in profit it will close on TP/SL or reverse signal. The EA works on  EUR USD on H1 only   do not trade other pairs. Portfolio EURUSD   uses a number of advanced Strategies and different degrees
OrderHelper script is super easy and trader friendly to use. It would boost your trading experience. Because it is designed to open one to multiple orders quickly with just one click. Besides using the OrderHelper script, traders can define various parameters for open orders such as the symbol, order type, lot size, stoploss, takeprofit and more. Basically, with this script traders can manage their open orders more efficiently and save their trading time. OrderHelper manages: Open the number o
Tim Trend
Oleksii Ferbei
Due to the fact that at each separate period of time, trading and exchange platforms from different parts of the planet are connected to the trading process, the Forex market operates around the clock. Depending on which continent trading activity takes place during a certain period, the entire daily routine is divided into several trading sessions. There are 4 main trading sessions: Pacific. European. American Asian This indicator allows you to see the session on the price chart. You can als
Volume Flow Binance
Thalles Nascimento De Carvalho
Volume Flow Binance! Avez-vous déjà imaginé avoir accès aux times and trades de votre cryptomonnaie préférée, avec des détails sur les flux de volumes et l'analyse des mouvements de prix, même si votre courtier ne fournit pas un accès complet à l'historique des transactions ? Avec Volume Flow Binance , c'est désormais possible ! Ce script en MQL5 a été conçu pour les traders de cryptomonnaies qui recherchent une vue détaillée de la dynamique du marché en temps réel. Caractéristiqu
FREE
Introducing the "Auto Timed Close Operations", a useful utility for MetaTrader 5 traders! This utility has been developed to help traders of all levels automatically close their open positions at the exact moment they desire. With the "Auto Timed Close Operations", you gain the required control over your trades and can avoid unwanted surprises at the end of the day or at any other predefined time. We know how important it is to protect your profits and limit your losses, and that's exactly what
Position Limit Monitor: Efficient Control of Your Trading Operations Have you ever worried about having too many open trades simultaneously? Would you like precise control over the maximum number of positions in your account? Position Limit Monitor is the solution you need. Main Features: • Real-time monitoring: Constantly supervises the number of open positions in your account. • Customizable limit: Easily set the maximum number of positions you want to keep open. • Automatic closure: When th
The indicator shows key volumes confirmed by the price movement. The indicator allows you to analyze volumes in the direction, frequency of occurrence, and their value. There are 2 modes of operation: taking into account the trend and not taking into account the trend (if the parameter Period_Trend = 0, then the trend is not taken into account; if the parameter Period_Trend is greater than zero, then the trend is taken into account in volumes). The indicator does not redraw . Settings Histo
This non-trading expert utilizes so called custom symbols feature ( available in MQL API as well) to build custom charts based on history of real ticks of selected standard symbol. New charts imitate one of well-known graphic structures: Point-And-Figure (PnF) or Kagi. The result is not exactly PnF's X/O columns or rectangular waves of Kagi. Instead it consists of bars, calculated from and denoting stable unidirectional price moves (as multiples of the box size), which is equivalent to XO colum
ICT PD Arrays Trader
Aesen Noah Remolacio Perez
Attention All ICT Students! This indispensable tool is a must-have addition to your trading arsenal... Introducing the ICT PD Arrays Trader: Empower your trading with this innovative utility designed to enhance and simplify your ICT trading strategy and maximize your potential profits.  How does it work? It's simple yet highly effective. Begin by placing a rectangle on your trading chart and assigning it a name like 'ict' or any preferred identifier. This allows the system to accurately ide
Order Trailing
Makarii Gubaydullin
Order trailing: g et the best execution price as the market moves Trailing pending orders will allow you to maintain the distance to the entry price at the specified distance. T he order will move if the market price moves away from it My  #1 Utility : 65+ features, including this tool  |   Contact me  if you have any questions  |   MT4 version To activate the Order Trailing, you need to set the main 4 parameters (on the panel): 1. Symbol or Trade for which the trailing will be applied: for the
Binance Quotes Updater
Andrey Khatimlianskii
5 (1)
This service is designed to stream online cryptocurrency quotes   from the Binance exchange to your MetaTrader 5 terminal. You will find it perfectly suitable if you want to see the quotes of cryptocurrencies in real time — in the Market watch window and on the MetaTrader 5 charts. After running the service, you will have fully featured and automatically updated  cryptocurrency charts in your MetaTrader 5. You can apply templates, color schemes, technical indicators and any non-trading tools to
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
Binance is a world-renowned cryptocurrency exchange! In order to facilitate the real-time data analysis of the encrypted digital currency market, the program can automatically import the real-time transaction data of Binance Futures to MT5 for analysis. The main functions are: 1. Support the automatic creation of USD-M futures trading pairs of the Ministry of Currency Security, and the base currency can also be set separately. The base currency BaseCurrency is empty to indicate all currencies
Prenez le contrôle de votre routine de trading sans effort avec le Trades Time Manager révolutionnaire. Cet outil puissant automatise l'exécution des ordres à des moments précis, transformant votre approche de trading. Créez des listes de tâches personnalisées pour diverses actions commerciales, de l'achat à la définition des commandes, le tout sans intervention manuelle. Guide d'installation et d'entrées de Trades Time Manager Si vous souhaitez recevoir des notifications sur l'EA, ajoutez notre
MA Gold Sniper Entry
Samson Adekunle Okunola
Maximisez votre potentiel de trading avec notre EA MA Gold Sniper Entry Transformez votre expérience de trading avec notre EA conçu par des experts, pour offrir une rentabilité constante et des performances optimales. Approche de trading sécurisée: Aucune stratégie risquée: Évitez les styles de trading à haut risque comme les systèmes de grille ou de martingale, garantissant une expérience de trading plus sûre et stable. Méthodologie cohérente: Utilise une stratégie de trading éprouvée, axée su
RenkoChart EA
Paulo Henrique Da Silva
4.33 (3)
The RenkoChart tool presents an innovative and highly flexible approach to visualizing market data in MetaTrader 5. This expert creates a custom symbol with Renko bricks directly on the chart, displaying accurate prices at the respective opening date/time for each brick. This feature makes it possible to apply any indicator to the Renko chart. Furthermore, this tool also allows access to historical brick data through native methods in the MQL5 programming language, such as iOpen, iHigh, iLow and
FREE
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
The account manager has a set of functions necessary for trading, which take into account the results of the entire account in total, and not for each individual open position: Trailing stop loss. Take profit. Break-even on the amount of profit. Breakeven by time. Stop Loss Typically, each of these options can be applied to each individual trade. As a result, the total profit on the account may continue to increase, and individual positions will be closed. This does not allow you to get the maxi
Gerenciador de ordens manuais
Rodrigo Oliveira Malaquias
Robot Manual Order Manager is a tool that allows you to automatically include Stop Loss, Breakeven, Take Profit and partials in open trades. Be it a market order or a limit order. Besides, it automatically conducts your trade, moving your stop or ending trades, according to the parameters you choose. To make your operations more effective, the Manual Orders Manager Robot has several indicators that can be configured to work on your trade. Among the options you can count on the features: Conducti
Track All 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/125500?source=Site+Market+My+Products+Page#description This EA will produce a comment box at the top left of the chart and show you your equity % difference throughout the day, week, month and year. Updating constantly in real time. The daily resets back to zero on open of a new market open day. The weekly resests back to ze
Cet utilitaire vous enverra une notification détaillée sur votre mobile et une alerte sur le terminal MT5 dès qu'une figure en chandelier que vous souhaitez voir apparaître sur le graphique. La notification contient le symbole, la figure en chandelier et la période sur laquelle la figure s'est formée. Vous devez relier Metatrader 5 Mobile à votre terminal Windows. Voici comment. https://www.metatrader5.com/fr/mobile-trading/iphone/help/settings/settings_messages#notification_setup Liste des m
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. Only one time of the pending order at the same time!!! You will have a possibility to put a legitimate   Open Price   for the first position in the grid. Usually it should in the area of Support/Resistance lines. You just need to drop this script on the chart of a desired currency pair. Input Parameters Before placing all pending or
Les acheteurs de ce produit ont également acheté
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 .. ce logiciel est un conseiller expert mais il ne place pas de commerce, il envoie uniquement un signal rentable à l'application mobile mt5 de l'utilisateur une fois que l'identifiant metaqote est activé .. ce logiciel donne un signal d'achat et de vente avec un stop loss donné. Le logiciel fonctionne avec MT5 et un délai de 15 minutes. Le générateur de signaux Bekenet est conçu en utilisant uniquement l'action des prix. Il calcule le niveau clé sur une période quotidie
一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.   一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.
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.
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
Bienvenue sur Trade Manager EA, l’outil ultime de gestion des risques conçu pour rendre le trading plus intuitif, précis et efficace. Ce n’est pas seulement un outil d’exécution d’ordres ; c’est une solution complète pour la planification des trades, la gestion des positions et le contrôle des risques. Que vous soyez débutant, trader expérimenté ou scalpeur ayant besoin d’une exécution rapide, Trade Manager EA s’adapte à vos besoins, offrant une flexibilité sur tous les marchés, des devises et i
Local Trade Copier EA MT5
Juvenille Emperor Limited
4.99 (71)
Découvrez une expérience exceptionnellement rapide de copie de trades avec le   Local Trade Copier EA MT5 . Avec sa configuration facile en 1 minute, ce copieur de trades vous permet de copier des trades entre plusieurs terminaux MetaTrader sur le même ordinateur Windows ou Windows VPS avec des vitesses de copie ultra-rapides de moins de 0.5 seconde. Que vous soyez un trader débutant ou professionnel, le   Local Trade Copier EA MT5   offre une large gamme d'options pour le personnaliser en fonc
TradePanel MT5
Alfiya Fazylova
4.85 (116)
Trade Panel est un assistant commercial multifonctionnel. L'application contient plus de 50 fonctions de trading manuel et vous permet d'automatiser la plupart des actions de trading. Avant d'acheter, vous pouvez tester la version Démo sur un compte démo. Démo ici . Instructions complètes ici . Commerce . Vous permet d'effectuer des opérations de trading de base en un clic : Ouvrir les ordres et positions en attente. Ouverture d'une grille d'ordres. Clôturez les ordres et les positions en attent
Custom Alerts MT5
Daniel Stein
5 (2)
Gardez une longueur d'avance sur les mouvements du marché grâce aux alertes personnalisées : Votre ultime scanner multi-marchés Custom Alerts est un puissant outil de surveillance des marchés tout-en-un qui vous permet d'identifier facilement les configurations à fort potentiel sur plusieurs marchés. Couvrant les huit principales devises (USD, CAD, GBP, EUR, CHF, JPY, AUD, NZD), l'or (XAU) et jusqu'à sept indices clés (dont US30, UK100, WTI et Bitcoin), Custom Alerts vous tient au courant des c
The product will copy all telegram signal to MT5 ( which you are member) , also it can work as remote copier.  Easy to set up, copy order instant, can work with almost signal formats, image signal,  s upport to translate other language to English Work with all type of channel or group, even channel have "Restrict Saving Content", work with  multi channel, multi MT5 Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. Support to backtest signal. How to s
Telegram To MT5 Receiver
Levi Dane Benjamin
4.88 (8)
Copiez les signaux de n'importe quel canal dont vous êtes membre (y compris les canaux privés et restreints) directement sur votre MT5.  Cet outil a été conçu en pensant à l'utilisateur et offre de nombreuses fonctionnalités nécessaires pour gérer et surveiller les trades. Ce produit est présenté dans une interface graphique conviviale et attrayante. Personnalisez vos paramètres et commencez à utiliser le produit en quelques minutes ! Guide de l'utilisateur + Démo  | Version MT4 | Version Dis
$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
Plus de l'auteur
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
Filtrer:
ChristianWale
34
ChristianWale 2023.11.12 01:14 
 

L'utilisateur n'a laissé aucun commentaire sur la note

Répondre à l'avis
Version 1.2 2023.11.11
improve logs
Version 1.1 2023.11.11
improve logs