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

MT5 Ticks HTTP Provider

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 data on which you base your trades and market analysis.
Together with the EA that provides rates data (OHLC, candles), a complete data set necessary for market analysis is offered.

Capabilities

  • Enables the transmission of tick data to a pre-configured external HTTP URL.
  • Guarantees the delivery of every tick, with the capability to resume from the last sent tick in case of disruptions.
  • Offers two storage options for tick timestamp offsets:
    • Local Files (default, managed automatically)
    • HTTP endpoint (for integration with applications)
  • Ensures reliable ticks 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}.
-
tickQueryingIntervalDurationSeconds Interval for querying ticks from a broker, in seconds.
10000 seconds
maxTicksPerBatch
Maximum number of ticks that can be sent in a single batch.
10000 ticks
debugLogsEnabled Whether to enable debug logs. true
dataSendingIntervalMilliseconds Period for querying ticks and sending them to an external URL. 10000 milliseconds
targetExportUrlTemplate URL template for endpoint where the tick data will be sent.
Supported placeholders: dataProvider.
-
shouldReExportHistoricalTicks
Option to re-export ticks starting from a specific value, as specified in the startExportFromTimestampMillis input. false
startExportFromTimestampMillis
If shouldReExportHistoricalTicks is set to true, ticks will be sent starting from the timestamp specified in milliseconds.
1672531200000 (2023-01-01 0:00:00)
exportedSymbolsSource
Source for the symbols for which ticks 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 ticks will be exported. EURUSD
exportedSymbolsFetchUrlTemplate
URL template to fetch the ticks symbols. Used in case exportedSymbolsSource='HTTP_ENDPOINT'.
Supported variables: dataProvider.
-
lastSentTickTimestampSource
Source for the timestamp of the last sent tick. Options are: 'HTTP_ENDPOINT' or 'FILES'.
FILES
lastSentTickTimestampUrlTemplate URL template to fetch the timestamp of the last sent tick. Used in case exportedSymbolsSource='HTTP_ENDPOINT'.
Supported placeholders: dataProvider, symbol
 -

EA Workflow Description:

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

  1. Reset Offset Check: The EA checks the shouldReExportHistoricalTicks variable to determine if there's a need to export historical ticks 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 lastSentTickTimestampSource.
  2. Periodic Ticks 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 ticks data from the broker, starting from the last stored offset (the most recent tick timestamp) to the present moment.
    • Converts the acquired ticks 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 tick 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 ticks to your configured URL

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

    • Accept tick 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 ticks.
    • symbols: Configure the symbols that you need ticks for.
    • shouldReExportHistoricalTicks: This must be set to true on the first run so that the EA creates all necessary files for tracking the last sent tick timestamp.

Offset Management

The EA maintains the timestamp (offset) of the last successfully sent tick 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.

Additionally, there is an option to use separate HTTP endpoints for reading/storing the offset instead of files.
To use this feature, set lastSentTickTimestampSource to 'HTTP_ENDPOINT' and implement HTTP endpoints based on the URL defined in lastSentTickTimestampUrlTemplate.
As a backend solution, you can choose to store offsets in a database (such as PostgreSQL). If you need to re-export ticks 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 ticks 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 lastSentTickTimestampSource 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.

REST API Specification for Application Integration

HTTP Endpoint Description  Method Request   Response 
targetExportUrlTemplate
URL for sending ticks data. POST Headers: 
Content-Type: application/json
Body                                                                       
[
    {
        "symbol": "EURUSD",
        "bid": 1.1800,
        "ask": 1.1802,
        "last": 1.1801,
        "volume": 1234.56,
        "timestampMillis": 1625135912000
    },
    ...
]

Response Code 200 in case ticks are obtained successfully 
exportedSymbolsFetchUrlTemplate
URL is used to retrieve the list of ticks 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
                                                                                    

lastSentTickTimestampUrlTemplate URL is utilized to fetch the specific timestamp from which the export process should begin. GET                                                                                                             Headers
Content-Type: text/plain
Body
1625135912000
lastSentTickTimestampUrlTemplate 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
                                                                                                          

IMPORTANT: Before purchasing this EA, please verify that your MT5 broker supports exporting historical tick data. Availability and depth of tick data vary across brokers. In our tests, using Roboforex provided access to all necessary tick data going several years back.

Demo Version (NZDUSD only)

