• Panoramica
  • Recensioni (1)
  • Commenti
  • Novità

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

Prodotti consigliati
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)
Invia segnali completamente personalizzabili da MT5 a Telegram e diventa un fornitore di segnali! Questo prodotto è presentato in un'interfaccia grafica facile da usare e visivamente attraente. Personalizza le tue impostazioni e inizia a utilizzare il prodotto in pochi minuti! Guida dell'utente + Demo  | Versione MT4  | Versione Discord Se desideri provare una demo, consulta la Guida dell'utente. Il mittente di MT5 a Telegram NON funziona nel tester di strategia. Funzionalità di MT5 a Telegr
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 (51)
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
SyntheticIndices
Stanislav Korotky
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 MT5
Md Atikur Rahman
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
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
Order Block Detector
Cao Minh Quang
5 (2)
Automatically detect bullish or bearish order blocks to optimize your trade entries with our powerful indicator. Ideal for traders following ICT (The Inner Circle Trader). Works with any asset type, including cryptocurrencies, stocks, and forex. Displays order blocks on multiple timeframes, from M2 to W1. Alerts you when an order block is detected, migrated, or a higher timeframe order block is created/migrated. Perfect for both scalping and swing trading. Enhanced by strong VSA (Volume Spread A
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
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
Prendi facilmente il controllo della tua routine di trading con il rivoluzionario Trades Time Manager. Questo potente strumento automatizza l'esecuzione degli ordini in orari prestabiliti, trasformando il tuo approccio al trading. Crea elenchi di attività personalizzati per diverse azioni di trading, dall'acquisto all'impostazione degli ordini, il tutto senza intervento manuale. Trades Time Manager Guida all'installazione e agli input Se desideri ricevere notifiche sull'EA, aggiungi il nostro UR
Multiple Position Opening MT5
Francisco Manuel Vicente Berardo
The Multiple Position Opening is a multi-symbol multi-timeframe script used to open simultaneously various positions.  Risk Management   The volume used to open a position is chosen between a fixed and a variable lot size, available through the Volume and Free Margin % input parameters, respectively. If there isn't enough money in the account for the chosen volume, this is reduced to the highest possible value (corresponding to free margin). If this reduction leads to a correct volume (if the
FREE
MA Gold Sniper Entry
Samson Adekunle Okunola
Massimizza il tuo potenziale di trading con il nostro MA Gold Sniper Entry EA Trasforma la tua esperienza di trading con il nostro EA sapientemente progettato, creato per offrire redditività costante e prestazioni ottimali. Approccio al trading sicuro: Nessuna strategia rischiosa: Evita l'utilizzo di stili di trading ad alto rischio come i sistemi a griglia o martingala, garantendo un'esperienza di trading più sicura e stabile. Metodologia coerente: Utilizza una strategia di trading comprovata
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
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
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
Questa utility ti invierà una notifica dettagliata sul tuo cellulare e un avviso sul terminale MT5 non appena un pattern Candlestick che vuoi vedere appare sul grafico. La notifica contiene il simbolo, il Candlestick Pattern e il timeframe su cui il pattern si è formato. Dovrai collegare Metatrader 5 Mobile con il tuo terminale Windows. Ecco come fare qui. https://www.metatrader5.com/en/mobile-trading/iphone/help/settings/settings_messages#notification_setup Elenco dei pattern Candlestick c
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
Gli utenti di questo prodotto hanno anche acquistato
Trade Assistant MT5
Evgeniy Kravchenko
4.37 (166)
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 (446)
Benvenuto a Trade Manager EA, lo strumento definitivo per la gestione del rischio , progettato per rendere il trading più intuitivo, preciso ed efficiente. Non è solo uno strumento per l'esecuzione degli ordini, ma una soluzione completa per la pianificazione delle operazioni, la gestione delle posizioni e il controllo del rischio. Che tu sia un principiante, un trader avanzato o uno scalper che necessita di esecuzioni rapide, Trade Manager EA si adatta alle tue esigenze, offrendo flessibilità s
TradePanel MT5
Alfiya Fazylova
4.85 (115)
Trade Panel è un assistente commerciale multifunzionale. L'applicazione contiene più di 50 funzioni per il trading manuale e ti consente di automatizzare la maggior parte delle azioni di trading. Prima dell'acquisto, puoi testare la versione Demo su un account demo. Demo qui . Istruzioni complete qui . Commercio. Ti consente di eseguire operazioni di trading di base in un clic: Apertura di ordini e posizioni pendenti. Apertura di una griglia di ordini. Chiusura di ordini e posizioni pendenti. In
Custom Alerts MT5
Daniel Stein
5 (2)
Custom Alerts è un versatile strumento di monitoraggio multi-mercato che identifica setup promettenti su tutte le otto principali valute (USD, CAD, GBP, EUR, CHF, JPY, AUD e NZD), nonché sull'ORO (XAU), su tutte le 28 coppie Forex e ORO basate su queste valute e su un massimo di sette indici come US30, UK100, WTI, Bitcoin, ecc. È completamente personalizzabile. Lo strumento raccoglie i dati dai nostri indicatori FX Power, FX Volume e IX Power e notifica gli eventi significativi.   Prima di in
Trade Manager DaneTrades
Levi Dane Benjamin
4.73 (22)
Trade Manager per aiutarti a entrare e uscire rapidamente dalle operazioni calcolando automaticamente il tuo rischio. Incluse funzionalità che ti aiutano a prevenire l'eccessivo trading, il vendetta trading e il trading emotivo. Le operazioni possono essere gestite automaticamente e i parametri di performance del conto possono essere visualizzati in un grafico. Queste caratteristiche rendono questo pannello ideale per tutti i trader manuali e aiuta a migliorare la piattaforma MetaTrader 5. Suppo
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
4.08 (24)
Trade copyr per MT5 è un trade copyr per la piattaforma МetaТrader 5   . Copia le negoziazioni forex   tra       eventuali conti   MT5   -   MT5, MT4   -   MT5 per la versione COPYLOT MT5 (o MT4   -   MT4 MT5   -   MT4 per la versione COPYLOT MT4) Fotocopiatrice affidabile! Versione MT4 Descrizione completa   +DEMO +PDF Come comprare Come installare     Come ottenere i file di registro     Come testare e ottimizzare     Tutti i prodotti di Expforex Puoi anche copiare le operazioni nel ter
Telegram To MT5 Receiver
Levi Dane Benjamin
4.86 (7)
Copia i segnali da qualsiasi canale di cui sei membro (compresi quelli privati e ristretti) direttamente sul tuo MT5.  Questo strumento è stato progettato con l'utente in mente offrendo molte funzionalità necessarie per gestire e monitorare gli scambi. Questo prodotto è presentato in un'interfaccia grafica facile da usare e visivamente accattivante. Personalizza le tue impostazioni e inizia ad utilizzare il prodotto in pochi minuti! Guida per l'utente + Demo  | Versione MT4 | Versione Discord
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
MT5 to Telegram Signal Provider è un'utilità facile da usare e completamente personalizzabile che consente l'invio di segnali specificati a una chat, canale o gruppo Telegram, rendendo il tuo account un fornitore di segnali. A differenza della maggior parte dei prodotti concorrenti, non utilizza importazioni DLL. [ Dimostrativo ] [ Manuale ] [ Versione MT4 ] [ Versione Discord ] [ Canale Telegram ] Configurazione Una guida utente passo-passo è disponibile. Nessuna conoscenza dell'API di Telegr
VirtualTradePad One Click Trading Panel
Vladislav Andruschenko
4.56 (64)
Pannello di trading per il trading in 1 clic.   Lavorare con posizioni e ordini!   Trading dal grafico o dalla tastiera. Con il nostro pannello di trading, puoi eseguire operazioni con un solo clic direttamente dal grafico ed eseguire operazioni di trading 30 volte più velocemente rispetto al controllo MetaTrader standard. I calcoli automatici di parametri e funzioni rendono il trading più veloce e conveniente per i trader. Suggerimenti grafici, etichette informative e informazioni complete sugl
-25% discount ($199 -> $149) Advanced trading tool: One click smart orders that execute under your conditions Developed by trader for trading community:  position size calculator (lot size), open position after price action, strategy builder, set and forget trading, mobile notifications... Risk Management -  Risk percentage position size calculator, gain percentage, target risk reward ratio, spread and commissions are included in calculations 7 Advanced order types  - Set and forget trading w
Trading Chaos Expert
Gennadiy Stanilevych
5 (10)
This software has no equals in the world and represents a universal trade "console" covering trading signals, automated market entry, setting of Stop Loss and Take Profit, as well as Trailing Profit for multiple trades at the same time in a single open window. Intuitive control of the Expert Advisor in "three clicks" ensures a comprehensive use of all its functions on different computers, including tablets PCs. Interacting with additional signal indicators that mark the chart to give a real mark
Trade Assistant 38 in 1
Makarii Gubaydullin
4.89 (18)
Questo è uno strumento multifunzionale: ha più da 65 funzioni, tra cui possiamo citare alcuni come: calcolatrice della dimensione del Lot, azione sui prezzi, rapporto R/R, gestore commerciale, zone di domanda e offerta Versione demo   |   Manuale d'uso   |   MT4 L'utilità non funziona nel tester di strategia: puoi scaricare   la versione demo QUI   per testare il prodotto. Se hai qualsiasi domanda / idea di miglioramento o anche nel caso di trovare un bug, ti prego di   contattarmi   appena p
Risk Manager for MT5
Sergey Batudayev
4.5 (14)
Expert Advisor Risk Manager per MT5 è un programma molto importante e secondo me necessario per ogni trader. Con questo Expert Advisor sarai in grado di controllare il rischio nel tuo conto di trading. Il controllo del rischio e del profitto può essere effettuato sia in termini monetari che in termini percentuali. Affinché l'Expert Advisor funzioni, è sufficiente allegarlo al grafico della coppia di valute e impostare i valori di rischio accettabili nella valuta del deposito o in % del sald
Take a Break MT5
Eric Emmrich
4.75 (16)
The most advanced news filter and drawdown limiter on MQL market NEW: Take a Break can be backtested against your account history! Check the " What's new " tab for details. Take a Break has evolved from a once simple news filter to a full-fledged account protection tool. It pauses any other EA during potentially unfavorable market conditions and will continue trading when the noise is over. Typical use cases: Stop trading during news/high volatility (+ close my trades before). Stop trading when
DrawDown Limiter
Haidar, Lionel Haj Ali
5 (18)
Drawdown Limiter EA You are in the right place if you were searching for Drawdown control, Drawdown limiter, Balance protection, Equity Protection or Daily Drawdown Limit related to Prop Firm, FTMO, or Funded account trading, or if you want to protect your trading account. Have you suffered from controlling your drawdown when trading funded accounts? This EA is meant for you. Prop firms usually set a rule called “Trader Daily Drawdown”, and if it is not respected, you are disqualified.  I am an
HINN Lazy Trader
Georg Vahi
5 (1)
Set price targets, and leave everything else to HINN Lazy Trader! This tool is designed for automatic position sizing from specified levels to designated targets. Using a VPS is recommended (*). The demo version   limited in functionality, be sure to watch this video before using -->  https://youtu.be/geLQ6dUzAr8 A community for users, product discussion, update news, and first line of support are organized in a free Discord: https://discord.gg/zFhEZc7QDQ Use Webmoney For payments in cryptocu
Hedge Ninja
Robert Mathias Bernt Larsson
3 (2)
Make sure to join our Discord community over at www.Robertsfx.com , you can also buy the EA at robertsfx.com WIN NO MATTER IN WHICH DIRECTION THE PRICE MOVES This robot wins no matter in which direction the price moves by following changing direction depending on in which direction price moves. This is the most free way of trading to this date. So you win no matter which direction it moves (when price moves to either of the red lines as seen on the screenshot, it wins with the profit target yo
RiskGuard Management
MONTORIO MICHELE
5 (14)
ATTENZIONE l'expert non funziona in strategy tester, per una versione di prova visita il mio profilo. Manuale per il Download del journal automatico visita il mio profilo RiskGuard Management   RiskGuard management nasce con l’idea di aiutare i trader dal proprio percorso iniziale fino ad essere dei trader esperti e consapevoli. Compatibile con qualsiasi sistema operativo che sia Mac o Windows. Il pannello per le operazioni è integrato nel grafico dando la possibilità di scegliere dimensioni e
Grid Manual MT5
Alfiya Fazylova
4.88 (16)
Grid Manual è un pannello di trading per lavorare con una griglia di ordini. L'utilità è universale, ha impostazioni flessibili e un'interfaccia intuitiva. Funziona con una griglia di ordini non solo nella direzione delle perdite, ma anche nella direzione dell'aumento dei profitti. Il trader non ha bisogno di creare e mantenere una griglia di ordini, lo farà l'utilità. È sufficiente aprire un ordine e il manuale di Grid creerà automaticamente una griglia di ordini per esso e lo accompagnerà fino
Il MT5 to Discord Signal Provider è uno strumento facile da usare e completamente personalizzabile, progettato per inviare segnali di trading direttamente a Discord. Questo strumento trasforma il tuo account di trading in un efficiente fornitore di segnali. Personalizza i formati dei messaggi secondo il tuo stile! Per facilitarne l'uso, seleziona tra i modelli pre-progettati e scegli quali elementi del messaggio includere o escludere. [ Demo ] [ Manuale ] [ Versione MT4 ] [ Versione Telegram ]
Price Action Trade Panel EA MT5
Juvenille Emperor Limited
5 (4)
Price Action Trade Panel MT5   calcola il saldo del livello della forza di acquisto/vendita di qualsiasi simbolo/strumento, sulla base dei dati puri sull'azione del prezzo delle candele passate specificate (8 per impostazione predefinita). Questo ti darà il sentimento di mercato più vicino possibile monitorando l'azione del prezzo di 32 simboli/strumenti disponibili sul pannello dell'indicatore. Un livello di forza di acquisto/vendita superiore al 60% fornisce un livello abbastanza solido per l
Easy Strategy Builder 5
Gheis Mohammadi
5 (4)
The  Easy Strategy Builder (ESB)  is a " Do It Yourself " solution that allows you to create a wide range of the automated trading strategies without any line of codes. This is the world’s easiest method to automate your strategies that can be used in STP, ECN and FIFO brokers. No drag and drop is needed. Just by set conditions of your trading strategy and change settings on desired values and let it work in your account. ESB has hundreds of modules to define unlimited possibilities of strategi
Comprehensive on chart trade panel with the unique ability to be controllable from mobile as well. Plus has a library of downloadable configuration, e.g. exit rules, extra panel buttons, pending order setup and more. Please see our product video. Works with all symbols not just currency pairs. Features On chart panel plus controllable from free app for Windows, iPhone and Android Built-in script engine with library of downloadable configuration, e.g. add 'Close All Trades in Profit' button, exit
RSI Divergence Scanner is a multi-timeframe and multi-symbol dashboard and alert that checks all timeframes and symbols to find regular and hidden divergences between price chart and RSI indicator. This divergence scanner is integrated with support and resistance zones so you can check the RSI divergences in the most important areas of the chart to find trend reversals in price chart. Download demo version   (works on M4,M5,M6,M12,H3,H8 timeframes) Full description of scanner parameters ->   cli
-25% discount ($149 -> $111) Everything for chart Technical Analysis indicator mt5 in one tool Draw your supply demand zone with rectangle and support resistance with trendline and get alerts to mobile phone or email alert -  Risk reward indicator mt5 Video tutorials, manuals, DEMO download   here .   Find contacts on my   profile . 1.   Extended rectangles and trendlines Object will be extended to the right edge of the chart when price will draw new candles on chart. This is rectangle extend
YuClusters
Yury Kulikov
4.93 (42)
Attention: You can view the program operation in the free version  YuClusters DEMO .  YuClusters is a professional market analysis system. The trader has unique opportunities to analyze the flow of orders, trade volumes, price movements using various charts, profiles, indicators, and graphical objects. YuClusters operates on data based on Time&Sales or ticks information, depending on what is available in the quotes of a financial instrument. YuClusters allows you to build graphs by combining da
News Trade EA MT5
Konstantin Kulikov
4.5 (10)
Presento un utile robot che io stesso utilizzo da diversi anni. Questo robot può essere utilizzato sia in modalità semiautomatica che completamente automatica. Il programma contiene le impostazioni flessibili per fare trading sulle notizie del calendario economico. Non può essere verificato nel tester delle strategie. Soltanto il vero lavoro. Nelle impostazioni del terminale è necessario aggiungere il sito delle notizie all’elenco degli URL consentiti. Fare clic su Strumenti > Opzioni > Consu
Mentfx Mmanage mt5
Anton Jere Calmes
4.25 (8)
The added video will showcase all functionality, effectiveness, and uses of the trade manager. Drag and Drop Trade Manager. Draw your entry and have the tool calculate the rest. Advanced targeting and close portions of a trade directly available in tool (manage trades while you sleep). Market order or limit order on either side with factored spread. Just draw the entry, the tool does the rest. Hotkey setup to make it simple. Draw where you want to enter, and the stop loss, the tool calculates al
Effortlessly calculate lot sizes and manage trades to save time and avoid costly errors The Trade Pad Pro EA is a tool for the Metatrader Platform that aims to help traders manage their trades more efficiently and effectively. It has a user-friendly visual interface that allows users to easily place and manage an unlimited number of trades, helping to avoid human errors and enhance their trading activity. One of the key features of the Trade Pad Pro EA is its focus on risk and position managem
Altri dall’autore
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
Filtro:
ChristianWale
34
ChristianWale 2023.11.12 01:14 
 

L'utente non ha lasciato alcun commento sulla valutazione.

Rispondi alla recensione
Versione 1.2 2023.11.11
improve logs
Versione 1.1 2023.11.11
improve logs