• 미리보기
  • 리뷰 (1)
  • 코멘트
  • 새 소식

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

추천 제품
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
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
전보 채널에서 신호를 거래하고 게시하시겠습니까? 그렇다면 이 유틸리티는 당신을 위한 것입니다. - 터미널에서 거래 - 전보 채널에 거래 게시 고객은 다음과 같이 기뻐할 것입니다. - 매일 5개의 신호에서 - 아름다운 신호 디자인 커스터마이징 서비스 -> 설정 -> 전문가 자문 -> 다음 URL에 대한 WebRequest 허용: https://api.telegram.org 텔레그램에서 @BotFather로 이동하여 봇을 만듭니다. 봇의 토큰을 복사하여 어드바이저의 매개변수에 입력합니다. 채널을 만들고 공개하세요. 생성한 봇을 채널에 추가하고 관리자로 지정 링크를 따라가세요: https://api.telegram.org/bot [TOKEN_BOTA ]/sendMessage?chat_id=@ [USERNAME_KANALA ]&text=TEST. 대괄호 []를 자신의 값으로 바꿉니다. 제 경우에는 https://api.telegram.org/bot128542909
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
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
Export Intraday Data
Diego Andres Unigarro Andrade
S ystem that allows traders to bulk download closing prices for many listed instruments. Generally, access to this type of information is only possible through financial APIs, which are often very expensive to license. The trader can download his own databases directly from his MT5 terminal, which can then be used as input for quantitative trading models. Input parameters 1. Comma-separated symbols:   the trader must enter the ticker symbol of the instruments, each of them separated by a comm
FREE
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
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
* 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
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
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  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
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
FREE
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
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
한 계정 또는 다른 계정으로 트랜잭션을 복사하는 유틸리티입니다.  Demo-version can be downloaded   here . 당신은 어떤 조합에서 그물 및 위험 회피 계정 사이의 위치를 복사 할 수 있습니다. 당신은 악기의 이름과 복사 할 위치의 매직 넘버에 의해 필터를 설정할 수 있습니다. 지금까지 소스는 시장 위치에 대한 정보 만 보냅니다. 보류중인 주문은 공개 시장 위치로 전환 할 때 처리됩니다. 한 터미널에서 고문은 보낸 사람 모드(보낸 사람),다른 하나는 수신기 모드(수신기)에서 시작됩니다. 터미널은 데이터를 교환하는 동일한 공유 데이터 폴더를 갖도록 동일한 서버에서 작동해야 합니다. 설치 절차 보낸 사람 계정의 터미널에서,우리는 일반 매개 변수를 구성,보낸 사람 모드에서 고문을 시작합니다. 수신자 계정의 터미널에서 수신자 모드에서 고문을 시작하고 수신자에 대한 일반 매개 변수 및 매개 변수를 구성합니다. 이 제품을 보낸 사람과 다
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
This non-trading expert utilizes so called custom symbols feature 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 columns or polygonal lines. These Poi
FREE
This utility tool draws the ticker symbol and timeframe information as a watermark in the background of the chart. It may come in handy if you have multiple charts on the screen at the same time. Inputs: Font Name:  You can change text font by typing in the name of your favorite font installed on your operating system. (e.g.: Verdana, Palatino Linotype, Roboto, etc...)   Font Color: You can choose your favorite from the available colors or type in a custom RGB color (values from 0 to 255, e.g.:
이 제품의 구매자들이 또한 구매함
Adam FTMO MT5
Vyacheslav Izvarin
5 (2)
ADAM EA Special Version for FTMO Please use ShowInfo= false for backtesting ! Our 1st EA created using ChatGPT technology Trade only GOOD and checked PROP FIRMS  Default parameters for Challenge $100,000 Tested on EURUSD and GBPUSD only  Use 15MIN Time Frame Close all deals and Auto-trading  before Weekend at 12:00 GMT+3  Friday For Prop Firms MUST use special Protector  https://www.mql5.com/en/market/product/94362 -------------------------------------------------------------------------------
FiboPlusWaves MT5
Sergey Malysh
5 (1)
FiboPlusWave Series products Ready-made trading system based on Elliott waves and Fibonacci retracement levels . It is simple and affordable. Display of the marking of Elliott waves (main or alternative option) on the chart. Construction of horizontal levels, support and resistance lines, a channel. Superposition of Fibonacci levels on waves 1, 3, 5, A Alert system (on-screen, E-Mail, Push notifications).    Features: without delving into the Elliott wave theory, you can immediately open one of
Mt5BridgeBinary
Leandro Sanchez Marino
I automated its commercial strategies for use of binary in MT5 and with our Mt5BridgeBinary I sent the orders to its Binary account and I list: begin to operate this way of easy! The expert advisers are easy to form, to optimize and to realize hardiness tests; also in the test we can project its long-term profitability, that's why we have created Mt5BridgeBinary to connect its best strategies to Binary. Characteristics: - It can use so many strategies as I wished. (Expert Advisor). - He doe
Xrade EA
Yao Maxime Kayi
Xrade EA is an expert advisor as technical indicator. For short period trade it's the best for next previsions of the trend of the market. +--------------------------------------------------------------------------------------- Very Important Our robot(data anylizer) does'nt take a trade procedure. If using only our robot you must take positions by yoursels +--------------------------------------------------------------------------------------- The technical indiator provide for a give
Technical confluence zones is a very popular tool for traders. This EA detects such zones by studying chart patterns, naked price levels, fib levels, SMA/EMA over multiple timeframes and more. The source data is loaded from Mytradingpet.com. To find out what are factored in when determining such zones, visit https://mytradingpet.com - a free service for all traders. The zones are color coded. Purple indicates the highest level of confluence.
PROMOTION!! $499 until 1 Mar. After that, EA will be $1,050 Developed and tested for over 3 years, this is one of the safest EAs on the planet for trading the New York Open. Trading could never be easier.  Trade On NASDAQ US30 (Dow Jones Industrial Average) S&P 500  What Does The EA do? The EA will open a Buy Stop Order and a Sell Stop Order(With SL and TP) on either side of the market just a few seconds before the NY Open.  As soon as 1 of the 2 trades is triggered, the EA automatically delete
Saving data from the order book. Data replay utility: https://www.mql5.com/en/market/product/71640 Library for use in the strategy tester: https://www.mql5.com/en/market/product/81409 Perhaps, then a library will appear for using the saved data in the strategy tester, depending on the interest in this development. Now there are developments of this kind using shared memory, when only one copy of the data is in RAM. This not only solves the memory issue, but gives faster initialization on each
Bekenet Signal Generator
Joseph Adgekawe Bekedemor
Bekenet 신호 생성기.. 이 소프트웨어는 전문가 조언자이지만 거래는 하지 않습니다. metaqote ID가 활성화되면 사용자 모바일 mt5 앱에 수익성 있는 신호만 보냅니다. 이 소프트웨어는 정지 손실이 있는 매수 및 매도 신호를 제공합니다. 이 소프트웨어는 MT5 및 15분 시간 프레임으로 작동합니다. Bekenet 신호 발생기는 가격 조치만을 사용하여 설계되었습니다. 일간, 주간 및 4시간 시간대의 주요 수준을 계산하고 15분을 사용하여 시장에 완벽하게 진입합니다. 이 소프트웨어는 통화, 합성, 암호, 주식 및 지수에 이르는 모든 쌍에 대해 수익성 있는 신호를 생성합니다. Bekenet 신호 발생기에는 a가 필요합니다. VPs 서버와 모든 신호는 metaqote Id로 전송됩니다.
一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.   一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.
Key levels are psychological price levels on the forex chart where many traders base their technical analyses on. These traders are likely to place their bullish or bearish entries, and exit points around these levels. And as a result, key levels tend to be crowded with a high trading volume. Key levels also attract so much trading volume because that is where institutional traders make their trades as well. And thanks to their big-money moves, key levels are often resilient and lasting. How
FTMO Sniper 7
Vyacheslav Izvarin
Dedicated for FTMO and other Prop Firms Challenges 2020-2024 Trade only GOOD and checked PROP FIRMS  Default parameters for Challenge $100,000 Best results on GOLD and US100  Use any Time Frame Close all deals and Auto-trading  before  US HIGH NEWS, reopen 2 minutes after Close all deals and Auto-trading  before Weekend at 12:00 GMT+3  Friday Recommended time to trade 09:00-21:00 GMT+3 For Prop Firms MUST use special  Protector  https://www.mql5.com/en/market/product/94362 ------------------
Introducing TEAB Builder - The Ultimate MT5 Expert Advisor for Profoundly Profitable and Customizable Trading!     Are you ready to take your trading to the next level? Meet TEAB Builder, an advanced MT5 Expert Advisor designed to provide unparalleled flexibility, high-profit potential, and an array of powerful features to enhance your trading experience. With TEAB Builder, you can effortlessly trade with any indicator signal, allowing you to capitalize on a wide range of trading strategies.  
The Wall Street Player (Master version). This EA tailored as a Discipline, Money and Risk Management tool is a powerful Trade Station utility designed for Forex, Cryptos, Commodities, Shares, Deriv synthetic pairs and any CFDs Market. It is designed to fit your strategy as a winner, and take your Edge of the market to the NEXT-LEVEL. The only thing to do is to get It on your chart and appreciate the possibilities and chart management abilities it has to offer for realizing that discipline and a
The Wall Street Player (Ultimatum version). This EA tailored as a Discipline, Money and Risk Management tool is a powerful Trade Station utility designed for Forex, Cryptos, Commodities, Shares, Deriv synthetic pairs and any CFDs Market. It is designed to fit your strategy as a winner, and take your Edge of the market to the NEXT-LEVEL. The only thing to do is to get It on your chart and appreciate the possibilities and chart management abilities it has to offer for realizing that discipline and
Sabira Reactive
Gounteni Dambe Tchimbiandja
IMPORTANT NOTE THIS EA IS NOT FULLY AUTOMATED, IT ONLY TAKES POSITIONS IN ZONES YOU DEFINE IT ASSISTS YOU. SO YOU NEED TO WATCH THE CHART CLOSELY THE MAIN POINT OF THIS EA IS TO FORCE THE TRADER TO RESPECT ENTRY RULES <<CONFIRMATION IS THE KEY>>. SO THE TRADER WILL ONLY LOOK FOR ZONES THE EA WILL LOOK FOR CONFIRMATION CANDLES AND ENTER IF A CONFIRMATION IS FOUND FOR EXAMPLE: If price is in a Bullish zone. Rule, look for buys. If Bullish Candlestick Pattern  or any other bullish candle pattern s
Lets easy order panel: 외환 및 CFD 거래를 쉽게 Forex와 CFD 거래에 혁신을 가져올 Lets easy order panel을 소개합니다. 이 혁신적인 도구는 복잡한 거래 과정을 단순화하여 여러분의 거래 경험을 획기적으로 개선합니다. 주요 특징: 모든 주문 기능을 하나의 패널에 통합 직관적이고 사용하기 쉬운 인터페이스 신속한 주문 실행으로 시간 절약 Lets easy order panel과 함께라면, 복잡한 주문 과정에 시간을 낭비하지 않고 시장 분석과 전략 수립에 더 많은 시간을 투자할 수 있습니다. 이는 곧 더 나은 거래 결정으로 이어져 좋은 기회를 제공합니다. 효율성, 편의성, - Lets easy order panel이 여러분의 거래에 가져다 줄 세 가지 핵심 가치입니다. 지금 바로 Lets easy order panel과 함께 거래의 새로운 장을 열어보세요.
GT Trade Manager
Alexander Martin Koenig
This Utility is designed for price action strategies, trading flags and retests, such as Guerrilla Trading and similar strategies It allows to: place pending orders for retests (on the Retest line or x PIPs away from the retest line) place orders for flag formations calculate lotsizes based on account size, currency pair and risk percentage split trades and place multiple trades if lot size exceeds max lot size given by broker manage trades with a trailing SL/TP behind the most recent highs/lows
Unicorn Ultimate EA
Harifidy Razafindranaivo
BRIEF INTRODUCTION : This new product is a complete application developed to automate trader trading tasks with a winning trading strategy modern. This new brand product provides two types of functionality such as a manual and a fully automatic trading. Unicorn is adapted with multicurrency. This application utilizes Moving Average indicator as market price trend directional and Stochastic indicator as price Oscillator. Unicorn possesses an automatical Breakeven BE Checker and an automate CRASH
INTRODUCTION : This new brand product is an independant application. His role is to catch every spikes in millimeter and open a transaction when the panel detects a spike appearance. This application passed a lot of back testing before published in the market. IMPORTANT   :  It is recommended to use Virtual Hosting Server VPS or Cloud network to optimise the trading Panel methods implemented and to ope rate 24h a day. REQUIREMENTS : Relevant Terminal : Metatrader 5 - MT5. Brokers : Deriv Ltd and
Centage
Kwuemeka Kingsle Anyanwu
Centage: Your Smart Trading Bot for Risk Management. Centage is a cutting-edge trading bot designed to automate your trading strategy with precision and efficiency. Unlike typical trading bots, Centage prioritizes risk management by incorporating an essential feature: it closes all open trades when your account balance reaches a predefined threshold. This helps lock in profits and prevents overexposure to the market, giving you greater control over your financial goals.  With Centage, you can tr
Crash and Boom Panel
Harifidy Razafindranaivo
INTRODUCTION : This new brand product is an application capable of catching spikes automatically in real time of trade session. The report of the test shows how this panel brings a great profitable advantage in action. This robot functions autonomousely with a minimum risk. This trading Panel permits users to proceed a Copy trading. IMPORTANT : It is recommended to use Virtual Hosting Server VPS to optimize the trading Panel methods implemented and to operate 24h a day. REQUIREMENTS : R
GreenFx
Van Hung Tran
GreenFx Auto Trading Gold and Forex Default setting for gold trading on a 5-minute time frame. Minimum Balance for EA: 2,000 USD for trading XAUUSD, Recomment 5.000$  Please test with Cent account before using with USD account. EA can close orders before important economic news through API connection.  Message the author directly at MQL5 for support in setting up transactions for Forex currency pairs.
Trade Assistant MT5
Evgeniy Kravchenko
4.38 (165)
거래당 위험 계산, 라인을 사용한 손쉬운 신규 주문, 부분 청산 기능을 통한 주문 관리, 7가지 유형의 트레일링 스탑 및 기타 유용한 기능을 제공합니다. 주의, 응용 프로그램은 전략 테스터에서 작동하지 않습니다. 설명 페이지에서 데모 버전을 다운로드할 수 있습니다.  Manual, Description, Download demo 라인 기능       - 차트에 개시선, 손절매, 차익실현을 표시합니다. 이 기능을 사용하면 새로운 주문을 쉽게 하고 개봉 전에 추가 특성을 볼 수 있습니다. 위기 관리       -       위험 계산 기능은 설정된 위험과 손절매 주문의 크기를 고려하여 새 주문의 볼륨을 계산합니다. 이를 통해 손절매 크기를 설정하고 동시에 설정된 위험을 존중할 수 있습니다. 로트 계산 버튼 - 위험 계산을 활성화/비활성화합니다. 필요한 위험 값은 위험 필드에 0에서 100 사이의 백분율 또는 예금 통화로 설정됩니다. 설정 탭에서 위험 계산 옵션을 선택합니다.
Trade Manager EA에 오신 것을 환영합니다. 이 도구는 거래를 보다 직관적이고 정확하며 효율적으로 만들기 위해 설계된 궁극적인 리스크 관리 도구 입니다. 단순한 주문 실행 도구가 아닌, 원활한 거래 계획, 포지션 관리 및 리스크 제어를 위한 종합 솔루션입니다. 초보자부터 고급 트레이더, 빠른 실행이 필요한 스캘퍼에 이르기까지 Trade Manager EA는 외환, 지수, 상품, 암호화폐 등 다양한 시장에서 유연성을 제공합니다. Trade Manager EA를 사용하면 복잡한 계산은 이제 과거의 일이 됩니다. 시장을 분석하고 진입, 손절 및 익절 수준을 차트의 수평선으로 표시한 후 리스크를 설정하면, Trade Manager가 이상적인 포지션 크기를 즉시 계산하고 SL 및 TP 값을 실시간으로 표시합니다. 모든 거래가 간편하게 관리됩니다. 주요 기능: 포지션 크기 계산기 : 정의된 리스크에 따라 거래 크기를 즉시 결정합니다. 간단한 거래 계획 : 진입, 손절, 익절을 위한
Local Trade Copier EA MT5
Juvenille Emperor Limited
4.99 (71)
Local Trade Copier EA MT5 를 사용하여 매우 빠른 거래 복사 경험을 해보세요. 1분 안에 간편하게 설정할 수 있으며, 이 거래 복사기를 사용하면 Windows 컴퓨터 또는 Windows VPS에서 여러 개의 MetaTrader 터미널 간에 거래를 0.5초 미만의 초고속 복사 속도로 복사할 수 있습니다. 초보자든 전문가든   Local Trade Copier EA MT5 는 다양한 옵션을 제공하여 사용자의 특정 요구에 맞게 맞춤 설정할 수 있습니다. 이는 수익 잠재력을 높이려는 모든 사람을 위한 최고의 솔루션입니다. 지금 사용해보시고 이것이 왜 시장에서 가장 빠르고 쉬운 무역용 복사기인지 알아보세요! 팁: 여기 에서 데모 계정에서 Local Trade Copier EA MT5 데모 버전을 다운로드하여 사용해 볼 수 있습니다. 다운로드한 무료 데모 파일을 MT5 >> File >> Open Data Folder >> MQL5 >> Experts 폴더에 붙여넣고
TradePanel MT5
Alfiya Fazylova
4.85 (116)
Trade Panel은 다기능 거래 보조원입니다. 이 애플리케이션에는 수동 거래를 위한 50개 이상의 기능이 포함되어 있으며 대부분의 거래 작업을 자동화할 수 있습니다. 구매하기 전에 데모 계정에서 데모 버전을 테스트할 수 있습니다. 데모는 여기 에서 확인하세요. 전체 지침은 여기 에서 확인하세요. 거래 . 한 번의 클릭으로 기본적인 거래 작업을 수행할 수 있습니다: 보류 주문 및 포지션 열기 주문 그리드 열기 보류 주문 및 포지션을 마감합니다. 포지션 전환(매수를 청산하여 매도를 개시하거나 매도를 청산하여 매수를 개시). 포지션 고정(반대 포지션을 열어 SELL과 BUY 포지션의 볼륨을 동일하게 만듭니다). 모든 포지션을 부분 청산합니다. 모든 포지션의 이익실현 및/또는 손절매를 공통 수준으로 설정합니다. 모든 포지션의 손절매를 손익 분기점 수준으로 설정합니다. 주문 및 포지션을 열 때 다음을 수행할 수 있습니다. 설정된 위험에 따라 거래량 자동 계산을 사용합니다. 한 번의 클릭으
사용자 지정 알림은 8가지 주요 통화(USD, CAD, GBP, EUR, CHF, JPY, AUD, NZD)와 금(XAU), 이러한 통화를 기준으로 하는 28개의 모든 외환 및 금 쌍, US30, UK100, WTI, 비트코인 등 최대 7개 지수에 걸쳐 유망한 설정을 식별하는 다목적 멀티마켓 모니터링 도구입니다. 완전히 사용자 정의할 수 있습니다. 이 도구는 FX 파워, FX 볼륨, IX 파워 지표에서 데이터를 수집하여 중요한 이벤트를 알려줍니다.   시작하기 전에 이 멀티 마켓 스캐너가 제공하는 모든 옵션을 활용하려면 터미널에 사용 중인 보조지표가 이미 설치되어 있어야 합니다. 기능 및 다양한 알림 옵션에 대한 자세한 내용은 -> 사용자 지정 알림 FAQ에서 확인하세요.                                                                                                        사용자 지정 알림은
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
Trade Dashboard MT5
Fatemeh Ameri
4.96 (52)
Tired of complex order placement and manual calculations? Trade Dashboard is your solution. With its user-friendly interface, placing orders becomes effortless, by a single click, you can open trades, set stop loss and take profit levels, manage trade lot size, and calculate risk to reward ratios, allowing you to only focus on your strategy. Say goodbye to manual calculations and streamline your trading experience with Trade Dashboard. Download  Demo Version  right now. You can find  Details of
Telegram To MT5 Receiver
Levi Dane Benjamin
4.88 (8)
가입한 모든 채널에서 (개인 및 제한된 채널 포함) 시그널을 바로 MT5로 복사합니다.   이 도구는 사용자를 고려하여 설계되었으며 거래를 관리하고 모니터하는 데 필요한 많은 기능을 제공합니다. 이 제품은 사용하기 쉽고 시각적으로 매력적인 그래픽 인터페이스로 제공됩니다. 설정을 사용자 정의하고 제품을 몇 분 안에 사용할 수 있습니다! 사용자 가이드 + 데모  | MT4 버전 | 디스코드 버전 데모를 시도하려면 사용자 가이드로 이동하십시오. Telegram To MT5 수신기는 전략 테스터에서 작동하지 않습니다! Telegram To MT5 특징 여러 채널에서 동시에 신호를 복사합니다. 개인 및 제한된 채널에서 신호를 복사합니다. Bot 토큰이나 채팅 ID가 필요하지 않습니다.   (원하는 경우에는 사용할 수 있습니다) 위험 % 또는 고정된 로트로 거래합니다. 특정 심볼을 제외합니다. 모든 신호를 복사할지 또는 복사할 신호를 사용자 정의할지 선택할 수 있습니다. 모든 신호
제작자의 제품 더 보기
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
필터:
ChristianWale
34
ChristianWale 2023.11.12 01:13 
 

사용자가 평가에 대한 코멘트를 남기지 않았습니다

리뷰 답변
버전 1.2 2023.11.11
- improve logs
버전 1.1 2023.11.08
improve logs