Tags: ticks, tick, quotes, quote, stream, streaming, export, exporting, webhook, webhooks, integration, mt5, http, rest, forex, crypto, data, historical, realtime, rest api, provider, broker,  data feed

Prodotti consigliati
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
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
Trading Lab Trade Copier Master
Nasimul Haque Choudhury
3.67 (3)
Copy trades with ease using the MetaTrader5 trade copier - the quickest and easiest way to copy transactions between different MetaTrader 5 accounts! This innovative tool allows you to locally copy trades in any direction and quantity, giving you full control over your investments. Attention!   You need to download the Trade Copier Slave mq5 file as well to run this EA. Download it from here  https://www.mql5.com/en/market/product/96541 Designed to work on both Windows PC and Windows VPS, t
FREE
Data Downloader For MT5
Mounir Cheikh
4.75 (4)
This tool will allow you to export the Historical data (Open, High, Low, Close, Volume) for any financial instrument present in your MetaTrader 5. You can download multiple Symbols and TimeFrames in the same csv file. Also, you can schedule the frequency of download (every 5 minutes, 60 minutes, etc.). No need to open a lot of charts in order to get the last data, the tool will download the data directly. The CSV File will be stored in the folder: \MQL5\Files . How it works Select the Symbols
FREE
Forex 4up MT5
Volodymyr Hrybachov
Do you want to trade and publish your signals in the telegram channel? Then this utility is for you. - Trades in your terminal - Publishes deals to your telegram channel Your customers will be glad to: - from 5 signals daily - beautiful design of signals Customization Service -> Settings -> Expert Advisors -> Allow WebRequest for the following URLs: https://api.telegram.org IN       Telegram       go to @BotFather and create a bot Copy the bot's Token and enter it in the parameters of the a
The  CAP Equity Guard MT5  is an expert advisor that constantly monitors the equity of your trading account and prevents costly drawdowns. The  CAP Equity Guard EA MT5  is a useful tool for money managers! When an emergency procedure takes place, you are notified by visual, email and push alerts. The EA performs the following tasks: It monitors your entire trading account. Easy to use! Just drag it to a random empty chart. It will work perfectly, if MetaTrader restarts. It can be workable with y
Martingale panel MT5
Mohammadbagher Ramezan Akbari
In this article, we would like to introduce the trade panel product with the Martingale panel. This panel is made in such a way that it can meet the needs of traders to a great extent. This trade panel actually consists of two trade panels at the same time, with the first one you can take positions with certain profit and loss limits, and with the second one, you can have positions with profit limits but without loss limits. When positions lose, a new position will be added based on the setti
Boleta de negociação, adiciona automáticamente as ordens Take Profit e Stop Loss quando excutada uma ordem de compra ou venda. Ao apertar as teclas de atalho (A, D, ou TAB), serão inseridas duas linhas de pre-visualização, representando as futuras ordens de take profit (azul) e stop loss (vermelho), as quais irão manter o distanciamento especificado pelo usuário. Ditas ordens só serão adicionadas ao ser executada a ordem inicial. Ao operar a mercado, as ordens pendentes de take profit, e stop lo
MWRecovery is a system designed to recover unprofitable positions.When the market moves by a certain amount against the direction of a trade and brings it to a loss, the system opens other trades in the same direction at specified intervals. Once these trades reach a certain profit, a magic trailing   stop is activated to maximize your profit. How it works : The utility resets StopLoss levels for all processed orders.  New trades will be placed if the conditions are met according to what you hav
LT Ajuste Diario
Thiago Duarte
3.67 (3)
This is a tool in script type. It shows in chart the actual and/or past day ajust price in a horizontal line. The symbol name and it expiration must be set up according to the actual parameters. The lines appearance are fully customizable. You need to authorize the B3 url on MT5 configurations:  www2.bmf.com.br. You need this to the tool can work. This is a tool for brazilian B3 market only!
FREE
Smart Panel Trade
Nereu Ferreira Junior
Make Trades in MetaTrader 5 with Profit Panel! If you are a MetaTrader 5 trader, you know how important it is to act quickly and accurately. With this in mind, we created the Profit Panel – an essential tool for negotiations What is the Profit Panel? Designed to make your daily trading easier. It offers a simplified and intuitive interface where you can open, manage and close transactions with just a few clicks. How does it work? The MT5 Trading Dashboard puts all the most important trading func
Trade Assistant Panel
Md Sakhawat Hossain
5 (1)
Trade Assistant Panel: Your Optimal Trading Ally "The Trade Assistant Panel" is a graphical tool for traders aiming to simplify and enhance their trading experience. It streamlines order execution and management, allowing you to focus on market analysis and decision-making. With just a few clicks, you can initiate various order types, ensuring that you always have full control over your trading strategy: Buy Orders Sell Orders Buy Stop Orders Buy Limit Orders Sell Stop Orders Sell Limit Orders Y
FREE
ChartColorMT5
Thomas Pierre Maurice Moine
Customize your charts with this simple utility. Choose in the 24 pre-built color sets, or use your own colors, save them to re-use them later. You can also add a text label on your chart. --- Chart Colors-- Color Set : 24 prebuilt color sets (select "Custom" to use colors below) Background color Foreground color Grid color Chart Up color Chart Down color Candle Bull color Candle Bear color  Line color Volumes color --- Label--- Text Label : Type the text you want to appear on the chart Label
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
Axilgo PipPiper CoPilot
Theory Y Technologies Pty Ltd
5 (2)
Axilgo Pip Piper CoPilot Elevate your trading game with the Axilgo Pip Piper CoPilot, the first in our revolutionary Pip Piper Series. This all-inclusive toolset is meticulously crafted for serious traders, focusing on key areas such as Risk Management, Trade Management, Prop Firm Rule Compliance, and Advanced Account Management . With CoPilot, you’re not just investing in a tool—you’re gaining a strategic partner in the intricate world of trading. Important Notice: To ensure you receive the fu
FREE
Kiwi Swiss
Aneta Madrzejewska
Kiwi Swiss è un Expert Advisor avanzato progettato specificamente per il trading della coppia valutaria NZD/CHF. Le caratteristiche principali includono: * Deposito minimo: 100 dollari * Timeframe: NZDCHF H1 * Compatibile con qualsiasi broker o tipo di conto * Si concentra sulle fluttuazioni delle valute rifugio e sul trading a lungo termine in range * Utilizza ADX e MACD per l'analisi tecnica * Implementa robuste funzionalità di gestione del rischio * Ampiamente backtestato e forward-testato
* This product was converted using  "BRiCK Convert4To5 MT4 "  based on the MQL4 source file of  "BRiCK Convert4To5 MT4 Free" . "Convert4To5" is a Script that converts MQL4 source files into MQL5 source files. Experts, Indicators, Scripts, and Libraries with extension ".mq4" will be available for MT5. Parameter None. Procedure 1. Open the following folder.     terminal_data_folder\MQL4\Files\ (in the terminal menu select to view "File" - "Open the data directory") 2. Confirm that the BRiC
FREE
Trade Manager Assistant automatizza il processo di impostazione dei livelli di stop loss e take profit, di liquidazione parziale delle posizioni e di implementazione di strategie di stop loss e profitto. Apri una posizione con un clic e tutti i calcoli successivi vengono eseguiti automaticamente secondo i parametri predefiniti. Non è più necessario calcolare manualmente la dimensione della tua operazione in base al livello di rischio. L'assistente responsabile del trading esegue rapidamente tut
OrderBook Recorder
Stanislav Korotky
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker in real time. The expert OrderBook Recorder records market book changes and stores them in local files for further usage in indicators and expert adviser, including testing in the tester. The expert stores market book
FREE
Market Grid View
Danilo Pagano
5 (1)
Market Grid View is a utility to replace the original 'Market Watch' window. It was designed to be fast and give the user the ability to navigate over all symbols with just a click, while watch the price change or last trade value. To use it, configure your "Market Watch" window with all the symbols you want to monitor, and you can close it. Then insert the indicator in the graph. The parameters window need to be configured: Columns: the number of columns you want to be drawn ShowInfo: the type
FREE
Easy EA for closing positions with profit or loss. All positions of chart's symbol are counted separately. Settings: TPforSymbol — set profit amount to indicate when to close every positions for the symbol of the chart. Swap and commission are decreasing your profit. SLforSymbol — set SL amount to indicate SL for every positions for the symbol of the chart. Swap and commission are increasing your loss. SLforSyblol is always below/equal zero.
Broker Desynchronization script MT5 is a script in the form of an EA. It will check the desynchronization of a BROKER's server compared to your time at your PC. Usually BROKER sets time forward to have some space to execute trades. If you wish to check how big the difference is, please load the EA to any chart. After loading, it will wait for the first tick to check the desynchronization. Information will be available for 10 seconds. NOTE! If market is closed, you get information to try ag
FREE
Orion Telegram Notifier Bot
Joao Paulo Botelho Silva
Orion Telegram Notifier Bot  allows the trader to receive trade notifications in his Telegram whenever a position is opened or closed. The EA sends notifications showing the Symbol, Magic Number, Direction, Lot (Volume), Entry Price, Exit Price, Take Profit, Stop-Loss and Profit of the position. How to setup Orion Telegram Notifier? Open Telegram and Search for “BotFather” Click or Type “/newbot” Create a nickname and username (Example: nickname: MT5trades   - username: MT5TelegramBot) *The us
Exact Time — detailed time on the seconds chart. The utility shows the opening time of the selected candle. This is necessary when working with seconds charts. For example, it can be used on a seconds chart built using the " Seconds Chart " utility, which helps to build seconds chart in the MT5 terminal. Use the CTRL key to turn on/off the time display on the chart.
FREE
Robo Sinal Telegram
Edson Cavalca Junior
Send your trades on the Metatrader 5 platform to your Telegram Group! Simple to use, just follow the steps below: Create a group in Telegram and enter the name in the robot parameters; Create a Bot in Telegram with the user BotFather: Send the following message-> /newbot; BotFather will ask for a name for your Bot; Send a message with the desired name; BotFather will ask for a username for your Bot; Send a message with the desired username; BotFather will send the Token; Insert the
Ordem Facil
Clesio Hector Dufau Da Conceicao
EA Ordem Fácil helps you open pending buy and sell orders (buy or sell stop) using the SHIFT, CTRL keys and mouse left button click. To create a buy stop order, press the SHIFT key (only once) and click on mouse left button on the chart above the price. To create a sell stop order, press the CTRL key (only once) and click on mouse left button on the chart below the price. While the order is not opened, when you moving the mouse cursor on the chart, on the left and above corner of the ch
Бесплатная версия советника Trade Panel PRO Данная торговая панель предназначена для быстрой и удобной торговли в один клик. Создавался продукт для частичной автоматизации своей личной ручной торговли  https://www.mql5.com/ru/signals/1040299?source=Site+Profile+Seller Советник имеет ряд возможностей, а именно: Открытие BUY или SELL ордеров. SL выставляется ниже (выше)  минимальной (максимальной) цены, задаваемых в параметрах количества свечей. Размер TP рассчитывается в соотношении от размера
FREE
Introducing our cutting-edge Trade Copier Expert Advisor for MetaTrader 5 (MT5) – the ultimate solution for seamless trade replication across multiple accounts on the same server or computer. Elevate your trading experience and take control of your investment strategy like never before with our professional-grade Trade Copier. Key Features: Effortless Trade Replication: Our Trade Copier effortlessly duplicates trades from a master account to multiple slave accounts, ensuring that you never miss
FREE
Utilità per copiare le transazioni da un conto MT5 o MT4 a un altro conto MT5. Demo-version can be downloaded   here . È possibile copiare le posizioni tra conti Netting e Hedging in qualsiasi combinazione. È possibile impostare i filtri in base al nome dello strumento e ai numeri magici delle posizioni da copiare. Finora, la fonte invia informazioni solo sulle posizioni di mercato. Gli ordini in sospeso vengono elaborati al momento della loro trasformazione in posizioni di mercato aperte.
The TELEGRAM BROADCAST utility helps to instantly publish your trading in the Telegram channel. If you have long wanted to create your Telegram channel with FOREX signals, then this is what you need. ATTENTION. This is a DEMO version, it has limitations - sending messages no more than 1 time in 300 seconds PAID version:  https://www.mql5.com/en/market/product/46865 https://t.me/moneystrategy_mql TELEGRAM BROADCAST can send messages: Opening and closing deals; Placing and deleting pending
FREE
Gli utenti di questo prodotto hanno anche acquistato
Trade Assistant MT5
Evgeniy Kravchenko
4.38 (164)
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 (416)
Do you think that in markets where the price can change in a split second, placing orders should be as simple as possible? In Metatrader, each time you want to open an order, you have to open a window where you enter the opening price, stop loss and take profit, as well as the trade size. In trading the financial markets, capital management is essential to maintain your initial deposit and multiply it. So, when you want to place an order, you probably wonder how big a trade you should open? Wha
TradePanel MT5
Alfiya Fazylova
4.85 (113)
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
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
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
RiskGuard Management
MONTORIO MICHELE
5 (12)
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
Trade Dashboard MT5
Fatemeh Ameri
5 (45)
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
Trade Manager DaneTrades
DaneTrades Ltd
4.8 (20)
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
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
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
4 (22)
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
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
Uber Trade Manager
MDevaus Oy
5 (14)
UTM Manager è uno strumento intuitivo e facile da usare che offre un'esecuzione delle negoziazioni rapida ed efficiente. Una delle caratteristiche distintive è la modalità "Ignora spread", che ti consente di fare trading al prezzo delle candele, ignorando completamente gli spread (ad esempio, consente di scambiare coppie di spread più elevate su LTF, evitando di essere esclusi dalle negoziazioni a causa dello spread). Un altro aspetto chiave di UTM Manager è il suo copiatore commerciale locale u
-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
VirtualTradePad One Click Trading Panel
Vladislav Andruschenko
4.56 (63)
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
YuClusters
Yury Kulikov
4.93 (41)
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
-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
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
Grid Manual MT5
Alfiya Fazylova
4.87 (15)
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
ManHedger MT5
Peter Mueller
4.8 (5)
THIS EA IS A SEMI-AUTO EA, IT NEEDS USER INPUT. Manual & Test Version Please DON'T BUY this product before testing or watching my video about it. Contact me for user support & advices! MT4 Version  With this Expert Advisor, you can: Implement your own Zone Recovery strategy to capitalize on trending markets. Create Grid trading strategies, to profit from ranging markets. Place orders easily and clearly. Display your trades/strategies on the chart. Display your Take Profits/Stop Losses as a perc
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
Trade Assistant 38 in 1
Makarii Gubaydullin
4.88 (17)
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
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 ]
Take a Break MT5
Eric Emmrich
4.73 (15)
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
The product will copy all  Discord  signal   to MT5   ( which you are member  ) , also it can work as remote copier.  Easy to set up. Work with almost signal formats, support to translate other language to English Work with multi channel, multi MT5. Work with Image signal. Copy order instant, auto detect symbol. Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. How to setup and guide: Let read all details about setup and download Discord To MetaTrade
The News Filter MT5
Leolouiski Gan
4.2 (5)
Questo prodotto filtra tutti gli esperti consulenti e i grafici manuali durante il periodo delle notizie, così non dovrai preoccuparti di improvvisi picchi di prezzo che potrebbero distruggere le tue impostazioni di trading manuali o le negoziazioni effettuate da altri esperti consulenti. Questo prodotto viene fornito anche con un sistema completo di gestione degli ordini che può gestire le tue posizioni aperte e gli ordini in sospeso prima della pubblicazione di qualsiasi notizia. Una volta che
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
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
Risk Manager for MT5
Sergey Batudayev
4.42 (12)
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
Auto Trade Copier for MT5
Vu Trung Kien
4.27 (22)
Auto Trade Copier is designed to copy trades to multiple MT4, MT5 and cTrader accounts/terminals with 100% accuracy. The provider and receiver accounts must be on the same PC/VPS. With this tool, you can copy trades to receiver accounts on the same PC/VPS. All trading actions will be copied from provider to receiver perfectly. This version can be used on MT5 accounts only. For MT4 accounts, you must use Auto Trade Copier (for MT4). Reference: - For MT4 receiver, please download Trade Receiver Fr
Fundamental Signals Scanner MT5
Kyra Nickaline Watson-gordon
Fundamental Scanner is a Non-Repaint, Multi Symbol and Multi Time Frame Dashboard based on Fundamental Signals Indicator . Fundamental Signals Indicator has a powerful calculation engine that can predict market movement over 3000 pips (30000 points). The indicator is named fundamental because it can predict trends with large movements, no complicated inputs and low risk. Features : Multi-Symbol Support (Support automatic listing of market watch symbols) Multi-TimeFrame Support (Over 7
Altri dall’autore
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 term
Filtro:
ChristianWale
34
ChristianWale 2023.11.12 01:13 
 

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.08
improve logs