• 概述
  • 评论 (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

推荐产品
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
4 (4)
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
Introducing the Moving average crossing template which is an Expert advisor template utility for two moving averages for the the cross over strategy where it enters trades based on the crossing of your specified  moving moving averages. You can select the fast moving average and the slow moving average values of your choice. you can choose your preferred trade volume.  you can  choose your preferred number of trades to execute. you can add your stop loss and take profit join my channel for free
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
Vladimir Gribachev
您想在電報頻道中交易和發布您的信號嗎?那麼這個實用程序是給你的。 - 在您的終端交易 - 向您的電報頻道發布交易 您的客戶會很高興: - 每天 5 個信號 - 漂亮的信號設計 定制 服務 -> 設置 -> EA 交易 -> 允許以下 URL 的 WebRequest: https://api.telegram.org 在 Telegram 中,轉到 @BotFather 並創建一個機器人 複製機器人的令牌並將其輸入到顧問的參數中 創建您的頻道並將其設為公開 將您創建的機器人添加到您的頻道並使其成為管理員 點擊鏈接: https://api.telegram.org/bot [TOKEN_BOTA]/sendMessage?chat_id=@[USERNAME_KANALA]&text=TEST。將括號 [] 替換為您自己的值。就我而言 https://api.telegram.org/bot1285429093:AAERdfBAsdy5Vq8FotJWQZxLejXR8rRiZJ4/sendMessage?chat_id=@moneystrategy_mq
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
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
FREE
Trade Assistant Panel
Md Sakhawat Hossain
4 (1)
Trade Assistant Panel: Your Optimal Trading Ally "The Trade Assistant Panel" is a graphical tool for traders aiming to simplify and enhance their trading experience. It streamlines order execution and management, allowing you to focus on market analysis and decision-making. With just a few clicks, you can initiate various order types, ensuring that you always have full control over your trading strategy: Buy Orders Sell Orders Buy Stop Orders Buy Limit Orders Sell Stop Orders Sell Limit Orders Y
FREE
ChartColorMT5
Thomas Pierre Maurice Moine
Customize your charts with this simple utility. Choose in the 24 pre-built color sets, or use your own colors, save them to re-use them later. You can also add a text label on your chart. --- Chart Colors-- Color Set : 24 prebuilt color sets (select "Custom" to use colors below) Background color Foreground color Grid color Chart Up color Chart Down color Candle Bull color Candle Bear color  Line color Volumes color --- Label--- Text Label : Type the text you want to appear on the chart Label
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
该实用程序旨在快速复制位于同一计算机或 Windows VPS 服务器上的 MT4 和/或 MT5 终端之间的交易。 提供了复制发票时可能需要的最重要和最有用的选项: 复制所有交易或仅复制当前工具的交易 复制止盈和止损 仅复制顾问开始工作后打开的新交易 重新开放交易 输入反转 添加/删除乐器名称中的前缀和后缀 复制的最低余额 部分关闭交易 要开始复制,请在要从中复制交易的帐户上安装该实用程序。 为此,请选择复制模式:主复制 在将接收信号的帐户上安装该实用程序。 为此,请选择复制模式:从属并在主帐号字段中输入主帐号 支持复制原始主账户手数或根据余额大小自动计算。 无需复制止盈和止损,因为在主账户上关闭交易时,顾问将自动在接收账户上关闭该交易。 复制止盈和止损时,可以添加指定数量的点数。 这是必要的,以便接收账户上的交易不会在主账户上的交易之前关闭,因为在这种情况下,交易可能会在启用重新开仓选项的情况下再次打开。 如果符号名称中存在其他前缀和后缀,则必须注明它们。 例如,主账户上的货币对 EURUSD 称为   EURUSDfrd ,从账户上的货币对称为  
* 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
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 (2)
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
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
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.:
使用说明: https://www.mql5.com/zh/blogs/post/754946 MT4版本: https://www.mql5.com/zh/market/product/88205 MT5 版本: https://www.mql5.com/zh/market/product/88204 ---------------------------------------------- 1.复制订单,从12个主帐号到100个从帐号.从帐号数量可以自定,从12个到100个。 2.支持MT4到MT4, MT4到MT5, MT5到MT4,MT5 到MT5. 3.识别不同平台的交易品种后缀,如EURUSD,EURUSDm,EURUSDk. 4.自定义货币匹配,如XAUUSD=GOLD. 5.可复制所有交易,或只复制BUY,SELL,CLOSE指令 6.可选择是否复制止盈止损 7.可反向复制,如主帐号是BUY,从帐户就是SELL,反之也是。当主帐号平仓时,从帐户不管是同向复制还是反向复制,都会同时平仓 8.发生意外如从帐号关闭时,主帐号有平仓信号而从帐号没有及时复制,当从帐号再次
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, but in real time only, without access to its history. This expert adviser OrderBook History Playback allows you to playback the market book events on the history using files, created by OrderBook Recorder . The exper
FREE
Account Info Free for MT5
Denis Zyatkevich
4.5 (2)
Overview The script displays information about the trade account: Information about the trade account: Account - account number and type (Real, Contest or Demo); Name - name of the account owner; Company - name of a company that provide the access to trading; Server - trade server name; Connection State - connection state; Trade Allowed - shows whether trading is allowed on the account at the moment; Experts Allowed - shows whether it is allowed to trade using Expert Advisors; Balance - account
FREE
BoletaMiniPanel
PATRICK ANTONIO MORELO A.
5 (5)
Simple panel with  Stop loss (Loss), Stop gain (Gain) , Trailing stop (TS) and Breakeven (BE-P). Lot is the number of contracts to be traded. Gain is the number, in points, that the stop gain will be positioned. If you don't want to put stop gain, just put 0 (zero) in place and when you open the order it won't have this stop. Loss is the number, in points, that the stop loss will be placed. If you don't want to put stop loss, just put 0 (zero) in place and when you open the order it won't
FREE
该产品的买家也购买
Trade Assistant MT5
Evgeniy Kravchenko
4.4 (171)
它有助于计算每笔交易的风险,容易安装新的订单,具有部分关闭功能的订单管理, 7 种类型的追踪止损和其他有用的功能。   注意,该应用程序在策略测试器中不起作用。 您可以在描述页面下载演示版  Manual, Description, Download demo 线条功能  - 在图表上显示开仓线、止损线、止盈线。 有了这个功能,就可以很容易地设置一个新的订单,并在开仓前看到它的附加特性。   风险管理  - 风险计算功能在考虑到设定的风险和止损单的大小的情况下,计算新订单的成交量。它允许你设置任何大小的止损,同时观察设定的风险。 批量计算按钮 - 启用 / 禁用风险计算。 在 " 风险 " 一栏中设置必要的风险值,从 0 到 100 的百分比或存款的货币。 在 " 设置 " 选项卡上选择风险计算的变量: $ 货币, % 余额, % 资产, % 自由保证金, % 自定义, %AB 前一天, %AB 前一周, %AB 前一个月。   R/TP 和 R/SL - 设置止盈和止损的关系。 这允许你设置相对于损失的利润大小。 例如, 1 : 1 - 这决定了 TP = SL 的大小。 2 :
您认为在价格可以瞬间变化的市场中,下单应该尽可能简单吗? 在 Metatrader 中,每次您要开单时,您都必须打开一个窗口,您可以在其中输入开盘价、止损和止盈以及交易规模。 在金融市场交易中,资本管理对于维持您的初始存款并使其倍增至关重要。 因此,当您想下订单时,您可能想知道应该开多大的交易? 在这单笔交易中,您应该承担多少百分比的存款? 您可以从这笔交易中获利多少,利润风险比是多少? 在您设置交易规模之前,您需要进行必要的计算,以获得交易规模应该是多少的问题的答案。 想象一下,您有一个工具可以自动完成所有这些工作。 您打开图表,进行市场分析并用水平线标记入场点、防御点(止损)和目标(止盈),最后您定义风险水平,例如 作为可用资本的百分比,您可以在此交易中承担,此时程序提供: 定义风险和止损规模的可接受交易规模 以点数、点数和账户货币计的止损和获利值 风险回报率 现在剩下的就是点击面板上的相应按钮来打开交易。 如果您是黄牛,需要在不设置防御或目标的情况下快速打开和关闭交易,那么您可以在交易管理器面板中轻松掌握一切,您可以在其中定义固定订单参数并通过单击“购买”或 “卖出”按钮。 关闭
TradePanel MT5
Alfiya Fazylova
4.86 (113)
交易面板是一个多功能的交易助手。 该应用程序包含 50 多个手动交易功能,并允许您自动执行大多数交易操作。 适用于任何交易工具(外汇、差价合约、期货等)。 可以在一个终端窗口中处理所有符号。 可定制的面板尺寸(高达 4K 分辨率)。 它具有灵活直观的界面,允许您自定义面板,隐藏所有未使用的功能和选项卡。 该应用程序被设计为一组互连的面板: 贸易面板。 旨在执行基本交易操作: 打开挂单和仓位。 关闭挂单和仓位。 立场逆转。 通过开立相反仓位来封锁仓位。 一键执行所有仓位的部分平仓。 只需单击一下,即可将所有头寸的止盈和/或止损设置为同一水平。 一键点击,将所有仓位的止损设置至盈亏平衡水平。 开挂单和建仓时,您可以: 根据既定风险自动计算交易量。 一键打开多个订单。 将计算出的交易量分配给多个订单(如果计算出的交易量大于每个订单允许的最大交易量)。 使用标签打开订单,在图表上直观地显示未来订单的交易水平位置。 建仓时,设置最大点差限制。 使用止盈和止损之间的自动比率。 使用虚拟止损和止盈。 将当前点差添加到止损和止盈。 使用 ATR 指标计算止盈和止损。 为挂单设置“挂单到期日期”。 当关
Trade Manager DaneTrades
DaneTrades Ltd
4.73 (22)
交易管理器可帮助您快速进入和退出交易,同时自动计算风险。 包括帮助您防止过度交易、报复性交易和情绪化交易的功能。 交易可以自动管理,账户绩效指标可以在图表中可视化。 这些功能使该面板成为所有手动交易者的理想选择,并有助于增强 MetaTrader 5 平台。多语言支持。 MT4版本  |  用户指南+演示 交易经理在策略测试器中不起作用。 如需演示,请参阅用户指南 风险管理 根据%或$自动调整风险 可选择使用固定手数或根据交易量和点自动计算手数 使用 RR、点数或价格设置盈亏平衡止损 追踪止损设置 最大每日损失百分比,在达到目标时自动平仓所有交易。 保护账户免遭过多提款并阻止您过度交易 最大每日损失(以美元为单位)在达到目标时自动关闭所有交易。 保护账户免遭过多提款并阻止您过度交易 一键实现所有交易的盈亏平衡 自动计算从手机/电话发送的交易的风险 OCO 在设置中可用 交易和头寸管理 通过设置每月、每周、每天、每小时或每分钟的最大交易次数,停止过度交易和报复性交易。 高级挂单管理。 调整何时关闭挂单的规则 追踪挂单 支持市价订单和挂单 每日最大利润目标(以美元为单位)以确保头寸并停
MT5 to Telegram Signal Provider 是一个易于使用且完全可自定义的工具,它允许向 Telegram 的聊天室、频道或群组发送 指定 的信号,将您的账户变为一个 信号提供商 。 与大多数竞争产品不同,它不使用 DLL 导入。 [ 演示 ] [ 手册 ] [ MT4 版本 ] [ Discord 版本 ] [ Telegram 频道 ] 设置 提供了逐步的 用户指南 。 不需要了解 Telegram API;开发者提供了您所需的一切。 关键特性 能够自定义发送给订阅者的订单详情 您可以创建分层的订阅模型,例如铜、银、金。其中金订阅获得所有信号等。 通过 id、符号或评论过滤订单 包括执行订单的图表截图 在发送的截图上绘制已关闭的订单,以便额外核实 延迟发送新订单消息的可能性,以便在发送前对位置进行调整 订单详情完全透明: 新的市场订单*带截图 订单修改(止损、获利) 已关闭的订单*带截图 部分关闭的订单** 新的挂单 修改的挂单(进场价格) 挂单激活(作为新的市场订单附加) 已删除的挂单 历史订单报告*** 可自定义的评论 注意: *
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
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
将信号从您所属的任何渠道(包括私人和受限渠道)直接复制到您的 MT5。 该工具在设计时充分考虑了用户的需求,同时提供了管理和监控交易所需的许多功能。 该产品采用易于使用且具有视觉吸引力的图形界面。 自定义您的设置并在几分钟内开始使用该产品! 用户指南 + 演示  |   MT4版本  |   不和谐版本 如果您想尝试演示,请参阅用户指南。 Telegram To MT5 接收器在策略测试器中不起作用! Telegram 至 MT5 功能 一次复制多个通道的信号 从私人和受限频道复制信号 不需要机器人令牌或聊天 ID(如果出于某种原因需要,您仍然可以使用这些) 使用风险百分比或固定手数进行交易 排除特定符号 选择复制所有信号或自定义要复制的信号 配置单词和短语以识别所有信号(默认值应适用于 99% 的信号提供商) 配置时间和日期设置以仅在需要时复制信号 设置一次打开的最大交易量 交易和头寸管理 使用信号或自动设置的管理 通过设置每月、每周、每天、每小时或每分钟的最大交易次数,停止过度交易和报复性交易。 支持市价订单和挂单 每日最大利润目标(以美元为单位)以确保头寸并停止过度交易
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
-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
UTM Manager 是一款直观且易于使用的工具,可提供快速高效的交易执行。其中一项突出的功能是“忽略价差”模式,该模式使您能够以蜡烛的价格进行交易,完全忽略价差(例如,允许在 LTF 上交易更高价差的货币对,避免因价差而退出交易)。 UTM Manager 的另一个关键方面是其独特的本地交易复印机,允许在每个经纪商中灵活地运行不同的交易策略和设置,例如不同的 TP、BE 和风险规则。 交易执行: 快速高效的交易执行:通过点击图表上的入场价格和止损价格或使用一键固定止损尺寸功能轻松进入交易。 自动手数计算:根据预定义的风险设置计算手数,当通过拖动修改仓位时会重新计算手数。 能够同时处理一个或多个职位。 止盈和盈亏平衡: 灵活的止盈设置:通过特定的风险回报 (RR) 比率设置灵活的部分止盈水平。 可配置的自动盈亏平衡功能:当达到一定的利润水平时,将止损移至盈亏平衡点。 用户友好的界面: 用户友好的图形界面 (GUI),可轻松保存和加载设置。 内置帮助工具提示来解释其他功能。 职位定制: 仓位定制和调整:经理将所有仓位绘制在图表上,通过拖动线条即可轻松定制和调整。 图表上的按钮: 图
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
将信号从任何您是会员的渠道(无需机器人令牌或管理员权限)直接复制到您的 MT5。 它的设计以用户为中心,同时提供您需要的许多功能 该产品采用易于使用且具有视觉吸引力的图形界面。 自定义您的设置并在几分钟内开始使用该产品! 用户指南 + 演示  | MT4版本 | 电报版本 如果您想尝试演示,请参阅用户指南。 Discord To MT5 在策略测试器中不起作用。 Discord MT5 功能 从您是会员的任何频道复制。 无需机器人令牌或聊天 ID 使用风险百分比或固定手数进行交易 排除特定符号 选择复制所有信号或自定义要复制的信号 配置单词和短语以识别所有信号(默认值应适用于 99% 的信号提供商) 配置时间和日期设置以仅在需要时复制信号 设置一次打开的最大交易量 交易和头寸管理 使用信号或自动设置的管理 通过设置每月、每周、每天、每小时或每分钟的最大交易次数,停止过度交易和报复性交易。 支持市价订单和挂单 每日最大利润目标(以美元为单位)以确保头寸并停止过度交易 确保仓位的每日最大利润目标(%) 最大开放交易以限制风险和敞口。 使用 RR、点数或价格自动获取部分内容 使用固
-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
交易面板一键交易。 处理仓位和订单! 通过 图表 或 键盘 进行交易 。 使用我们的交易面板,您只需单击一下即可直接从图表中执行交易,执行交易操作的速度比使用标准 MetaTrader 控件快 30 倍。 参数和函数的自动计算使交易者的交易更加快捷、方便。 图形提示、信息标签和有关贸易交易的完整信息均位于图表 MetaTrader 上。 MT4版本 详细描述   +DEMO +PDF 如何购买 如何安装     如何获取日志文件     如何测试和优化     Expforex 的所有产品 打开和关闭、反转和锁定、部分关闭/Autolot。虚拟/真实止损/止盈/追踪止损/盈亏平衡,订单网格... МetaТrader 5 中主要订单的交易控制面板 :买入、卖出、buystop、buylimit、sellstop、selllimit、平仓、删除、修改、追踪止损、止损、获利。 有 5 个选项卡 可用:头寸、挂单、账户信息、信号和总利润。 Description on English VirtualTradePad在“  MQL5语言最佳图形面板  ”竞赛中 获得二等奖 。 注意
MT4 to Discord Signal Provider 是一款用户友好、完全可定制的工具,专为直接向 Discord 发送交易信号而设计。这个工具将您的交易账户转变为一个高效的信号提供者。 自定义消息格式以适应您的风格!为了方便使用,您可以从预先设计的模板中选择,并决定包括或排除哪些消息元素。 [ 演示 ] [ 手册 ] [ MT4 版本 ] [ Telegram 版本 ] 设置 遵循我们详细的 用户指南 进行简单设置。 不需要预先了解 Discord API;我们提供所有必要工具。 主要特性 为订阅者更新自定义订单详情。 实施分层订阅模型,如铜牌、银牌、金牌,每一层都提供不同级别的信号访问。 附加执行订单的图表截图。 在这些截图上显示已关闭的订单,以增加清晰度。 提供延迟发送新订单消息的选项,以便在发送前进行最后调整。 透明和详细的订单信息: 带截图的新市场订单。 订单修改(止损、获利)。 已关闭和部分关闭的订单。 新的和修改的挂起订单。 挂起订单的激活和删除。 关于历史订单的详细报告。 每个订单的可定制评论。 注意: * 截图包括图表上的任何对象,如指标。 ** 在报
Hedge Ninja
Robert Mathias Bernt Larsson
請務必在 www.Robertsfx.com 加入我們的 Discord 社區,您也可以在 robertsfx.com 購買 EA 無論價格向哪個方向移動,都能贏得勝利 無論價格向哪個方向移動,該機器人都會根據價格的移動方向改變方向,從而獲勝。這是迄今為止最自由的交易方式。 因此,無論它向哪個方向移動,您都會贏(當價格移動到屏幕截圖中的任何一條紅線時,它會以您設置的利潤目標獲勝)。 您面臨的唯一風險是價格是否正在整合(停留在一個地方)。 對沖忍者是一種半自動交易工具,您可以使用下面的對沖設置進行設置。當您告訴它進行交易時,購買或出售它,然後為您處理一切。 每次機器人改變方向時,它都會彌補你之前的損失,所以當你到達任何一條紅線時,你的利潤將是你決定的。 一個好的經驗法則是使用相當高的風險來獲得回報,但是你在這個鏈接上知道如何交易這個機器人的交易秘密。你想要的是價格移動,一旦它開始移動,你就直接走向你的利潤資金:) 設置 ADR / 平均點差 ADR 是平均每日範圍,顯示該工具在一天內通常平均移動多少點。很高興知道這一點,因為您不希望該機器人在點差變得更高
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
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
Trade Assistant 38 in 1
Makarii Gubaydullin
4.87 (15)
多功能工具:超过65个功能,其中包括:手数计算,价格行为,盈亏比,交易管理,供需区域。 演示版   |   用户手册   |  MT5版 任何问题 / 改进意见 / 如果发生了故障或错误    都可以联系我 该实用程序在策略测试器中不起作用:您可以在此处下载 演示版来测 试产品。 Trading functions require permitted auto trading (including on the broker's side) 简化,加快并且自动化你的交易过程。利用这款工具的控制功能就能增强普通交易端的执行力。 建立一笔新的交易:手数 / 风险 / 盈亏计算 1. 手数计算工具 (基于风险规模的交易量计算) 2. 风险计算工具 (基于手数大小的风险额计算) 3. 盈亏比 4. 订单的激活和触发,买入或卖出限价/买入或卖出止损 5. 虚拟的止损/止盈 (隐藏的止损,止盈:交易商不可见) 6.  智能的止损/入场点:当价格柱在收盘时已超越了才入场 (避免无效触发) 7. 隐藏掉挂单 (虚拟的订单) 8. 预订挂单:在市场关闭的时候你也可以下挂单 (适合周末
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
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
Auto Trade Copier 被设计成多的MT5账户/端子,绝对精度之间复制交易。 有了这个工具,你可以充当要么提供商(源)或接收(目的地) 。每一个交易行为将由提供商克隆到接收器,没有延迟。 以下是亮点功能:     在一个工具提供商或接收器之间转换角色。     一个供应商可以交易复制到多个接收者的账户。     绝对兼容MT5的顺序/位置管理规则,该规则允许与调整容积为每个符号只有一个位置。     自动识别和同步代理之间的符号后缀。     允许高达5特殊符号的设置(即: GOLD - > XAUUSD ,等等) 。     多lotsize设置选项。     允许过滤的订单类型将被复制。     关断端子或电源关闭后恢复以前的设置和状态。     实时控制面板。     使用方便,界面友好。 用法: - 安装工具提供的MT5终端,并选择角色“提供者” ,然后启用它。 - 安装工具接收的MT5终端,并选择角色的“接收器” ,输入提供商的帐号,然后启用它(你可以有很多接收者的帐户,只要你想) 。 设置和参数:      特殊符号设置(菜单)
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
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
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
Unlimited Trade Copier Pro MT5 is a tool to copy trade remotely between multiple MT4/MT5 accounts at different computers/locations over internet. This is an ideal solution for signal provider, who want to share his trade with the others globally on his 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 able to receive the sig
作者的更多信息
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