• Visão global
  • Comentários (1)
  • Discussão
  • O que há de novo

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

Produtos recomendados
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
Não compre antes de ver o produto Danko Trend Color , pois este painel é uma maneira de visualizar um resumo deste indicador em diversos timeframes. O utilitário Danko DTC Panel  permite você olhar a tendência em até 5 tempos gráficos. Ao clicar nos textos dos timeframes, uma nova janela se abrirá já com o indicador plotado na tela para você ver o gráfico completo. A largura do painel, com a quantidade de velas que deseja visualizar, é personalizável, veja nas imagens à seguir. Ao clicar nos t
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
Envie sinais totalmente personalizáveis do MT5 para o Telegram e torne-se um Provedor de Sinais! Este produto é apresentado em uma interface gráfica fácil de usar e visualmente atraente. Personalize suas configurações e comece a usar o produto em questão de minutos! Guia do Usuário + Demonstração  | Versão MT4  | Versão Discord Se deseja experimentar uma demonstração, por favor consulte o Guia do Usuário. O Remetente de MT5 para o Telegram NÃO funciona no testador de estratégias. Recursos de
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
Trade Utility Pro
Sovannara Voan
5 (5)
Trade Utility Pro is a bot utility designed to help you manage trades more easily, quickly, and accurately. This utility features a control panel interface and supports MetaTrader 5 exclusively. This utility does not link to any account information or external sources, ensuring safety. Main Features: Open Trade Support: Lot size calculation Fixed Lot: Custom input lot required Money Risk Lot: Automatically calculated based on stop loss and money risk Account % Risk Lot: Automatically calculated
FREE
Оnly 5 Copies available   at   $90! Next Price -->   $149 The EA  Does NOT use Grid  or  Martingale . Default Settings for EURUSD Only   The EA has 6 Strategies with different parameters. It will automatically enter trades, take profit and stop loss and also may use reverse signal modes. If a trade is in profit it will close on TP/SL or reverse signal. The EA works on  EUR USD on H1 only   do not trade other pairs. Portfolio EURUSD   uses a number of advanced Strategies and different degrees
OrderHelper script is super easy and trader friendly to use. It would boost your trading experience. Because it is designed to open one to multiple orders quickly with just one click. Besides using the OrderHelper script, traders can define various parameters for open orders such as the symbol, order type, lot size, stoploss, takeprofit and more. Basically, with this script traders can manage their open orders more efficiently and save their trading time. OrderHelper manages: Open the number o
Tenha acesso automático aos dados do Yahoo Finance e crie símbolos personalizados no MetaTrader 5. Ao contrário dos indicadores ou Expert Advisors, este serviço não precisa ser executado em um gráfico. Ele funciona em segundo plano, atualizando constantemente os dados históricos dos mercados que seu corretor não oferece. Principais características: Dados de mercado exclusivos : Acesse instrumentos como VIX, DOLLARINDEX, T-Bond, SP500, NASDAQ100 e uma ampla gama de ETFs, como Vanguard Total Stock
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
Apresentamos o "Auto-Timed Close Operations", um utilitário importante para traders do MetaTrader 5! Este utilitário foi desenvolvido para ajudar traders de todos os níveis a fechar automaticamente suas posições abertas no momento exato que desejarem. Com o "Auto-Timed Close Operations ", você ganha o controle necessário sobre suas negociações e pode evitar surpresas indesejáveis ​​ao final do dia ou em qualquer outro momento predefinido. Sabemos como é importante proteger seus lucros e limitar
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
Este utilitário enviar-lhe-á uma notificação detalhada no seu telemóvel e um alerta no Terminal MT5 assim que um Padrão de Candelabro que queira ver aparecer na tabela. A notificação contém o símbolo, o Padrão de Candelabro e o período de tempo em que o padrão se formou. Terá de ligar o Metatrader 5 Mobile ao seu Terminal Windows. Veja como aqui . https://www.metatrader5.com/pt/mobile-trading/iphone/help/settings/settings_messages#notification_setup Lista de Padrões de Candelabro que podem se
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
Trade Dashboard MT5
Fatemeh Ameri
4.96 (48)
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
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 é uma bolsa de criptomoedas de renome mundial! A fim de facilitar a análise de dados em tempo real do mercado de moeda digital criptografado, o programa pode importar automaticamente os dados de transação em tempo real do Binance Futures para MT5 para análise. 1. Apoie a criação automática de pares de negociação de futuros de USD-M do Ministério da Segurança de Moeda, e a moeda base também pode ser definida separadamente. A moeda base BaseCurrency está vazia para indicar todas as moed
Assuma o controle de sua rotina de negociação sem esforço com o revolucionário Trades Time Manager. Essa ferramenta potente automatiza a execução de ordens em horários designados, transformando sua abordagem de negociação. Crie listas de tarefas personalizadas para diversas ações de negociação, desde a compra até a definição de pedidos, tudo sem intervenção manual. Guia de instalação e entradas do Trades Time Manager Se você deseja receber notificações sobre o EA, adicione nosso URL ao terminal
MA Gold Sniper Entry
Samson Adekunle Okunola
Maximize seu potencial de negociação com nosso EA MA Gold Sniper Entry Transforme sua experiência de negociação com nosso EA habilmente projetado, desenvolvido para oferecer lucratividade consistente e desempenho ideal. Abordagem de negociação segura: Sem estratégias arriscadas: Evita o uso de estilos de negociação de alto risco, como sistemas de grade ou martingale, garantindo uma experiência de negociação mais segura e estável. Metodologia consistente: Emprega uma estratégia de negociação com
RenkoChart EA
Paulo Henrique Da Silva
4.33 (3)
A ferramenta RenkoChart cria um símbolo personalizado com tijolos Renko diretamente no gráfico, exibindo preços precisos na respectiva data/hora de abertura para cada tijolo. Essa característica possibilita a aplicação de qualquer expert ao gráfico Renko. Além disso, esta ferramenta permite também o acesso aos dados históricos dos tijolos através de métodos nativos na linguagem de programação MQL5, como iOpen, iHigh, iLow e iClose, por exemplo. Informações Importantes: O renko gerado na ini
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
O Robô Gerenciador de Ordens Manuais, é uma ferramenta que lhe permite incluir de forma automática o Stop Loss, Breakeven, Take Profit e parciais   nas operações abertas. Sejam ela uma ordem a mercado ou uma ordem limitada. Além disso, ele conduzir sua operação de forma automática, movendo o seu stop ou encerrando operações, de acordo com os parâmetros que você escolher. Para tornar suas as operações mais efetivas o Robô Gerenciador de Ordens Manuais conta com diversos indicadores que podem ser
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
Binance é uma bolsa de criptomoedas de renome mundial! A fim de facilitar a análise de dados em tempo real do mercado de moeda digital criptografado, o programa pode importar automaticamente dados de transações em tempo real Binance para MT5 para análise. 1. Apoie a criação automática de pares de negociação à vista no departamento de segurança de moeda, e você também pode definir a moeda de lucro e a moeda base separadamente. Por exemplo, se ProfitCurrency estiver vazio, significa todas as ár
Zen MT5
Elena Kusheva
I derrapagem=0; - válido para a patinagem, 0 - não utilizado   S cmt=""; - comentário de ordens   I Magic=20200131; - меджик, a identificação das ordens do conselheiro   S WorkTime="00:00-24:00"; - o formato é HH:MM HH:MM, um dia inteiro de 0-24 ou 00:00-24:00   D fix_lot=0.01; //fix lot - lote de trabalho   D order_tp=100.0; //TP. Eu recomendo – 10.0 - take profit em pontos como para os 4 caracteres! na ae de detecção automática de 5 icônico de ferramentas e será aumentado o valor 10 vezes aut
Os compradores deste produto também adquirem
Trade Assistant MT5
Evgeniy Kravchenko
4.38 (164)
Ajuda a calcular o risco por comércio, a fácil instalação de uma nova encomenda, gestão de encomendas com funções de fecho parcial, trailing stop de 7 tipos e outras funções úteis. Atenção, o aplicativo não funciona no testador de estratégia. Você pode baixar a versão Demo na página de descrição  Manual, Description, Download demo Função de linha Mostra no gráfico a linha de Abertura, Stop Loss, Take Profit. Com esta função é fácil definir uma nova ordem e ver as suas características adicion
Você acha que em mercados onde o preço pode mudar em uma fração de segundo, colocar os pedidos deve ser o mais simples possível? No Metatrader, cada vez que você deseja abrir uma ordem, você deve abrir uma janela onde você insere o preço de abertura, stop loss e take profit, bem como o tamanho da negociação. Ao negociar nos mercados financeiros, a gestão de capital é essencial para manter seu depósito inicial e multiplicá-lo. Portanto, quando você deseja fazer um pedido, provavelmente se pergunt
TradePanel MT5
Alfiya Fazylova
4.85 (114)
Trade Panel é um assistente comercial multifuncional. O aplicativo contém mais de 50 funções para negociação manual e permite automatizar a maioria das ações de negociação. Antes de comprar, você pode testar a versão Demo em uma conta demo. Demonstração aqui . Instruções completas aqui . O aplicativo foi concebido como um conjunto de painéis interconectados: Painel para comércio. Projetado para realizar operações comerciais básicas: Abertura de ordens e posições pendentes. Abertura da grade de o
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
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
4 (22)
Copiadora de comércio para MT5 é um  comércio   copiadora para a plataforma МetaТrader 5 . Ele copia negociações forex  entre   qualquer conta   MT5  - MT5, MT4  - MT5 para a versão COPYLOT MT5 (ou MT4  - MT4 MT5  - MT4 para a versão COPYLOT MT4) Copiadora confiável! Versão MT 4 Descrição completa +DEMO +PDF Como comprar Como instalar    Como obter arquivos de log    Como testar e otimizar    Todos os produtos da Expforex Você também pode copiar negociações no terminal МТ4 ( МТ4  - МТ4, МТ
Trade Manager para ajudá-lo a entrar e sair rapidamente de negociações enquanto calcula automaticamente seu risco. Incluindo recursos para ajudar a evitar negociações excessivas, negociações de vingança e negociações emocionais. As negociações podem ser gerenciadas automaticamente e as métricas de desempenho da conta podem ser visualizadas em um gráfico. Esses recursos tornam este painel ideal para todos os traders manuais e ajudam a aprimorar a plataforma MetaTrader 5. Suporte multilíngue. Vers
Copie os sinais de qualquer canal do qual você seja membro (incluindo privados e restritos) diretamente para o seu MT5.  Esta ferramenta foi projetada com o usuário em mente, oferecendo muitos recursos que você precisa para gerenciar e monitorar as negociações. Este produto é apresentado em uma interface gráfica fácil de usar e visualmente atraente. Personalize suas configurações e comece a usar o produto em minutos! Guia do usuário + Demo  | Versão MT4 | Versão Discord Se deseja experimentar
-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
YuClusters
Yury Kulikov
4.93 (41)
Atenção: A versão demo para revisão e teste está aqui . YuClusters é um sistema profissional de análise de mercado. O trader tem oportunidades únicas para analisar o fluxo de pedidos, volumes de negociação, movimentos de preços usando vários gráficos, perfis, indicadores e objetos gráficos. O YuClusters opera com base em dados de Tempos e Negócios ou informações de ticks, dependendo do que está disponível nas cotações de um instrumento financeiro. O YuClusters permite que você crie gráficos com
Painel de negociação para negociação em 1 clique. Trabalhando com posições e pedidos! Negociar a partir do gráfico ou do teclado. Com nosso painel de negociação, você pode executar negociações com um único clique diretamente no gráfico e realizar operações de negociação 30 vezes mais rápido do que com o controle MetaTrader padrão. Cálculos automáticos de parâmetros e funções tornam a negociação mais rápida e conveniente para os traders. Dicas gráficas, rótulos informativos e informações completa
MT5 to Telegram Signal Provider é uma utilidade fácil de usar e totalmente personalizável que permite o envio de sinais especificados para o chat, canal ou grupo do Telegram, tornando sua conta um fornecedor de sinais . Ao contrário da maioria dos produtos concorrentes, ele não usa importações de DLL. [ Demonstração ] [ Manual ] [ Versão MT4 ] [ Versão Discord ] [ Canal do Telegram ] Configuração Um guia do usuário passo a passo está disponível. Não é necessário conhecimento da API do Telegra
Grid Manual MT5
Alfiya Fazylova
4.88 (16)
"Grid Manual" é um painel comercial para trabalhar com uma grade de ordens. O utilitário é universal, possui configurações flexíveis e uma interface intuitiva. Ele trabalha com uma grade de pedidos não apenas na direção da média das perdas, mas também na direção do aumento dos lucros. O trader não precisa criar e manter uma grade de pedidos, tudo será feito pelo ""Grid Manual". Basta abrir um pedido e o "Grid manual" criará automaticamente uma grade de pedidos para ele e trabalhará com ele até q
News Filter Tool
Apex Software Ltd
5 (1)
Melhore Seu Trading com Insights de Eventos de Notícias No mundo acelerado do trading, eventos de notícias podem impactar significativamente os preços de mercado. Compreender como esses eventos influenciam os movimentos de preço é crucial para gerenciar suas operações durante períodos voláteis. A ferramenta News Tool EA foi projetada para fornecer insights sobre eventos de notícias passados e futuros, ajudando você a tomar decisões de trading mais informadas. Este EA não pode ser executado no
Trade Assistant 38 in 1
Makarii Gubaydullin
4.89 (18)
Ferramenta multifuncional: 65+ funções, incluindo: calculadora de lote, Price Action, proporção R/R, gerenciamento de trade, zonas de suporte e resistência Versão Demo   |   Manual de usuário   |    Versão MT4 O utilitário não funciona no testador de estratégia: você pode baixar a versão Demo AQUI para testar o produto. Contate-me   para perguntas / ideias de melhorias / caso encontrar algum erro Os trades automáticos serão permitidos se estiverem habilitados na plataforma e na corretora Simpli
-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
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
Unlimited Trade Copier Pro MT5 is a tool to copy trade remotely to multiple MT4, MT5 and cTrader accounts at different computers/locations over internet. This is an ideal solution for you if you are a signal provider and want to copy your trades to other receivers globally on your own rules. One provider can copy trades to multiple receivers and one receiver can get trade from multiple providers as well. The provider can even set the subscription expiry for each receiver, so that receiver will n
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
Risk Manager for MT5
Sergey Batudayev
4.42 (12)
O Expert Advisor Risk Manager para MT5 é um programa muito importante e, na minha opinião, necessário para todos os traders. Com este Expert Advisor você poderá controlar o risco em sua conta de negociação. O controle de risco e lucro pode ser realizado tanto em termos monetários quanto em termos percentuais. Para que o Expert Advisor funcione, basta anexá-lo ao gráfico de pares de moedas e definir os valores de risco aceitáveis ​​na moeda de depósito ou em % do saldo atual. PROMO BUY 1 GET
The best trend line auto trading expert advisor/utility. One or more trend lines of different timeframes in the same direction are easily placed on a chart to auto trade within a strong trading opportunity.   1.    AUTO TRADING / MANUAL TRADING Trendscout can place orders for you automatically. You have to enable “Auto trading” and also check the “Enable live trading” box at the parameter window. When price crosses the trend lines for the first time two massages are sent to your mobile phone or
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
Attention: this is a multicurrency EA, which trades by several pairs from one chart!  Therefore, in order to avoid duplicate trades, it is necessary to attach EA only to one chart, ---> all trading in all pairs is conducted only from one chart! we can trade simultaneously in three different pairs, as by default (EURUSD + GBPUSD + AUDUSD), which take into account the correlation when entering the market for all three; we can trade only EURUSD (or any currency pair) and at the same time take into
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 Copier Pro MT5
Vu Trung Kien
3.67 (3)
Trade Copier Pro MT5 is a tool to copy trade remotely to multiple MT4, MT5 and cTradfer accounts at different computers/locations over internet. This is an ideal solution for you if you are a signal provider and want to copy your trades to other receivers globally on your own rules. One provider can copy trades to multiple receivers and one receiver can get trade from multiple providers as well. The provider can even set the subscription expiry for each receiver, so that receiver will not be abl
Ultimate Trailing Stop EA MT5
BLAKE STEVEN RODGER
4.5 (6)
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
MT5 To Notion
DaneTrades Ltd
5 (2)
Este programa permitirá que você exporte todas as suas negociações de sua conta MetaTrader diretamente para o Notion usando uma interface de usuário muito amigável. Versão MT4  |  Guia do Usuário + Demo Para começar, use o Guia do Usuário e baixe o Modelo do Notion. Se você deseja uma demonstração, por favor, vá para o Guia do Usuário. Não funciona no testador de estratégias! Principais Características Exporte todas as negociações de sua conta de negociação para o Notion Exporte negociações em a
Hedge Ninja
Robert Mathias Bernt Larsson
5 (1)
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
MT5-StreamDeck offers the possibility to use a certain number of pre-programmed Hot-keys with a clearly defined role. So by the push of a button you can open a trade with a pre-defined lot size, stoploss and take profit. Close all your trades, close the ones in profit, or in loss, set Break-even or set a trailing stop. All this with a Hot key button. See the feature list for all the actions that can take place at the push of a button. Ideal for Quick Scalping or day trading with set risk manage
Trade Copy é uma ferramenta em forma de EA que replica as operações feitas em um Meta Trader 5 para todos os meta Traders 5 abertos no mesmo computador. É útil se você deseja operar mais de uma conta sua ou se deseja trabalhar com gerenciamento de contas de terceiros. Versão Demo:  https://www.mql5.com/pt/market/product/40906 Versão para M T4:  https://www.mql5.com/pt/market/product/40902 Configuração: MAIN OPTIONS Idiom - alterna entre Português e Inglês. Copy trades from - especifica se de tod
The News Filter MT5
Leolouiski Gan
4.6 (10)
Este produto filtra todos os consultores especializados e gráficos manuais durante o horário das notícias, para que você não precise se preocupar com picos de preços repentinos que possam destruir suas configurações de negociação manuais ou negociações realizadas por outros consultores especializados. Este produto também vem com um sistema de gerenciamento de pedidos completo que pode lidar com suas posições abertas e ordens pendentes antes do lançamento de qualquer notícia. Depois de comprar o
Mais do autor
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 
 

O usuário não deixou nenhum comentário para sua avaliação

Responder ao comentário
Versão 1.2 2023.11.11
improve logs
Versão 1.1 2023.11.11
improve logs