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

推荐产品
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
Rise or fall volumes MT5
Alexander Nikolaev
5 (1)
A trader cannot always discover what the last closed bar is by volume. This EA, analyzing all volumes inside this bar, can more accurately predict the behavior of large players in the market. In the settings, you can make different ways to determine the volume for growth, or for falling. This adviser can not only trade, but also visually display what volumes were inside the bar (for buying or selling). In addition, it has enough settings so that you can optimize the parameters for almost any ac
Danko DTC Panel
Ricardo Almeida Branco
Do not buy before seeing the Danko Trend Color product, as this panel is a way to view a summary of this indicator on various timeframes. The Danko DTC Panel utility allows you to look at the trend in up to 5 timeframes. When clicking on the timeframe texts, a new window will open with the indicator plotted on the screen so you can see the complete chart. The width of the panel, with the amount of candles you want to see, is customizable, see the images below. Ao clicar nos textos dos timefra
TerminatorTrades
Uriel Alfredo Evia Canche
"Terminator Trades " EA robot, built on the powerful MQ5 code,  is designed to simplify the process of closing your positions and pending orders. You can adjust if you want close all the trades or by specific symbols. With just a single click on a button, you can efficiently manage your current positions, ensuring that you never miss an opportunity to terminate a trade.  Close Trades , Delete Pending Orders with Terminator Trades. 
FREE
P Booster Pro is the developed version of P Booster.  Pro version allows adjusting 5 parameters: - RiskPerc: p ercent of the biggest lot that is available according to equity. - PriceFellPercent: difference between the choused candle ( WhichCandleM15From ) and the Candle 1 price in percent. - StopLossLevel: Stop loss level in percent point. For example: 30 = 99,7% of the Ask price. - WhichCandleM15From: M15 Candle ID from where the expert will check the PriceFellPercent level and compare it with
Volume Flow Binance
Thalles Nascimento De Carvalho
Volume Flow Binance! 您是否曾想过能够访问您最喜欢的加密货币的 times and trades 数据,了解交易量流动和价格波动分析,即使您的经纪商不提供完整的交易历史记录? 有了 Volume Flow Binance ,这一切现在变为现实!这个 MQL5 脚本是为寻求实时市场动态详细视图的加密货币交易者而设计的。 主要特点: 直接访问脚本菜单中任何加密货币的 times and trades 数据。 从全球领先的交易所 Binance 实时更新数据。 精确的交易量流动分析,让您能够识别并预测价格走势。 与 Times and Sales Crypto 指标 集成,将您的市场分析提升到一个新水平。 为什么选择 Volume Flow Binance? 这是那些希望通过观察每笔交易来实时了解买卖行为的完美工具!通过这个脚本,您将获得深入的见解,并在其他交易者面前获得竞争优势。 不要错过这个机会! 通过 Volume Flow Binance 解锁市场的力量,在加密货币革命中保持领先一步! 安装和设置说明: 脚本安装
FREE
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
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
Meditation Seed: Meditation is a practice in which an individual uses a technique – such as mindfulness, or focusing the mind on a particular object, thought, or activity – to train attention and awareness, and achieve a mentally clear and emotionally calm and stable state.[1][2][3][4][web 1][web 2] Meditation is practiced in numerous religious traditions. The earliest records of meditation (dhyana) are found in the Upanishads, and meditation plays a salient role in the contemplative repertoire
FREE
RSImaxmin
Carlos Andrés Moya Erazo
4.5 (10)
The indicator shows when there are overprice and divergences on the RSI. In addition, it has configurable alerts, dynamic overprice levels and a special “RSI cleaner” function. The indicator that automatically calculates the premium rates! RSImaxmin is an indicator based on the Relative Strength Index (RSI) oscillator that effectively identifies changes in price trends as it reflects the relative strength of bullish movements compared to bearish movements. It is widely used by traders to measur
FF4 Scalper
Valerii Gabitov
Ea does not use martingale or grid and has a stop loss for every position.  Symbols: EURCHF, EURCAD, USDCHF and other. Time frame: M15 Best results on EURCAD M15. Live signals and other products here -  https://www.mql5.com/ru/users/leron34/seller#products The EA should run on a VPS continuously without interruption.  Multicurrency advisor. You can enter pairs in the EA settings for tests. I recommend the default settings. You can install an adviser on any pair on M15. The EA has a news filter
MT5 To Telegram Copier
Levi Dane Benjamin
5 (1)
将完全可定制的信号从 MT5 发送到 Telegram,并成为信号提供商! 该产品采用易于使用且具有视觉吸引力的图形界面。 自定义您的设置并在几分钟内开始使用该产品! 用户指南 + 演示  | MT4版本 | 不和谐版本 如果您想尝试演示,请参阅用户指南。 MT5 电报发送器在策略测试器中不起作用。 MT5 转 Telegram 功能 通过大量选项根据您的喜好完全定制信号 在信号之前或之后添加您自己的自定义消息。 这可以是标签、链接、频道或其他任何内容 在信号中添加、删除、自定义表情符号。 或者您可以将它们全部删除。 按交易品种或幻数过滤要发送的交易 排除发送特定符号 排除发送特定幻数 自定义与信号一起发送的交易详细信息 发送带有信号的屏幕截图 自定义要发送的信号类型 发送信号性能的每日、每周、每月和自定义时间报告 我总是愿意改进产品,所以如果您有想要看到的功能,请发表评论或给我留言。
Trade Utility Pro
Sovannara Voan
5 (12)
Trade Utility Pro is a bot utility designed to help you manage trades more easily, quickly, and accurately. This utility features a control panel interface and supports MetaTrader 5 exclusively. This utility does not link to any account information or external sources, ensuring safety. Main Features: Open Trade Support: Lot size calculation Fixed Lot: Custom input lot required Money Risk Lot: Automatically calculated based on stop loss and money risk Account % Risk Lot: Automatically calculated
FREE
Chart Walker Analysis Engine
Dushshantha Rajkumar Jayaraman
5 (2)
White label available. contact us for more info. dushshantharajkumar@gmail.com Chart Walker X Engine | Machine-led instincts Powerful MT5 chart analysis engine equipped with a sophisticated neural network algorithm. This cutting-edge technology enables traders to perform comprehensive chart analysis effortlessly on any financial chart. With its advanced capabilities, Chart Walker streamlines the trading process by providing highly accurate trading entries based on the neural network's insights.
FREE
MA Gold Sniper Entry
Samson Adekunle Okunola
利用我们的 MA Gold Sniper 入场 EA 最大化您的交易潜力 利用我们经验丰富的团队精心设计的 EA,改变您的交易体验,实现持续盈利和最佳性能。 安全的交易方法: 无风险策略: 避免使用高风险的网格或马丁格尔系统,确保交易更加安全稳定。 一致的方法: 采用经过验证的可靠交易策略,专注于长期成功和可持续性。 主要特点: 简单的 MA Sniper 入场策略: 精准的入场点: 利用改进的移动平均线 (MA) 交叉系统,高精度识别最佳入场点。 每日趋势分析: 分析 1 天 (D1) 时间范围,确定市场整体趋势方向,确保交易与当前趋势保持一致。 每小时精度: 在 1 小时 (H1) 时间范围内,当 5 移动平均线 (MA) 超过 10 移动平均线 (MA) 时执行交易,确保在最合适的时机进行交易。 高级资金管理: 智能头寸调整: 使用动态头寸调整算法,有效管理资本,最大限度降低风险,最大化增长潜力。 资本保全: 专注于保护您的投资,确保长期可持续性,减少亏损。 卓越的风险回报率: 利润最大化: 战略性设计,优化风险和回报的平衡,提高您的利润潜力,风险回报率为 1/3。 风险缓解:
Overview: The WWImportExportGV  is a versatile and efficient utility designed for MetaTrader 5 (MT5) users to manage global variables effortlessly. With this tool, traders can easily export all global variables from their terminal to a CSV file or import them into another terminal, ensuring seamless synchronization between trading environments. Features: Export Mode: Automatically extracts all global variables from the current MT5 terminal and saves them to a CSV file. This file can be shared
AO Trade
Ka Lok Louis Wong
AO Trade 系統是專門為趨勢交易而設計,利用競價時段或新聞時間作為參考點,與其他特定時間進行比較,以預測市場趨勢。 ** EA 中使用的所有時間參數均基於您的終端時間。不同的經紀人可能運作在不同的格林尼治標準時間區域,亦可能因夏令時調整而進一步變化。 請確保在實施之前對齊您終端的時間設置進行全面驗證。** 推薦設置: Use in   M1  timeframe HK50 / DE40 / ustec / UK100 在時間檢查期間,您將注意到價格檢查發生在特定檢查時間分鐘之後的1分鐘(1.2檢查時間分鐘)。這個設計是有意的,允許參考的柱子完成,從而確保開盤價、最高價、最低價和收盤價可以用於與訂單時間進行準確比較。 設置: -----------------1 Timers------------------- 1.1 Check time hour (HH)    --  用於記錄價格的時間戳。 1.2 Check time minute (MM) 1.3 Order time hour (HH)    -- 用於與檢查價格進行比較以開啟訂單的時間戳。 1.4 Or
Trade Dashboard MT5
Fatemeh Ameri
4.96 (52)
疲于复杂的订单下达和手动计算?Trade Dashboard 是您的解决方案。凭借其用户友好的界面,订单下达变得轻而易举,只需点击一下,您就可以开设交易、设置止损和止盈水平、管理交易手数,并计算风险回报比,让您只需专注于您的策略。告别手动计算,使用 Trade Dashboard 简化您的交易体验。 立即下载演示版本 。 您可以在这里找到仪表盘功能和特性的详细信息 。 加入 Telegram 频道 。 购买后请给我发消息以获取支持。如果您需要添加更多功能,可以在产品的评论区留下您的想法,我愿意听取任何建议,希望您能在使用我的产品时获得最佳体验 。 这是 MT4 版本。 风险管理:使用 Trade Dashboard,可以将您的风险设置为账户余额或权益的百分比,或将风险设置为总金额。在图表上直观地定义您的止损,让工具准确计算每个货币对的适当手数。该工具还可以根据您期望的风险回报比自动设置止盈水平。它甚至可以在手数计算中涵盖佣金和点差费用。此外,您的止损和止盈可以转变为虚拟水平,隐藏于经纪商。通过 Trade Dashboard 的高级风险管理功能,掌控风险,保护您的资本。
Telebotx5 to Telegram
Kwuemeka Kingsle Anyanwu
TeleBot5 - Trade Copier from MT5 to Telegram [MANUAL] Overview: TeleBot5 is an innovative MQL5 program designed to seamlessly bridge your MetaTrader 5 trading experience with Telegram. This powerful tool allows traders to send real-time trade notifications directly to their Telegram channels and group, ensuring they never miss an important market move. **Key Features:** - **Real-Time Trade Alerts:** Instantly receive notifications for every trade executed on your MT5 account, including or
Elliott Wave Helper
Siarhei Vashchylka
4.92 (13)
Elliott Wave Helper - a panel for making elliott wave and technical analysis. Includes all known wave patterns, support and resistance levels, trend lines and cluster zones. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Making wave analysis and technical analysis in a few clicks 2. All Elliott wave patterns available, including triangle and combinations 3. All nine wave display styles, including a special circle font 4. E lements of technical analysis : trend lines
使用革命性的交易时间管理器轻松控制您的交易程序。这个强大的工具可以在指定时间自动执行订单,从而改变您的交易方式。 为不同的交易行为(从购买到设置订单)制定个性化任务列表,所有这些都无需人工干预。 交易时间管理器安装和输入指南 如果您想获取有关 EA 的通知,请将我们的 URL 添加到 MT4/MT5 终端(参见屏幕截图)。 MT4版本     https://www.mql5.com/en/market/product/103716 MT5版本     https://www.mql5.com/en/market/product/103715 告别人工监控,拥抱精简效率。直观的界面允许您设置精确的参数,包括交易品种、执行时间、价格、止损 (SL)、止盈 (TP) 点和手数大小。 该工具的灵活性通过与市场行为相匹配的适应性重复选项来凸显。通过视觉主题个性化您的体验,并减少长时间交易期间的眼睛疲劳。 摆脱手动交易程序,拥抱“交易时间管理器”的强大功能。提高交易的准确性、组织性和自由度。简化您的日常工作并重新体验交易。 主要特点: 自动订单执行:按指定时间间隔无缝自动执行订单,从而节省
AKCAP Hotkey Tool
AK Capital Markets Limited
5 (2)
Special offer for the next 10 copies Are you tired of manually navigating through menus and inputting data every time you want to execute a trade or open an order on Meta Trader? Our hotkey tool is here to make your life easier and boost your trading efficiency. Our tool is natively coded for lightning-fast performance and comes loaded with all the features you could possibly want. From pending orders and OCO orders to trailing and multiple buckets, it has everything a scalper could need. A
ReverseTune
Konstantin Chernov
A script for quick reversing positions and/or orders. If you need to reverse a position with the same volume, open an opposite position of a different volume or change the type of existing orders (for example, Buy Limit -> Sell Limit, Buy Stop -> Sell Limit, etc.) with the same or different take profit/stop loss, this script will make all the routine for you! Allow AutoTrading before running the script. Usage: Run the script on a chart. Input Parameters: Language of messages displayed (EN, RU, D
The Market Destroyer
Victor Cosme Cuenca
介绍TheMarketDestroyer,终极半自动EA,适用于MQL5的专业交易者! 主要特点: 半手动控制: TheMarketDestroyer为您提供设定买入或卖出入场点的灵活性。一旦市场达到设定的止盈(TP),交易会自动关闭。然后,您只需再次设定下一个交易的入场点。 可定制的手数倍增器: 使用我们的手数倍增系统调整您的策略。您可以在市场触及止损(SL)时调整手数,从而优化您的恢复机会。 倍增设置: 设置触及SL的次数后,EA将应用手数倍增器。这种灵活性允许您更有效地管理风险,并根据您的交易风格进行调整。 验证的策略: 我们展示的图片和视频基于MQL5策略测试器中的机器人自动测试。这些测试在无限循环中进行,以展示EA的潜力。然而,在实际市场条件下,TheMarketDestroyer在达到TP时会停止工作,您需要手动设置另一个订单。 实时盈利能力: 尽管自动测试令人印象深刻,TheMarketDestroyer在实时市场条件下半自动使用且经过回测和巩固的策略时,可以更加盈利。 可视化界面: 机器人具有可视化界面,您可以通过鼠标轻松移动入场点。 马丁格尔策略: TheMarket
OrderManager MT5
Lukas Roth
4.88 (16)
介绍 OrderManager :MT5的革命性工具 使用全新的Order Manager实用程序,像专业人士一样管理您在MetaTrader 5上的交易。Order Manager设计简单,易于使用,可让您轻松定义和可视化每笔交易的风险,从而做出明智的决策并优化您的交易策略。有关OrderManager的更多信息,请参阅手册。 [ 手册 ] [ MT4版本 ] [ Telegram 频道 ] 主要功能: 风险管理:快速轻松地定义您交易的风险,让您做出更好的决策并提高交易性能。 视觉表示:图形化地查看您的交易和相关风险,以清晰简洁地了解您的开放头寸。 订单修改:只需几次点击即可轻松修改或关闭您的订单,简化您的交易过程,为您节省宝贵的时间。 掌握新闻:一键获取最新市场新闻。 不要错过这个MT5交易员的必备工具。用Order Manager提升您的交易体验,将您的交易游戏提升到新的水平。 OrderManager在startegyTester中 不 工作! OrderManager 仅与 Windows 兼容。 请考虑给这个产品一个5星级评价。您的优秀反馈将激励作者加快更新
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
This Program will not execute any trades! Works on any chart and any time frame! This is the MT5 version. MT4 version: https://www.mql5.com/en/market/product/125496?source=Site+Market+My+Products+Page#description This Program will produce a comment box at the top left of the chart and show you your equity % difference throughout the day. Updating constantly in real time. The daily resets back to zero on open of a new market open day. Using new current equity at start of day as refe
FREE
Bukele UP
Jhon Michael Antony Florez Roa
---> Schedule of the broker that I use for Back Testing <---- Broker schedule used in Back Testing: UTC/GTM +2 hours. --->   Minimum capital for its correct operation  <---- 1000 USD ----> Strategy <---- It is a range strategy, in which if it breaks the maximum a purchase is made or if it breaks the minimum a sale is made. This range is created every day and open trades and orders are closed before the market closes. The Buy has the Stop Loss at the bottom of the range and the Sell has
Trump Up
Jhon Michael Antony Florez Roa
----> Schedule of the broker that I use for Back Testing <---- Broker schedule used in Back Testing: UTC/GTM +2 hours. ---> Minimum capital for its correct operation <---- 1000 USD ----> Strategy <---- This has two strategies in one Expert Advisor: 1) Trend Scalpin in US-30 and 2) Grid in EURGBP 1) Trend Scalpin in US-30: First analyze the general trend in H1 by crossing Emas and Parabolic Sar, then analyze a Pull Back in M5 with the help of the RSI. This is done on
该产品的买家也购买
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
我自动其商业策略的使用二进制 MT5 和我们 Mt5BridgeBinary 我发送的命令其二进制账户和我名单: 开始使用这种方式容易! 专家顾问也容易形成、优化和实现抗寒试验; 还在测试中我们可以预测其长期盈利能力,所以我们创造了 Mt5BridgeBinary 连接其最佳战略二进制文件。 特点: 它可以使用很多战略如我所愿。 (专家顾问)。 他不需要额外的程序。 随函附上我方- EA 没有导入的时限。 它可以想象所有的公开行动。 他只需要执行我们 EA 只在一个图形采取所有的订单。 -它不需要复杂的配置,以使我们的就业工作。 输入参数: 电子邮件: 有关其电子邮件帐户的二进制文件。 -标记: 代码访问它生成的二进制来操作。 -数量操作: 该合同价值。 位置警报: 会启用/禁用警报作业时开放。 -小组菲尔斯滕: 它显示所有打开的行动。 注: -期限的合同: 请参阅《资产指数来了解这笔总额中,最小和最大期限的合同。 - Volatile 性质指标不能在德国、法国、西班牙、新加坡、澳大利亚、意大利和卢森堡。
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
一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.   一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手. 一款实时显示点差的工具.非常好用. 是日常看价格的好帮手.
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
Introducing the Lets Easy Order Panel: Easy Forex and CFD Trading Experience a game-changing approach to Forex and CFD trading with the Lets Easy Order Panel. This innovative tool streamlines your trading process, allowing you to focus on what truly matters. Key Features: All-in-one order functionality Intuitive and user-friendly interface Swift order execution Enhanced focus on trading strategies With the Lets Easy Order Panel, you can: Execute all necessary trades from a single, convenient pan
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.
Invi Gold Hunters
Niruban Chakravarthy R
Your Key to Golden Profits Step into the glittering world of gold trading with Gold Hunter, your trusted partner in uncovering hidden treasures in the gold market. This remarkable trading partner is more than just a tool—it’s your relentless "Gold Hunter," hunting profits with precision and passion. With consistent monthly returns of 15% to 40%, Gold Hunter turns the volatility of gold into your advantage, helping you achieve financial success like never before. Important Notice: To unlock
Trade Assistant MT5
Evgeniy Kravchenko
4.38 (165)
它有助于计算每笔交易的风险,容易安装新的订单,具有部分关闭功能的订单管理, 7 种类型的追踪止损和其他有用的功能。   注意,该应用程序在策略测试器中不起作用。 您可以在描述页面下载演示版  Manual, Description, Download demo 线条功能  - 在图表上显示开仓线、止损线、止盈线。 有了这个功能,就可以很容易地设置一个新的订单,并在开仓前看到它的附加特性。   风险管理  - 风险计算功能在考虑到设定的风险和止损单的大小的情况下,计算新订单的成交量。它允许你设置任何大小的止损,同时观察设定的风险。 批量计算按钮 - 启用 / 禁用风险计算。 在 " 风险 " 一栏中设置必要的风险值,从 0 到 100 的百分比或存款的货币。 在 " 设置 " 选项卡上选择风险计算的变量: $ 货币, % 余额, % 资产, % 自由保证金, % 自定义, %AB 前一天, %AB 前一周, %AB 前一个月。   R/TP 和 R/SL - 设置止盈和止损的关系。 这允许你设置相对于损失的利润大小。 例如, 1 : 1 - 这决定了 TP = SL 的大小。 2 :
欢迎来到 Trade Manager EA——这是一个终极风险管理工具,旨在使交易变得更直观、精准和高效。它不仅仅是一个下单工具,而是一个用于无缝交易计划、仓位管理和风险控制的全面解决方案。不论您是新手交易员、资深交易员,还是需要快速执行的剥头皮交易员,Trade Manager EA 都可以满足您的需求,适用于外汇、指数、大宗商品、加密货币等各种市场。 借助 Trade Manager EA,复杂的计算已成过去。只需分析市场,在图表上用水平线标记入场、止损和止盈,设置您的风险水平,Trade Manager 就会立即计算出理想的头寸规模,并实时显示以点、账户货币计价的止损和止盈。每笔交易都得以轻松管理。 主要功能: 头寸规模计算器 :根据定义的风险瞬间确定交易规模。 简单的交易计划 :在图表上用可拖动的水平线直接计划交易,设置入场、止损和止盈。 实时显示 SL 和 TP :以账户货币、点或分显示止损和止盈,便于分析。 高级保护工具 盈亏平衡选项 : 基本盈亏平衡 :当您的交易达到设定水平时自动保护利润。 多级盈亏平衡 :设置多达 4 个级别以逐步保护利润。 尾随止损选项 : 基本尾随
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 >> 文件 >> 打开数据文件夹 >> MQL5 >> 专家文件夹并重新启动您的终端。  免费演示版本每次可在 4 小时内发挥全部功能,仅限演示帐户。 要重置试用期,请转至 MT5 >> 工具 >> 全局变量 >> Control + A >> 删除。 请仅在非关键模拟账户上执行此操作,不要在挑战道具公司账户中执行此操作。 Loc
TradePanel MT5
Alfiya Fazylova
4.85 (116)
交易面板是一个多功能的交易助手。 该应用程序包含 50 多个手动交易功能,并允许您自动执行大多数交易操作。 购买之前,您可以在模拟帐户上测试演示版本。 演示 此处 。 完整说明 此处 。 贸易。 让您一键执行基本交易操作: 开立挂单和开仓。 打开订单网格。 平仓挂单和持仓。 仓位反转(平仓买入并开仓卖出,或平仓卖出并开仓买入)。 锁定仓位(通过开立相反仓位使卖出和买入仓位的交易量相等)。 对所有仓位进行部分平仓。 将所有头寸的止盈和/或止损设置为同一水平。 将所有仓位的止损设置为盈亏平衡水平。 开仓订单和仓位时,您可以: 根据既定风险自动计算订单量。 一键打开多个订单。 将计算出的交易量分配给多个订单。 使用面板创建的线条和标记在图表上可视化未来订单的交易水平位置。 开仓时,设置最大点差限制。 使用止盈规模与止损规模的自动比率。 使用虚拟止损和止盈。 将当前点差添加到止损和止盈。 使用 ATR 指标计算止盈和止损。 设置待处理订单的到期日期。 使用挂单跟踪(挂单自动移动到价格后面指定的距离)。 平仓订单和平仓时,您可以: 一键按订单或仓位类型关闭。 只需点击一下,即可仅平仓盈利或无利可
$450 (-20%) instead of $565 until 11/29 B e sure to watch this video before using A community for users, product discussion, update news, and first line of support  Use Webmoney For payments in cryptocurrencies. How I use this algo tool   Lazy Trader is NOT SUITABLE FOR SCALPING EVERY MINUTE MOVEMENT, ESPECIALLY IN CRYPTO. WITHOUT UNDERSTANDING WHAT IS HAPPENING ON THE CHART, THERE IS NO POINT IN BLINDLY HOPING FOR PROFITS! Lazy Trader does NOT USE openAI chat-gpt-4 technologies, which are ad
使用自定义警报,领先于市场走势:您的终极多市场扫描器 Custom Alerts 是功能强大的多合一市场监测工具,能让您轻松识别多个市场的高潜力设置。 Custom Alerts 涵盖所有八种主要货币(美元、加元、英镑、欧元、瑞士法郎、日元、澳元、新西兰元)、黄金 (XAU),以及多达七种关键指数(包括 US30、UK100、WTI 和比特币),让您随时了解各种资产的关键变化。 该工具无缝整合了我们先进的 FX Power、FX Volume 和 IX Power 指标的 数据,以完全可定制的格式为您提供重大市场事件的实时警报。 自定义警报可确保您随时准备好对潜在交易采取行动,而无需不断查看图表。 自定义警报的主要优势 多市场覆盖:一站式洞察货币、指数、商品和加密货币。 实时事件警报:通过重要市场变化通知,不错过任何关键动向。 完全定制:根据您独特的交易风格定制警报,让您只获得所需的信息。 数据驱动的洞察力:利用来自 FX Power、FX Volume 和 IX Power 指标的数据,提供强大的数据驱动信号。 设置简单 要充分释放 Custom Alerts 的潜力,请
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 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