• Übersicht
  • Bewertungen (1)
  • Diskussion
  • Neue Funktionen

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

Empfohlene Produkte
Rise or fall volumes MT5
Alexander Nikolaev
5 (1)
Ein Händler kann nicht immer herausfinden, wie groß der zuletzt geschlossene Balken ist. Dieser EA, der alle Volumina in dieser Leiste analysiert, kann das Verhalten großer Marktteilnehmer genauer vorhersagen. In den Einstellungen können Sie das Volumen für Wachstum oder Fall auf verschiedene Arten bestimmen. Dieser Berater kann nicht nur handeln, sondern auch visuell anzeigen, welche Volumina sich in der Bar befanden (zum Kaufen oder Verkaufen). Darüber hinaus verfügt es über genügend Einstell
Fast Trading
Alexander Fedosov
Fast Trading is an intuitively handy panel for manual trading. With Fast Trading  you can quickly: 1. Set pending orders.    2. Place market positions and manage them.   3. Turn on voice notifications for basic actions.   Parameters Base FontSize — size of the font in the application. Caption Color — caption color of window. Back color — background color. Interface language — must be English or Russian. Magic Number — need for market positions and pending orders. Use Voice Notify — Action noti
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
Senden Sie vollständig anpassbare Signale von MT5 an Telegram und werden Sie zum Signalanbieter! Dieses Produkt wird in einer benutzerfreundlichen und visuell ansprechenden grafischen Benutzeroberfläche präsentiert. Passen Sie Ihre Einstellungen an und beginnen Sie innerhalb von Minuten mit der Nutzung des Produkts! Benutzerhandbuch + Demo  | MT4-Version  | Discord-Version Wenn Sie eine Demo ausprobieren möchten, lesen Sie bitte das Benutzerhandbuch. Der MT5-zu-Telegram-Sender funktioniert NIC
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
Übernehmen Sie mühelos die Kontrolle über Ihre Handelsroutine mit dem revolutionären Trades Time Manager. Dieses leistungsstarke Tool automatisiert die Auftragsausführung zu festgelegten Zeiten und verändert so Ihren Handelsansatz. Erstellen Sie personalisierte Aufgabenlisten für verschiedene Handelsaktionen, vom Kauf bis zur Auftragserteilung, alles ohne manuelles Eingreifen. Installations- und Eingabehandbuch für Trades Time Manager Wenn Sie Benachrichtigungen über den EA erhalten möchten, füg
Trade Dashboard MT5
Fatemeh Ameri
5 (25)
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   deta
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 (1)
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
Dieses Dienstprogramm sendet Ihnen eine detaillierte Benachrichtigung auf Ihr Handy und einen Alarm auf dem MT5-Terminal, sobald ein Candlestick-Muster, das Sie sehen möchten, im Chart erscheint. Die Benachrichtigung enthält das Symbol, das Candlestick-Muster und den Zeitrahmen, in dem sich das Muster gebildet hat. Sie müssen Metatrader 5 Mobile mit Ihrem Windows Terminal verbinden. Die Anleitung dazu finden Sie hier. https://www.metatrader5.com/de/mobile-trading/iphone/help/settings/settings
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
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 ist ein weltbekannter Kryptowährungsaustausch! Um die Echtzeit-Datenanalyse des Marktes für verschlüsselte digitale Währungen zu vereinfachen, kann das Programm die Echtzeit-Transaktionsdaten von Binance Futures zur Analyse automatisch in MT5 importieren. Die Hauptfunktionen sind: 1. Unterstützen Sie die automatische Erstellung von USD-M-Futures-Handelspaaren des Ministeriums für Währungssicherheit. Die Basiswährung kann auch separat festgelegt werden. Die Basiswährung BaseCurrency is
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
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
Tenha a boleta do ProfitChart no seu Metatrader! ........................ Agora é possível ter a boleta do profit no seu Metatrader. Envie ordens de compra e venda, acompanhe o mercado e simule estratégias em momentos de mobilidade, diretamente do seu Metatrader5. Gestão de riscos e otimização de lucros são dois princípios básicos de qualquer operação bem-sucedida. Nesse sentido, utilize as ferramentas de  STOPMOVEL, TRAILING STOP, STOPGAIN E ORDENS PARCIAIS DE SAÍDA.       Funcionalidades
Candle Info For selected candle: OHLC prices Open Time Bar shift body size in points upper shadow in points Lower shadow in points Candle length in points Tick volume For current candle: Remaining time Ticks/sec For the chart: Price at mouse position Time at mouse position Draw Lines For selected candle you can draw a projected line forward, backward or both ways. You can hide/show/delete all lines created.
Binance ist ein weltbekannter Kryptowährungsaustausch! Um die Echtzeit-Datenanalyse des Marktes für verschlüsselte digitale Währungen zu vereinfachen, kann das Programm Binance-Echtzeit-Transaktionsdaten zur Analyse automatisch in MT5 importieren. Die Hauptfunktionen sind: 1. Unterstützen Sie die automatische Erstellung von Spot-Handelspaaren in der Abteilung für Währungssicherheit. Sie können auch die Gewinnwährung und die Basiswährung separat festlegen. Wenn beispielsweise ProfitCurrency le
Zen MT5
Elena Kusheva
I slippage=0; - zulässiger Schlupf, 0-nicht verwendet   S cmt=""; - Kommentar zu Orders   I Magic=20200131; - medzhik, die id der Orders des Beraters   S WorkTime="00:00-24:00"; - Format wie HH: MM-HH: MM, ganzer Tag 0-24 oder 00: 00-24: 00   D fix_lot=0.01; //fix lot - Arbeits viel   D order_tp=100.0; / / TP. Ich empfehle-10.0-take Profit in Punkten wie für 4 Zeichen! im Expert Advisor werden die 5-Zeichen-Tools automatisch erkannt und der Wert wird automatisch um das 10-fache erhöht.   D orde
The Price Spectrum indicator reveals opportunities for detailed market analysis. Advantages: Market Volume Profile Creation : The indicator assists in analyzing the dynamics of trading volumes in the market. This allows traders to identify crucial support and resistance levels, as well as determine market structure. Filtering Insignificant Volumes : Using the indicator helps filter out insignificant volumes, enabling traders to focus on more significant market movements. Flexible Configuration S
Delving deep into the sphere of finance and trading strategies, I decided to conduct a series of experiments, exploring approaches based on reinforcement learning as well as those operating without it. Applying these methods, I managed to formulate a nuanced conclusion, pivotal for understanding the significance of unique strategies in contemporary trading.  
FREE
Market watch pro
Makarii Gubaydullin
Monitor your favorite Symbols My   #1 Utility:  includes 65+ functions, including this tool  |   Contact me  if you have any questions This tool opens in a separate window: it can be moved (drag anywhere), and minimized [v]. You can adjust the Watchlist on the panel: Click [edit list] to add / remove the Symbols from the Watchlist. Calculated value: it may either be the last [closed bar], or the current [floating bar]. Select the [timeframe] for calculation. There are 2 types of the value sorti
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
This indicator helps you control several pairs in a small workspace, therefore, it is not necessary to open several charts on the platform to do so. The indicator shows sequentially up to 6 different pairs, besides that each of these pairs has a button with which you can stop the indicator to observe the selected pair. Place the indicator on a chart to monitor several pairs and the rest of your space use it on the chart of the pair you wish to observe in detail.   MT4 version       Parameters Ob
Käufer dieses Produkts erwarben auch
Trade Assistant MT5
Evgeniy Kravchenko
4.4 (171)
Sie hilft bei der Berechnung des Risikos pro Handel, der einfachen Einrichtung einer neuen Order, der Orderverwaltung mit Teilschließungsfunktionen, Trailing-Stop von 7 Typen und anderen nützlichen Funktionen. Achtung, die Anwendung funktioniert nicht im Strategietester. Sie können die Demoversion auf der Beschreibungsseite herunterladen  Manual, Description, Download demo Linienfunktion Zeigt auf dem Chart die Eröffnungslinie, Stop Loss, Take Profit. Mit dieser Funktion ist es einfach, eine
Forex Trade Manager MT5
InvestSoft
4.98 (413)
Denken Sie, dass in Märkten, in denen sich der Preis in Sekundenbruchteilen ändern kann, die Auftragserteilung so einfach wie möglich sein sollte? Wenn Sie im Metatrader eine Order eröffnen möchten, müssen Sie ein Fenster öffnen, in dem Sie den Eröffnungskurs, Stop-Loss und Take-Profit sowie die Größe der Transaktion eingeben müssen. Beim Handel an den Finanzmärkten ist die Verwaltung Ihres Kapitals unerlässlich, um Ihre Ersteinzahlung zu erhalten und zu vervielfachen. Wenn Sie also eine Order
TradePanel MT5
Alfiya Fazylova
4.86 (113)
Trade Panel ist ein multifunktionaler Handelsassistent. Die Anwendung enthält mehr als 50 Funktionen, die für den manuellen Handel konzipiert sind. Ermöglicht Ihnen, die meisten Handelsaktionen zu automatisieren. Vor dem Kauf können Sie die Demoversion auf einem Demokonto testen. Demoversion hier . Vollständige Anweisungen hier . Hauptfunktionen der Anwendung: Funktioniert mit allen Handelsinstrumenten (Forex, CFD, Futures und andere). Gleichzeitiges Arbeiten mit einer unbegrenzten Anzahl von Ha
Trade Manager DaneTrades
DaneTrades Ltd
4.73 (22)
Trade Manager, der Ihnen hilft, Geschäfte schnell ein- und auszusteigen und gleichzeitig Ihr Risiko automatisch zu berechnen. Einschließlich Funktionen, die Ihnen helfen, Over Trading, Revenge Trading und Emotional Trading zu verhindern. Trades können automatisch verwaltet werden und die Kontoleistungskennzahlen können in einem Diagramm visualisiert werden. Diese Funktionen machen dieses Panel ideal für alle manuellen Händler und tragen zur Verbesserung der MetaTrader 5-Plattform bei. Unterstütz
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 ist ein einfach zu bedienendes, vollständig anpassbares Dienstprogramm, das den Versand von spezifizierten Signalen an Telegram-Chats, -Kanäle oder -Gruppen ermöglicht und Ihr Konto so zu einem Signalanbieter macht. Im Gegensatz zu den meisten Konkurrenzprodukten werden keine DLL-Importe verwendet. [ Demo ] [ Handbuch ] [ MT4-Version ] [ Discord-Version ] [ Telegram-Kanal ] Einrichtung Ein schrittweises Benutzerhandbuch ist verfügbar. Keine Kenntnisse der Telegr
The top-selling EAs on the market cost a lot and one day they are suddenly gone. This is because one strategy will not work in the forex market all the time. Our product is unique from all others in the MQL Marketplace because our EA comes with 34+ built-in indicators that allow develop strategies every time.  You build your strategy and keep updating it. If one strategy does not work, simply build another all using only one EA. This is All-In-One EA   in this market place. You can use as trade
Bots Builder Pro MT5
Andrey Barinov
4.75 (4)
This is exactly what the name says. Visual strategy builder . One of a kind. Turn your trading strategies and ideas into Expert Advisors without writing single line of code. Generate mql source code files with a few clicks and get your fully functional Expert Advisors, which are ready for live execution, strategy tester and cloud optimization. There are very few options for those who have no programming skills and can not create their trading solutions in the MQL language. Now, with Bots Build
-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
Mentfx Mmanage mt5
Anton Jere Calmes
4.43 (7)
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
Kopieren Sie Signale aus jedem Kanal, dem Sie als Mitglied angehören ( ohne die Notwendigkeit eines Bot-Tokens oder Administratorberechtigungen  direkt auf Ihren MT5. Es wurde mit dem Benutzer im Sinn entworfen und bietet viele Funktionen, die Sie benötigen Dieses Produkt wird in einer benutzerfreundlichen und visuell ansprechenden grafischen Benutzeroberfläche präsentiert. Passen Sie Ihre Einstellungen an und beginnen Sie innerhalb von Minuten mit der Nutzung des Produkts! Benutzerhandbuch +
Adam FTMO MT5
Vyacheslav Izvarin
5 (1)
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 Signal using ADAM  https://www.mql5.com/en/signals/2190554 --------------------
DrawDown Limiter
Haidar, Lionel Haj Ali
5 (17)
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
Uber Trade Manager
MDevaus Oy
5 (16)
Der UTM Manager ist ein intuitives und benutzerfreundliches Tool, das eine schnelle und effiziente Handelsausführung ermöglicht. Eine der herausragenden Funktionen ist der Modus „Spread ignorieren“, der es Ihnen ermöglicht, zum Preis der Kerzen zu handeln und Spreads vollständig zu ignorieren (ermöglicht z. B. den Handel mit Paaren mit höherem Spread auf LTF, um zu vermeiden, dass Sie aufgrund von Spreads aus dem Handel ausgeschlossen werden). Ein weiterer wichtiger Aspekt des UTM-Managers ist s
Kopieren Sie Signale aus jedem Kanal, dem Sie als Mitglied angehören (einschließlich privater und eingeschränkter), direkt auf Ihren MT5.  Dieses Tool wurde mit dem Benutzer im Hinterkopf entwickelt und bietet viele Funktionen, die Sie benötigen, um die Trades zu verwalten und zu überwachen. Dieses Produkt wird in einer benutzerfreundlichen und optisch ansprechenden grafischen Benutzeroberfläche präsentiert. Passen Sie Ihre Einstellungen an und beginnen Sie innerhalb weniger Minuten mit der Ver
-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.59 (64)
Trading Panel für den Handel mit 1 Klick. Arbeiten mit Positionen und Aufträgen! Handeln vom Chart oder von der Tastatur. Mit unserem Trading-Panel können Sie Trades mit einem einzigen Klick direkt aus dem Chart ausführen und Handelsoperationen 30-mal schneller durchführen als mit der Standard-MetaTrader-Steuerung. Automatische Berechnungen von Parametern und Funktionen machen den Handel für Händler schneller und komfortabler. Grafische Tipps, Infoetiketten und vollständige Informationen zu Hand
Active Lines
Yury Kulikov
5 (4)
Attention: Demo version for review and testing can be downloaded here . It does not allow trading and can only be run on one chart. Active Lines - a powerful professional tool for operations with lines on charts. Active Lines provides a wide range of actions for events when the price crosses lines. For example: notify, open/modify/close a position, place/remove pending orders. With Active Lines you can assign several tasks to one line, for each of which you can set individual trigger conditions
Hedge Ninja
Robert Mathias Bernt Larsson
HEDGEN SIE IHREN WEG ZUM GEWINN BEI JEDEM HANDEL Wenn Sie denken, dass es schwierig ist zu bestimmen, in welche Richtung sich der Markt entwickeln wird, löst dieser Roboter das für Sie, indem er die Richtung ändert, je nachdem, in welche Richtung sich der Preis bewegt, sodass Sie gewinnen, egal in welche Richtung er sich bewegt. Hedge Ninja ist ein halbautomatisches Handelstool, das Sie mit den folgenden Hedge-Einstellungen einrichten. Wenn Sie ihm sagen, dass er handeln soll, kaufen oder ver
Trade Assistant 38 in 1
Makarii Gubaydullin
4.87 (15)
Multifunktionswerkzeug: 65+ Funktionen, einschließlich: Lot-Rechner, Price Action, Risiko/Gewinn-Verhältnis, Trade Manager, Angebot und Nachfrage Zonen Demo version   |   Anwenderhandbuch   |    MT4 Das Dienstprogramm funktioniert nicht im Strategietester: Sie können die Demoversion HIER herunterladen, um das Produkt zu testen. Bei Fragen   kontaktieren   Sie mich / Verbesserungsvorschläge / im Fall eines gefundenen Fehlers Vereinfachen, beschleunigen und automatisieren Sie Ihre Handelsprozesse
YuClusters
Yury Kulikov
4.93 (43)
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
ManHedger MT5
Peter Mueller
5 (2)
If you'd like to test the product before purchasing please watch the video below. The program doesn't work in the strategy tester! Contact me for user support & advices! If you've bought this EA, you are entitled to a gift!! 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
Ultimate Trailing Stop EA MT5
BLAKE STEVEN RODGER
4.57 (7)
This EA Utility allows you to manage (with advanced filtering) unlimited open orders (manual or EA) with 16 trailing stop methods: fixed, percent, ATR Exit, Chandelier Exit, Moving Average, Candle High Low Exit, Bollinger Bands, Parabolic, Envelope, Fractal, Ichimoku Kijun-Sen, Alligator, Exit After X Minutes or Bars, RSI and Stochastic. The trailing stop can be either real or virtual, and you can exit fully or with a partial close percent on touch or bar close.  Moreover, you can add (overri
Der MT5 to Discord Signal Provider ist ein benutzerfreundliches, vollständig anpassbares Werkzeug, das speziell dafür entwickelt wurde, Handelssignale direkt an Discord zu senden. Dieses Tool verwandelt Ihr Handelskonto in einen effizienten Signalanbieter. Passen Sie die Nachrichtenformate Ihrem Stil an! Wählen Sie für eine einfache Verwendung aus vorgefertigten Vorlagen und entscheiden Sie, welche Nachrichtenelemente einbezogen oder ausgeschlossen werden sollen. [ Demo ] [ Handbuch ] [ MT4-Vers
Auto Trade Copier for MT5
Vu Trung Kien
4.24 (21)
Auto Trade Copier is designed to copy trades between multiple MT4/MT5 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 the provider to the receiver with no delay. This version can be used on MT5 accounts only. For MT4 accounts, you must use Auto Trade Copier (for MT4). Reference: For MT5 receiver, please download "Trade Receiver
Riskless Pyramid Mt5
Snapdragon Systems Ltd
5 (2)
Introduction This powerful MT4 trade mangement EA offers a way potentially to aggressively multiply trade profits in a riskfree manner. Once a trade has been entered with a defined stoploss and take profit target then the EA will add three pyramid add-on trades in order to increase the overall level of profit. The user sets the total combined profit target to be gained if everything works out. This can be specified either as a multiple of the original trade profit or as a total dollar amount. Fo
Binance History Loader
Andrey Khatimlianskii
This script is designed to download a long history of cryptocurrency quotes from the Binance exchange. You will find it perfectly suitable if you want once to download the history of cryptocurrencies for charts analyzing, collecting statistics or testing trading robots in the MetaTrader 5 strategy tester, or if you need to update the history not very frequently (for example, once a day or once a week). After running the script, you will have fully featured (but not automatically updated) cryptoc
Trader Evolution
Siarhei Vashchylka
5 (3)
" Trader Evolution " - A utility designed for traders who use wave and technical analysis in their work. One tab of the utility is capable of money management and opening orders, and the other can help in making Elliott wave and technical analysis. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Trading in a few clicks. Immediate and pending orders are available in the panel 2. Money management. The program automatically selects the appropriate lot size 3. Simpli
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
3.76 (17)
Handelskopierer für MT5 ist ein  Handel   Kopierer für die Plattform МetaТrader 5  . Es kopiert Devisengeschäfte  zwischen   alle Konten   MT5  - MT5, MT4  - MT5 für die COPYLOT MT5 Version (oder MT4  - MT4 MT5  - MT4 für die COPYLOT MT4 - Version) Zuverlässiger Kopierer! MT4-Version Gesamte Beschreibung   +DEMO +PDF Wie kauft man Wie installiert man     So erhalten Sie Protokolldateien     So testen und optimieren Sie     Alle Produkte von Expforex Sie können kopieren Trades auch im МТ4
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
Weitere Produkte dieses Autors
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
Auswahl:
ChristianWale
34
ChristianWale 2023.11.12 01:14 
 

Der Benutzer hat keinen Kommentar hinterlassen

Antwort auf eine Rezension
Version 1.2 2023.11.11
improve logs
Version 1.1 2023.11.11
improve logs