• 概述
  • 评论 (1)
  • 评论
  • 新特性

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

推荐产品
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
Fast Trading
Alexander Fedosov
Fast Trading is an intuitively handy panel for manual trading. With Fast Trading  you can quickly: 1. Set pending orders.    2. Place market positions and manage them.   3. Turn on voice notifications for basic actions.   Parameters Base FontSize — size of the font in the application. Caption Color — caption color of window. Back color — background color. Interface language — must be English or Russian. Magic Number — need for market positions and pending orders. Use Voice Notify — Action noti
Pending Orders Grid Complete System opens any combination of Buy Stop, Sell Stop, Buy Limit and Sell Limit pending orders and closes all existing pending orders. You will be able to Drag-and-Drop the Script on the chart and it will pick up the start price for the first position in the grid from the "Drop" point. Usually it should be in the area of Support/Resistance lines. Input Parameters Before placing all pending orders, the input window is opened allowing you to modify all input parameters
将完全可定制的信号从 MT5 发送到 Telegram,并成为信号提供商! 该产品采用易于使用且具有视觉吸引力的图形界面。 自定义您的设置并在几分钟内开始使用该产品! 用户指南 + 演示  | MT4版本 | 不和谐版本 如果您想尝试演示,请参阅用户指南。 MT5 电报发送器在策略测试器中不起作用。 MT5 转 Telegram 功能 通过大量选项根据您的喜好完全定制信号 在信号之前或之后添加您自己的自定义消息。 这可以是标签、链接、频道或其他任何内容 在信号中添加、删除、自定义表情符号。 或者您可以将它们全部删除。 按交易品种或幻数过滤要发送的交易 排除发送特定符号 排除发送特定幻数 自定义与信号一起发送的交易详细信息 发送带有信号的屏幕截图 自定义要发送的信号类型 发送信号性能的每日、每周、每月和自定义时间报告 我总是愿意改进产品,所以如果您有想要看到的功能,请发表评论或给我留言。
SyntheticIndices
Stanislav Korotky
The indicator compares quotes of a given symbol and a synthetic quote calculated from two specified referential symbols. The indicator is useful for checking Forex symbol behavior via corresponding stock indices and detecting their convergence/divergence which can forecast future price movements. The main idea is that all stock indices are quoted in particular currencies and therefore demonstrate correlation with Forex pairs where these currencies are used. When market makers decide to "buy" one
Оnly 5 Copies available   at   $90! Next Price -->   $149 The EA  Does NOT use Grid  or  Martingale . Default Settings for EURUSD Only   The EA has 6 Strategies with different parameters. It will automatically enter trades, take profit and stop loss and also may use reverse signal modes. If a trade is in profit it will close on TP/SL or reverse signal. The EA works on  EUR USD on H1 only   do not trade other pairs. Portfolio EURUSD   uses a number of advanced Strategies and different degrees
使用革命性的交易时间管理器轻松控制您的交易程序。这个强大的工具可以在指定时间自动执行订单,从而改变您的交易方式。 为不同的交易行为(从购买到设置订单)制定个性化任务列表,所有这些都无需人工干预。 交易时间管理器安装和输入指南 如果您想获取有关 EA 的通知,请将我们的 URL 添加到 MT4/MT5 终端(参见屏幕截图)。 MT4版本     https://www.mql5.com/en/market/product/103716 MT5版本     https://www.mql5.com/en/market/product/103715 告别人工监控,拥抱精简效率。直观的界面允许您设置精确的参数,包括交易品种、执行时间、价格、止损 (SL)、止盈 (TP) 点和手数大小。 该工具的灵活性通过与市场行为相匹配的适应性重复选项来凸显。通过视觉主题个性化您的体验,并减少长时间交易期间的眼睛疲劳。 摆脱手动交易程序,拥抱“交易时间管理器”的强大功能。提高交易的准确性、组织性和自由度。简化您的日常工作并重新体验交易。 主要特点: 自动订单执行:按指定时间间隔无缝自动执行订单,从而节省
Trade Dashboard MT5
Fatemeh Ameri
5 (25)
Tired of complex order placement and manual calculations? Trade Dashboard is your solution. With its user-friendly interface, placing orders becomes effortless, by a single click, you can open trades, set stop loss and take profit levels, manage trade lot size, and calculate risk to reward ratios, allowing you to only focus on your strategy. Say goodbye to manual calculations and streamline your trading experience with Trade Dashboard. Download   demo version   right now. You can find   deta
OrderHelper script is super easy and trader friendly to use. It would boost your trading experience. Because it is designed to open one to multiple orders quickly with just one click. Besides using the OrderHelper script, traders can define various parameters for open orders such as the symbol, order type, lot size, stoploss, takeprofit and more. Basically, with this script traders can manage their open orders more efficiently and save their trading time. OrderHelper manages: Open the number o
Tim Trend
Oleksii Ferbei
Due to the fact that at each separate period of time, trading and exchange platforms from different parts of the planet are connected to the trading process, the Forex market operates around the clock. Depending on which continent trading activity takes place during a certain period, the entire daily routine is divided into several trading sessions. There are 4 main trading sessions: Pacific. European. American Asian This indicator allows you to see the session on the price chart. You can als
Introducing the "Auto Timed Close Operations", a useful utility for MetaTrader 5 traders! This utility has been developed to help traders of all levels automatically close their open positions at the exact moment they desire. With the "Auto Timed Close Operations", you gain the required control over your trades and can avoid unwanted surprises at the end of the day or at any other predefined time. We know how important it is to protect your profits and limit your losses, and that's exactly what
Order Block Detector
Cao Minh Quang
5 (1)
Automatically detect bullish or bearish order blocks to optimize your trade entries with our powerful indicator. Ideal for traders following ICT (The Inner Circle Trader). Works with any asset type, including cryptocurrencies, stocks, and forex. Displays order blocks on multiple timeframes, from M2 to W1. Alerts you when an order block is detected, migrated, or a higher timeframe order block is created/migrated. Perfect for both scalping and swing trading. Enhanced by strong VSA (Volume Spread A
这个工具将在您的手机上发送详细的通知,并在MT5终端上提醒您,一旦您想看到的蜡烛图出现在图表上。该通知包含符号、蜡烛图样和形成该图样的时间框架。 你需要将Metatrader 5 Mobile与你的Windows终端连接起来。以下是方法。 https://www.metatrader5.com/zh/mobile-trading/iphone/help/settings/settings_messages#notification_setup 可以检测的烛台形态列表。 三个白兵 三只黑乌鸦 看涨的三线击球 看跌的三条线罢工 三条内侧上升线 三条内侧下跌 三条外线上涨 三线外跌 早晨之星 傍晚之星 看涨被遗弃的婴儿 看跌被遗弃的婴儿 看涨的哈拉米 看跌哈拉米 看涨的吞噬 看跌吞噬 锤子 射击之星 反转锤子 悬挂的人 蜻蜓斗鸡 墓碑十字星 早晨的斗极星 晚间斗极星 穿透线 黑暗四叶草 看跌的踢球者 看涨踢球者 长下影线(长颈线在下侧)。 长上影线(长灯芯在上方)。 输入参数 当你启动该工具时,你将不得不设置一些输入参数。 EnableMobileNotifications: 启用移动
Key Volumes MT5
Pavel Verveyko
The indicator shows key volumes confirmed by the price movement. The indicator allows you to analyze volumes in the direction, frequency of occurrence, and their value. There are 2 modes of operation: taking into account the trend and not taking into account the trend (if the parameter Period_Trend = 0, then the trend is not taken into account; if the parameter Period_Trend is greater than zero, then the trend is taken into account in volumes). The indicator does not redraw . Settings Histo
This non-trading expert utilizes so called custom symbols feature ( available in MQL API as well) to build custom charts based on history of real ticks of selected standard symbol. New charts imitate one of well-known graphic structures: Point-And-Figure (PnF) or Kagi. The result is not exactly PnF's X/O columns or rectangular waves of Kagi. Instead it consists of bars, calculated from and denoting stable unidirectional price moves (as multiples of the box size), which is equivalent to XO colum
ICT PD Arrays Trader
Aesen Noah Remolacio Perez
Attention All ICT Students! This indispensable tool is a must-have addition to your trading arsenal... Introducing the ICT PD Arrays Trader: Empower your trading with this innovative utility designed to enhance and simplify your ICT trading strategy and maximize your potential profits.  How does it work? It's simple yet highly effective. Begin by placing a rectangle on your trading chart and assigning it a name like 'ict' or any preferred identifier. This allows the system to accurately ide
Binance Quotes Updater
Andrey Khatimlianskii
5 (1)
This service is designed to stream online cryptocurrency quotes   from the Binance exchange to your MetaTrader 5 terminal. You will find it perfectly suitable if you want to see the quotes of cryptocurrencies in real time — in the Market watch window and on the MetaTrader 5 charts. After running the service, you will have fully featured and automatically updated  cryptocurrency charts in your MetaTrader 5. You can apply templates, color schemes, technical indicators and any non-trading tools to
币安是全球知名的加密数字货币交易所!为方便对加密数字货币行情进行实时数据分析,程序可自动将币安期货实时成交数据导入到MT5进行分析,主要功能有: 1、支持币安全部USD-M期货交易对自动创建,也可以单独设置基础货币。基础货币BaseCurrency为空表示所有货币,也可以单独设置BNB、ETC等任何币安支持的加密货币。 2、同步币安各货币的价格精度、交易量精度以及最大交易量等。 3、通过WebSocket链接币安,每一笔期货成交即可推送到Mt5更新行情。 4、支持所有期货品种同时更新,为提高实时数据效率,可自定义最大更新组(需要打开对应窗口更新),工具默认最大组数为4组,需要打开4个图表窗口,运行时分别设置RangNO为0,1,2,3(小于最大窗口数),以此类推。如果仅需要更新当前窗口的实时行情,可将RangNO设置为-1。 5、实时行情更新请使用代理地址,因此,必须将代理地址 trade.ctabot.com 添加到:MT5——工具——选项——EA——WebRequest列表中。 6、行情更新时,图表窗口的计数器会不断变化,如果因为网络原因或币安接口异常导致停止
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
Robot Manual Order Manager is a tool that allows you to automatically include Stop Loss, Breakeven, Take Profit and partials in open trades. Be it a market order or a limit order. Besides, it automatically conducts your trade, moving your stop or ending trades, according to the parameters you choose. To make your operations more effective, the Manual Orders Manager Robot has several indicators that can be configured to work on your trade. Among the options you can count on the features: Conducti
Pending Orders Grid Complete System   opens any combination of Buy Stop, Sell Stop, Buy Limit and Sell Limit pending orders and closes all existing pending orders. Only one time of the pending order at the same time!!! You will have a possibility to put a legitimate   Open Price   for the first position in the grid. Usually it should in the area of Support/Resistance lines. You just need to drop this script on the chart of a desired currency pair. Input Parameters Before placing all pending or
Tenha a boleta do ProfitChart no seu Metatrader! ........................ Agora é possível ter a boleta do profit no seu Metatrader. Envie ordens de compra e venda, acompanhe o mercado e simule estratégias em momentos de mobilidade, diretamente do seu Metatrader5. Gestão de riscos e otimização de lucros são dois princípios básicos de qualquer operação bem-sucedida. Nesse sentido, utilize as ferramentas de  STOPMOVEL, TRAILING STOP, STOPGAIN E ORDENS PARCIAIS DE SAÍDA.       Funcionalidades
Candle Info For selected candle: OHLC prices Open Time Bar shift body size in points upper shadow in points Lower shadow in points Candle length in points Tick volume For current candle: Remaining time Ticks/sec For the chart: Price at mouse position Time at mouse position Draw Lines For selected candle you can draw a projected line forward, backward or both ways. You can hide/show/delete all lines created.
币安是全球知名的加密数字货币交易所!为方便对加密数字货币行情进行实时数据分析,程序可自动将币安实时成交数据导入到MT5进行分析,主要功能有: 1、支持币安全部现货交易对自动创建,也可以单独设置盈利货币和基础货币。如盈利货币ProfitCurrency为空表示全部交易区,可选:USDT、BTC、DAI等币安支持的交易区(合约交易暂不支持),基础货币BaseCurrency为空表示所有货币,也可以单独设置BNB、ETC等任何币安支持的加密货币。 2、同步币安各货币的价格精度、交易量精度以及最大交易量等。 3、通过WebSocket链接币安,每一笔成交即可推送到Mt5更新行情。 4、支持所有现货品种同时更新,为提高实时数据效率,可自定义最大更新组(需要打开对应窗口更新),工具默认最大组数为4组,需要打开4个图表窗口,运行时分别设置RangNO为0,1,2,3(小于最大窗口数),以此类推。如果仅需要更新当前窗口的实时行情,可将RangNO设置为-1。 5、实时行情更新请使用代理地址,因此,必须将代理地址 trade.ctabot.com 添加到:MT5——工具——选项——EA
Zen MT5
Elena Kusheva
我滑点=0;-允许滑点,0-不使用   S cmt="";-评论订单   我魔法=20200131;-魔术,EA的订单ID   工作时间="00:00-24:00"; - 格式为HH:MM-HH:MM,全天0-24或00:00-24:00   D fix_lot=0.01;//fix lot-working lot   Order_tp D=100.0;//TP. 我建议-10.0-以点为4个字符获利! EA自动检测5个字符的工具,并将自动增加值10倍。   D order_sl=0.0;//SL-止损点数为4个字符!   B AverageUse=true;-使用平均或不   D LotMn=1.59;-用于平均的很多乘数。   D AverageStep=30;-订单之间的步骤. 我推荐-100   D平均值平均值=60;-当平均值时获利。   I MaxOrders=20;-平均网格中的最大订单数。 我推荐-5   TF tf=PERIOD_D1;-working TF 我BarRepeat=3;酒吧重复-在同一方向重复酒吧的最小数目
Price Spectrum
Yuriy Ponyatov
The Price Spectrum indicator reveals opportunities for detailed market analysis. Advantages: Market Volume Profile Creation : The indicator assists in analyzing the dynamics of trading volumes in the market. This allows traders to identify crucial support and resistance levels, as well as determine market structure. Filtering Insignificant Volumes : Using the indicator helps filter out insignificant volumes, enabling traders to focus on more significant market movements. Flexible Configuration S
Delving deep into the sphere of finance and trading strategies, I decided to conduct a series of experiments, exploring approaches based on reinforcement learning as well as those operating without it. Applying these methods, I managed to formulate a nuanced conclusion, pivotal for understanding the significance of unique strategies in contemporary trading.  
FREE
Market watch pro
Makarii Gubaydullin
Monitor your favorite Symbols My   #1 Utility:  includes 65+ functions, including this tool  |   Contact me  if you have any questions This tool opens in a separate window: it can be moved (drag anywhere), and minimized [v]. You can adjust the Watchlist on the panel: Click [edit list] to add / remove the Symbols from the Watchlist. Calculated value: it may either be the last [closed bar], or the current [floating bar]. Select the [timeframe] for calculation. There are 2 types of the value sorti
Orion Telegram Notifier Bot  allows the trader to receive trade notifications in his Telegram whenever a position is opened or closed. The EA sends notifications showing the Symbol, Magic Number, Direction, Lot (Volume), Entry Price, Exit Price, Take Profit, Stop-Loss and Profit of the position. How to setup Orion Telegram Notifier? Open Telegram and Search for “BotFather” Click or Type “/newbot” Create a nickname and username (Example: nickname: MT5trades   - username: MT5TelegramBot) *The us
This indicator helps you control several pairs in a small workspace, therefore, it is not necessary to open several charts on the platform to do so. The indicator shows sequentially up to 6 different pairs, besides that each of these pairs has a button with which you can stop the indicator to observe the selected pair. Place the indicator on a chart to monitor several pairs and the rest of your space use it on the chart of the pair you wish to observe in detail.   MT4 version       Parameters Ob
该产品的买家也购买
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 多个专为手动交易而设计的功能。 允许您自动执行大多数交易操作。 在购买之前,您可以在演示帐户上测试演示版本。 演示 这里 。 完整说明 这里 。 应用程序的主要功能: 适用于任何交易工具(外汇、差价合约、期货及其他)。 通过一个终端窗口即可使用所有交易工具。 允许您创建最多四个交易工具工作列表。 允许您选择您最喜欢的交易工具。 允许您在所有(或选定的)终端图表上快速切换交易品种。 允许您使用多种方法来计算交易量。 自动计算每笔交易的风险。 根据止损的大小计算风险。 风险经理。 让您可以在图表上直观地看到新订单的交易水平。 允许您设置虚拟止损和获利。 允许您设置指定的止损和获利比率。 允许您在共同价格水平上为所有头寸设置止损或止盈。 允许您下 OCO 订单(一个订单取消另一个订单)。 允许您根据指定参数关闭订单和平仓。 允许您在达到指定的总利润或损失时平仓。 允许您在图表上设置任务线。 允许您反转“卖出转买入”和“买入转卖出”仓位。 允许您锁定仓位。 允许您设置追踪止损功能。 允许您设置盈亏平衡函数。 允许您设置部分平仓功能。 允许
Trade Manager DaneTrades
DaneTrades Ltd
4.73 (22)
交易管理器可帮助您快速进入和退出交易,同时自动计算风险。 包括帮助您防止过度交易、报复性交易和情绪化交易的功能。 交易可以自动管理,账户绩效指标可以在图表中可视化。 这些功能使该面板成为所有手动交易者的理想选择,并有助于增强 MetaTrader 5 平台。多语言支持。 MT4版本  |  用户指南+演示 交易经理在策略测试器中不起作用。 如需演示,请参阅用户指南 风险管理 根据%或$自动调整风险 可选择使用固定手数或根据交易量和点自动计算手数 使用 RR、点数或价格设置盈亏平衡止损 追踪止损设置 最大每日损失百分比,在达到目标时自动平仓所有交易。 保护账户免遭过多提款并阻止您过度交易 最大每日损失(以美元为单位)在达到目标时自动关闭所有交易。 保护账户免遭过多提款并阻止您过度交易 一键实现所有交易的盈亏平衡 自动计算从手机/电话发送的交易的风险 OCO 在设置中可用 交易和头寸管理 通过设置每月、每周、每天、每小时或每分钟的最大交易次数,停止过度交易和报复性交易。 高级挂单管理。 调整何时关闭挂单的规则 追踪挂单 支持市价订单和挂单 每日最大利润目标(以美元为单位)以确保头寸并停
The product will copy all telegram signal to MT5 ( which you are member) , also it can work as remote copier.  Easy to set up, copy order instant, can work with almost signal formats, image signal,  s upport to translate other language to English Work with all type of channel or group, even channel have "Restrict Saving Content", work with  multi channel, multi MT5 Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. Support to backtest signal. How to s
MT5 to Telegram Signal Provider 是一个易于使用且完全可自定义的工具,它允许向 Telegram 的聊天室、频道或群组发送 指定 的信号,将您的账户变为一个 信号提供商 。 与大多数竞争产品不同,它不使用 DLL 导入。 [ 演示 ] [ 手册 ] [ MT4 版本 ] [ Discord 版本 ] [ Telegram 频道 ] 设置 提供了逐步的 用户指南 。 不需要了解 Telegram API;开发者提供了您所需的一切。 关键特性 能够自定义发送给订阅者的订单详情 您可以创建分层的订阅模型,例如铜、银、金。其中金订阅获得所有信号等。 通过 id、符号或评论过滤订单 包括执行订单的图表截图 在发送的截图上绘制已关闭的订单,以便额外核实 延迟发送新订单消息的可能性,以便在发送前对位置进行调整 订单详情完全透明: 新的市场订单*带截图 订单修改(止损、获利) 已关闭的订单*带截图 部分关闭的订单** 新的挂单 修改的挂单(进场价格) 挂单激活(作为新的市场订单附加) 已删除的挂单 历史订单报告*** 可自定义的评论 注意: *
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
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
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
将信号从任何您是会员的渠道(无需机器人令牌或管理员权限)直接复制到您的 MT5。 它的设计以用户为中心,同时提供您需要的许多功能 该产品采用易于使用且具有视觉吸引力的图形界面。 自定义您的设置并在几分钟内开始使用该产品! 用户指南 + 演示  | MT4版本 | 电报版本 如果您想尝试演示,请参阅用户指南。 Discord To MT5 在策略测试器中不起作用。 Discord MT5 功能 从您是会员的任何频道复制。 无需机器人令牌或聊天 ID 使用风险百分比或固定手数进行交易 排除特定符号 选择复制所有信号或自定义要复制的信号 配置单词和短语以识别所有信号(默认值应适用于 99% 的信号提供商) 配置时间和日期设置以仅在需要时复制信号 设置一次打开的最大交易量 交易和头寸管理 使用信号或自动设置的管理 通过设置每月、每周、每天、每小时或每分钟的最大交易次数,停止过度交易和报复性交易。 支持市价订单和挂单 每日最大利润目标(以美元为单位)以确保头寸并停止过度交易 确保仓位的每日最大利润目标(%) 最大开放交易以限制风险和敞口。 使用 RR、点数或价格自动获取部分内容 使用固
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 --------------------
-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
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版本  |   不和谐版本 如果您想尝试演示,请参阅用户指南。 Telegram To MT5 接收器在策略测试器中不起作用! Telegram 至 MT5 功能 一次复制多个通道的信号 从私人和受限频道复制信号 不需要机器人令牌或聊天 ID(如果出于某种原因需要,您仍然可以使用这些) 使用风险百分比或固定手数进行交易 排除特定符号 选择复制所有信号或自定义要复制的信号 配置单词和短语以识别所有信号(默认值应适用于 99% 的信号提供商) 配置时间和日期设置以仅在需要时复制信号 设置一次打开的最大交易量 交易和头寸管理 使用信号或自动设置的管理 通过设置每月、每周、每天、每小时或每分钟的最大交易次数,停止过度交易和报复性交易。 支持市价订单和挂单 每日最大利润目标(以美元为单位)以确保头寸并停止过度交易
UTM Manager 是一款直观且易于使用的工具,可提供快速高效的交易执行。其中一项突出的功能是“忽略价差”模式,该模式使您能够以蜡烛的价格进行交易,完全忽略价差(例如,允许在 LTF 上交易更高价差的货币对,避免因价差而退出交易)。 UTM Manager 的另一个关键方面是其独特的本地交易复印机,允许在每个经纪商中灵活地运行不同的交易策略和设置,例如不同的 TP、BE 和风险规则。 交易执行: 快速高效的交易执行:通过点击图表上的入场价格和止损价格或使用一键固定止损尺寸功能轻松进入交易。 自动手数计算:根据预定义的风险设置计算手数,当通过拖动修改仓位时会重新计算手数。 能够同时处理一个或多个职位。 止盈和盈亏平衡: 灵活的止盈设置:通过特定的风险回报 (RR) 比率设置灵活的部分止盈水平。 可配置的自动盈亏平衡功能:当达到一定的利润水平时,将止损移至盈亏平衡点。 用户友好的界面: 用户友好的图形界面 (GUI),可轻松保存和加载设置。 内置帮助工具提示来解释其他功能。 职位定制: 仓位定制和调整:经理将所有仓位绘制在图表上,通过拖动线条即可轻松定制和调整。 图表上的按钮: 图
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. 预订挂单:在市场关闭的时候你也可以下挂单 (适合周末
Active Lines
Yury Kulikov
5 (4)
Attention: Demo version for review and testing can be downloaded here . It does not allow trading and can only be run on one chart. Active Lines - a powerful professional tool for operations with lines on charts. Active Lines provides a wide range of actions for events when the price crosses lines. For example: notify, open/modify/close a position, place/remove pending orders. With Active Lines you can assign several tasks to one line, for each of which you can set individual trigger conditions
Hedge Ninja
Robert Mathias Bernt Larsson
請務必在 www.Robertsfx.com 加入我們的 Discord 社區,您也可以在 robertsfx.com 購買 EA 無論價格向哪個方向移動,都能贏得勝利 無論價格向哪個方向移動,該機器人都會根據價格的移動方向改變方向,從而獲勝。這是迄今為止最自由的交易方式。 因此,無論它向哪個方向移動,您都會贏(當價格移動到屏幕截圖中的任何一條紅線時,它會以您設置的利潤目標獲勝)。 您面臨的唯一風險是價格是否正在整合(停留在一個地方)。 對沖忍者是一種半自動交易工具,您可以使用下面的對沖設置進行設置。當您告訴它進行交易時,購買或出售它,然後為您處理一切。 每次機器人改變方向時,它都會彌補你之前的損失,所以當你到達任何一條紅線時,你的利潤將是你決定的。 一個好的經驗法則是使用相當高的風險來獲得回報,但是你在這個鏈接上知道如何交易這個機器人的交易秘密。你想要的是價格移動,一旦它開始移動,你就直接走向你的利潤資金:) 設置 ADR / 平均點差 ADR 是平均每日範圍,顯示該工具在一天內通常平均移動多少點。很高興知道這一點,因為您不希望該機器人在點差變得更高
-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
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
交易面板一键交易。 处理仓位和订单! 通过 图表 或 键盘 进行交易 。 使用我们的交易面板,您只需单击一下即可直接从图表中执行交易,执行交易操作的速度比使用标准 MetaTrader 控件快 30 倍。 参数和函数的自动计算使交易者的交易更加快捷、方便。 图形提示、信息标签和有关贸易交易的完整信息均位于图表 MetaTrader 上。 MT4版本 详细描述   +DEMO +PDF 如何购买 如何安装     如何获取日志文件     如何测试和优化     Expforex 的所有产品 打开和关闭、反转和锁定、部分关闭/Autolot。虚拟/真实止损/止盈/追踪止损/盈亏平衡,订单网格... МetaТrader 5 中主要订单的交易控制面板 :买入、卖出、buystop、buylimit、sellstop、selllimit、平仓、删除、修改、追踪止损、止损、获利。 有 5 个选项卡 可用:头寸、挂单、账户信息、信号和总利润。 Description on English VirtualTradePad在“  MQL5语言最佳图形面板  ”竞赛中 获得二等奖 。 注意
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
Trade Assistant GS mt5
Vasiliy Strukov
5 (13)
交易面板僅限於管理訂單 - 使用按鈕打開和由用戶打開。 收藏中簡單方便。 將補充任何買家。 我建議將它與 Gold Stuff 指標一起使用。 將交易設置為單個訂單並構建有距離的網格。 要創建標準網格,只需設置一個較大的距離,例如 10000。 可以在此處查看實時結果。 購買後立即聯繫我以獲得設置和個人獎勵!   設置 打開新系列 - 打開/關閉新系列訂單的開始。 Lot miltiplier - 以下訂單的手數乘數。 TP - 獲利,以點為單位。 SL - 止損,以第一個訂單的點數為單位。 Trail Start - 激活追踪止損。 Trail Step - 激活追踪止損時與價格的距離。 DD Reduction Algoritm - 回撤減少算法,當最後一個有利潤的訂單將與第一個有虧損的訂單系列關閉時。 Number order for DD Reduction Algoritm - 減少回撤算法被激活的順序。 DD 減少算法的利潤百分比 - 在回撤減少模式下關閉訂單時的利潤百分比。 Magic - 是 EA 分配給其訂單的特殊編號。 Fix distance -
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
MT4 to Discord Signal Provider 是一款用户友好、完全可定制的工具,专为直接向 Discord 发送交易信号而设计。这个工具将您的交易账户转变为一个高效的信号提供者。 自定义消息格式以适应您的风格!为了方便使用,您可以从预先设计的模板中选择,并决定包括或排除哪些消息元素。 [ 演示 ] [ 手册 ] [ MT4 版本 ] [ Telegram 版本 ] 设置 遵循我们详细的 用户指南 进行简单设置。 不需要预先了解 Discord API;我们提供所有必要工具。 主要特性 为订阅者更新自定义订单详情。 实施分层订阅模型,如铜牌、银牌、金牌,每一层都提供不同级别的信号访问。 附加执行订单的图表截图。 在这些截图上显示已关闭的订单,以增加清晰度。 提供延迟发送新订单消息的选项,以便在发送前进行最后调整。 透明和详细的订单信息: 带截图的新市场订单。 订单修改(止损、获利)。 已关闭和部分关闭的订单。 新的和修改的挂起订单。 挂起订单的激活和删除。 关于历史订单的详细报告。 每个订单的可定制评论。 注意: * 截图包括图表上的任何对象,如指标。 ** 在报
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
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
3.76 (17)
MT5 交易复印机是 МetaТrader 5 平台的交易复印机 。 它复制外汇交易 之间   任何账户 MT5   -   MT5, MT4   -   MT5 对于 COPYLOT MT5 版本(或 MT4   - MT4 MT5   -   MT4 对于 COPYLOT MT4 版本) 值得信赖的复印机! MT4版本 详细描述   +DEMO +PDF 如何购买 如何安装     如何获取日志文件     如何测试和优化     Expforex 的所有产品 您还可以在 МТ4 终端 (   МТ4   -   МТ4, МТ5   -   МТ4   ) 中 复制交易: COPYLOT CLIENT for MT4 此版本包括在终端 МТ5   -   МТ5, МТ4   -   МТ5 之间 。 交易复制器用于在 2/3/10 终端之间复制交易/头寸。 支持从模拟账户和投资账户复制。 该程序可以在多个终端绑定上运行。 使用它作为您在一个账户上交易的各种投资者账户的交易的同步器, - COPYLOT 会将您的交易复制到其他终端。 从 多个 终端复制到一个; 从一
Take a Break MT5
Eric Emmrich
4.71 (14)
The most advanced news filter and drawdown limiter on MQL market NEW: Take a Break can be backtested against your account history! Check the " What's new " tab for details. Take a Break has evolved from a once simple news filter to a full-fledged account protection tool. It pauses any other EA during potentially unfavorable market conditions and will continue trading when the noise is over. Typical use cases: Stop trading during news/high volatility (+ close my trades before). Stop trading when
Auto Trade Copier 被设计成多的MT5账户/端子,绝对精度之间复制交易。 有了这个工具,你可以充当要么提供商(源)或接收(目的地) 。每一个交易行为将由提供商克隆到接收器,没有延迟。 以下是亮点功能:     在一个工具提供商或接收器之间转换角色。     一个供应商可以交易复制到多个接收者的账户。     绝对兼容MT5的顺序/位置管理规则,该规则允许与调整容积为每个符号只有一个位置。     自动识别和同步代理之间的符号后缀。     允许高达5特殊符号的设置(即: GOLD - > XAUUSD ,等等) 。     多lotsize设置选项。     允许过滤的订单类型将被复制。     关断端子或电源关闭后恢复以前的设置和状态。     实时控制面板。     使用方便,界面友好。 用法: - 安装工具提供的MT5终端,并选择角色“提供者” ,然后启用它。 - 安装工具接收的MT5终端,并选择角色的“接收器” ,输入提供商的帐号,然后启用它(你可以有很多接收者的帐户,只要你想) 。 设置和参数:      特殊符号设置(菜单)
The program is use to copy trading from MT5 to MT4 and MT5 on local PC or copy  over the Internet .  Now you can easy copy trades to any where or share to friends. Only run one Flash Server on VPS, also need allow the apps if you turn on Windows Firewall. Can not add more than 20 account copier to server at same time,  include both  MT4 and MT5 Get free Copier EA  for MT4 and MT5 (only  receive signal), download here Instants copy, speed smaller 0.1 seconds, easy to setup How to setup and guide
作者的更多信息
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
筛选:
ChristianWale
34
ChristianWale 2023.11.12 01:14 
 

用户没有留下任何评级信息

回复评论
版本 1.2 2023.11.11
improve logs
版本 1.1 2023.11.11
improve logs