• 概要
  • レビュー (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

おすすめのプロダクト
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 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バージョン  | Discordバージョン デモを試したい場合は、ユーザーガイドをご覧ください。 MT5からTelegramへの送信者は、ストラテジーテスターでは動作しません。 MT5からTelegramへの機能 多数のオプションを使用して、シグナルを完全にカスタマイズします シグナルの前後に独自のカスタムメッセージを追加します。これには、タグ、リンク、チャンネルなどが含まれます シグナル内の絵文字を追加、削除、カスタマイズします。また、すべて削除することもできます。 シンボルまたはマジックナンバーで送信する取引をフィルタリングします 特定のシンボルの送信を除外します 特定のマジックナンバーの送信を除外します シグナルと一緒に送信する取引の詳細をカスタマイズします シグナルと一緒にスクリーンショ
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
革新的な Trades Time Manager を使用して、取引ルーチンを簡単に管理できます。この強力なツールは、指定された時間に注文執行を自動化し、取引アプローチを変革します。 購入から注文の設定まで、すべて手動介入なしで、さまざまな取引アクションのためのパーソナライズされたタスク リストを作成します。 Trades Time Manager のインストールと入力ガイド EA に関する通知を受け取りたい場合は、MT4/MT5 ターミナルに URL を追加してください (スクリーンショットを参照)。 MT4のバージョン     https://www.mql5.com/en/market/product/103716 MT5のバージョン     https://www.mql5.com/en/market/product/103715 手動監視に別れを告げ、合理化された効率を採用します。直感的なインターフェイスにより、シンボル、約定時間、価格、ストップロス (SL)、テイクプロフィット (TP) ポイント、ロットサイズなどの正確なパラメーターを設定できます。 このツールの柔軟性は、市
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
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
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ターミナルにアラートを表示します。通知には、シンボル、ローソク足パターン、パターンが形成されたタイムフレームが含まれます。 メタトレーダー5モバイルとWindows端末をリンクする必要があります。方法はこちらをご覧ください。 https://www.metatrader5.com/ja/mobile-trading/iphone/help/settings/settings_messages#notification_setup 検出できるCandlestickパターンの一覧です。 三匹の白い兵隊 三羽の黒いカラス 強気の三本線打ち 弱気の三本勝負 スリーインサイド・アップ スリー・インサイド・ダウン スリーアウトサイドアップ スリーアウトサイドダウン モーニングスター イブニングスター 強気のアバンドンドベイビー Bearish Abandoned Baby(ベアリッシュ・アバンドンド・ベイビー 強気のハラミ Bearish Harami Bullish En
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
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
This service is designed to stream online cryptocurrency quotes   from the Binance exchange to your MetaTrader 5 terminal. You will find it perfectly suitable if you want to see the quotes of cryptocurrencies in real time — in the Market watch window and on the MetaTrader 5 charts. After running the service, you will have fully featured and automatically updated  cryptocurrency charts in your MetaTrader 5. You can apply templates, color schemes, technical indicators and any non-trading tools to
Binanceは世界的に有名な暗号通貨取引所です!暗号化されたデジタル通貨市場のリアルタイムデータ分析を容易にするために、プログラムは分析のためにBinanceFuturesのリアルタイムトランザクションデータをMT5に自動的にインポートできます。主な機能は次のとおりです。 1.通貨セキュリティ省のUSD-M先物取引ペアの自動作成をサポートし、基本通貨を個別に設定することもできます。基本通貨BaseCurrencyは空で、すべての通貨を示します。BNBやETCなど、Binanceでサポートされている暗号通貨も個別に設定できます。 2. Binanceの各通貨の価格精度、取引量の精度、および最大取引量を同期します。 3. WebSocketを介してBinanceをリンクすると、すべての先物取引をMt5にプッシュして市場を更新できます。 4.同時に更新されるすべての先物の種類をサポートします。リアルタイムのデータ効率を向上させるために、最大更新グループをカスタマイズできます(更新するには対応するウィンドウを開く必要があります)。ツールのデフォルトは最大数です。グループは4
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.
Binanceは世界的に有名な暗号通貨取引所です!暗号化されたデジタル通貨市場のリアルタイムデータ分析を容易にするために、プログラムは分析のためにBinanceリアルタイムトランザクションデータをMT5に自動的にインポートできます。主な機能は次のとおりです。 1.通貨セキュリティ部門でのスポット取引ペアの自動作成をサポートします。また、利益通貨と基本通貨を別々に設定することもできます。たとえば、ProfitCurrencyが空の場合、すべての取引エリアを意味します。オプション:USDT、BTC、DAI、およびBinanceでサポートされているその他の取引エリア(契約取引は現在サポートされていません)。BaseCurrencyは空で、すべての通貨を示します。BNBおよびETCも可能です。個別に設定するBinanceでサポートされている暗号通貨を待ちます。 2. Binanceの各通貨の価格精度、取引量の精度、および最大取引量を同期します。 3. WebSocketを介してBinanceをリンクすると、すべてのトランザクションをMt5にプッシュして市場を更新できます。 4.す
Iスリッページ=0;-許可されたスリッページ,0-使用されていません   S cmt="";-ご注文についてのコメント   Iマジック=20200131;-マジック、EAの注文ID   SのWorkTime="00:00-24:00"; - フォーマットはHH:MM-HH:MM,all day0-24or00:00-24:00です   D fix_lot=0.01;//修正ロット-作業ロット   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 AverageTake=60;-平均すると利益を取る。   I MaxOrders=20;-平均化グリッド内の注文の最
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
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 ライン機能 チャート上にオープニングライン、ストップロス、テイクプロフィットを表示します。この機能により、新規注文を簡単に設定することができ、注文を出す前にその特徴を確認することができます。   リスク計算 リスク計算機能は、設定されたリスクとストップロス注文のサイズを考慮して、新規注文のボリュームを計算します。ストップロスの大きさを自由に設定できると同時に、設定したリスクを守ることができます。 Lot calc ボタン - リスク 計算 を 有効 / 無効 にします 。 Risk フィールドでは 、必要 なリスクの 値 を 0 から 100 までのパーセンテージまたは 預金通貨 で 設定 します 。 設定」 タブで 、
価格が一瞬で変わる可能性のある市場では、注文はできるだけ簡単にすべきだと思いますか? Metatraderでは、注文を開くたびに、開始価格を入力し、損失を止めて利益を得るウィンドウと、取引サイズを開く必要があります。金融市場の取引では、初期預金を維持し、それを増やすために資本管理が不可欠です。それで、あなたが注文をしたいとき、あなたはおそらくあなたがどれくらいの大きさの取引を開くべきか疑問に思いますか?この単一の取引であなたの預金の何パーセントを危険にさらすべきですか?この取引からどれだけの利益を得ることができますか?また、リスクに対する利益の比率はどのくらいですか?トレードサイズを設定する前に、トレードサイズがどうあるべきかという質問に対する答えを得るために必要な計算を行います。 これらすべてを自動的に行うツールがあると想像してみてください。チャートを開き、市場分析を行い、エントリーポイント、ディフェンスポイント(ストップロス)、ターゲット(テイクプロフィット)を水平線でマークし、最後にリスクのレベルを定義します。利用可能な資本の%として、このトランザクションで負担することができ、こ
TradePanel MT5
Alfiya Fazylova
4.86 (113)
Trade Panel は、多機能の取引アシスタントです。 このアプリケーションには手動取引用に設計された 50 以上の機能が含まれており、ほとんどの取引アクションを自動化できます。 購入する前に、デモ アカウントでデモ バージョンをテストできます。 デモ版 こちら 。 詳細な説明は こちら 。 アプリケーションの主な機能: 任意のシンボル(外国為替、CFD、先物など)で機能します。 無制限の文字数での同時作業。 取引ごとのリスクの自動計算とストップロスとテイクプロフィットの比率の設定。 OCO注文を行うことができます(一方が他方をキャンセルします-1つの注文を実行すると別の注文がキャンセルされます)。 タスクを含む行を設定できます(ポジションを開く、保留中の注文を開く、またはグループごとに注文を閉じる)。 仮想テイクプロフィットとストップロスを設定できます。 成行注文を反転またはロックできます。 6種類のトレーリングストップ。 ストップロスを損益分岐点に設定する機能があります。 ポジションを部分的にクローズする機能があります(利益または損失の一部をクローズします)。 価格が特定のライ
Trade Manager は、リスクを自動的に計算しながら、取引を迅速に開始および終了するのに役立ちます。 過剰取引、復讐取引、感情的な取引を防止する機能が含まれています。 取引は自動的に管理され、アカウントのパフォーマンス指標はグラフで視覚化できます。 これらの機能により、このパネルはすべてのマニュアル トレーダーにとって理想的なものとなり、MetaTrader 5 プラットフォームの強化に役立ちます。多言語サポート。 MT4バージョン  |  ユーザーガイド + デモ Trade Manager はストラテジー テスターでは機能しません。 デモについてはユーザーガイドをご覧ください。 危機管理 % または $ に基づくリスクの自動調整 固定ロットサイズを使用するか、ボリュームとピップに基づいた自動ロットサイズ計算を使用するオプション RR、Pips、または価格を使用した損益分岐点ストップロス設定トレーリングストップロス設定 目標に達したときにすべての取引を自動的に終了するための 1 日あたりの最大損失 (%)。 過度のドローダウンからアカウントを保護し、オーバートレードを防ぎます
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の知識は必要ありません。必要な全ては開発者から提供されます。 主な特長 購読者に送信する注文の詳細をカスタマイズする機能 例えば、Bronze、Silver、Goldといった階層型のサブスクリプションモデルを作成できます。Goldサブスクリプションでは、すべてのシグナルが提供されます。 id、シンボル、またはコメントによって注文をフィルターできます 注文が実行されたチャートのスクリーンショットが含まれます 追加の
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
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
-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
Botトークンや管理者権限の必要なしに、メンバーであるすべてのチャンネルからシグナルをコピーして、MT5に直接送信します。 多くの機能を提供しながら、ユーザーを考慮して設計されています この製品は、使いやすい視覚的に魅力的なグラフィカルインターフェースで提供されています。設定をカスタマイズして、数分で製品を使用開始できます! ユーザーガイド + デモ  | MT4バージョン | Telegramバージョン デモを試してみたい場合は、ユーザーガイドを参照してください。 DiscordからMT5への変換は、ストラテジーテスターで動作しません。 DiscordからMT5への変換の特長 メンバーである任意のチャンネルからコピーします。BotトークンやチャットIDは不要です リスク%または固定ロットを使用して取引 特定のシンボルを除外 すべてのシグナルをコピーするか、コピーするシグナルをカスタマイズします すべてのシグナルを認識するための単語やフレーズを設定します(デフォルトは99%のシグナルプロバイダーに適用されます) コピーするタイミングと日時の設定をカスタマイズします 一度に
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
UTM Manager は、迅速かつ効率的な取引執行を提供する直感的で使いやすいツールです。際立った機能の 1 つは、「スプレッドを無視」モードです。これにより、スプレッドを完全に無視して、ローソク足の価格で取引できるようになります (たとえば、LTF でより高いスプレッドのペアを取引でき、スプレッドによって取引から除外されるのを回避できます)。 UTM Manager のもう 1 つの重要な側面は、独自のローカル取引コピー機であり、各ブローカーで異なる取引戦略と設定 (たとえば、さまざまな TP、BE、およびリスク ルール) を柔軟に実行できます。 取引執行: 迅速かつ効率的な取引執行: チャート上のエントリー価格とストップロス価格をクリックして簡単に取引を入力するか、ワンクリックの固定ストップロスサイズ機能を使用します。 自動ロットサイズ計算: ロットは事前定義されたリスク設定に基づいて計算され、ドラッグによってポジションが変更されると再計算されます。 1 つまたは複数のポジションを同時に処理できる能力。 利益確定と損益分岐点: 柔軟なテイクプロフィット設定: 特定のリスク対報
あなたがメンバーである任意のチャネルから(プライベートおよび制限されたものを含む)シグナルを直接あなたのMT5にコピーします。  このツールは、トレードを管理し監視するために必要な多くの機能を提供しながら、ユーザーを考慮して設計されています。 この製品は使いやすく、視覚的に魅力的なグラフィカルインターフェースで提供されています。設定をカスタマイズして、数分で製品を使用を開始できます! ユーザーガイド + デモ  | MT4版 | Discord版 デモを試してみたい場合は、ユーザーガイドにアクセスしてください。 Telegram To MT5 受信機は、ストラテジーテスターで動作しません! Telegram To MT5の特徴 複数のチャネルから一度にシグナルをコピー プライベートおよび制限されたチャネルからシグナルをコピー BotトークンまたはChat IDは必要ありません   (必要に応じて使用することができます) リスク%または固定ロットを使用して取引 特定のシンボルを除外 すべてのシグナルをコピーするか、コピーするシグナルをカスタマイズするかを選択 すべてのシグナ
-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 のすべての製品 手動取引用の取引パネル。チャート(チャートウィンドウ)またはキーボードから取引できます。  開閉、リバース、ロックポジションと注文を処理する МetaТrader5 のメインオーダーのトレーディングコントロールパネル:売買、売却、売却、売却、売却、閉じる、削除、修正、トレーリングストップ、ストップロス、takep
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
Make sure to join our Discord community over at www.Robertsfx.com , you can also buy the EA at robertsfx.com WIN NO MATTER IN WHICH DIRECTION THE PRICE MOVES This robot wins no matter in which direction the price moves by following changing direction depending on in which direction price moves. This is the most free way of trading to this date. So you win no matter which direction it moves (when price moves to either of the red lines as seen on the screenshot, it wins with the profit target yo
Trade Assistant 38 in 1
Makarii Gubaydullin
4.87 (15)
多機能ツール 搭載機能: ロット計算機、プライスアクション、リスク/リワードレシオ、トレードマネージャー、需要供給ゾーンなどをはじめ65以上の機能。 バージョ:デモ版   |   ユーザーマニュアル   |    MT5版 このユーティリティはストラテジー テスターでは機能しません。 ここからデモ   バージョンをダウンロードして製品をテストできます。 ご不明な点や改善提案、バグの発見などございましたら、 連絡してください 。 取引プロセスを簡素化、高速化、自動化します。このダッシュボードで標準端末機能を拡張します 1. 新しい取引を開始します : ロット / リスク / RR の計算 1. Lot計算機(リスクサイズに基づく取引量計算 2. リスク計算機(ロットサイズに基づくリスク量) 3. リスク/リワードレシオ (R/R) 4. 注文のアクティベーション トリガー + Buy StopLimit / Sell StopLimit 5. 仮想 SL / TP レベル (隠しSL、TP: ブローカーには見えない) 6.  Smart SL / エントリー レベル: バ
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
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
This EA Utility allows you to manage (with advanced filtering) unlimited open orders (manual or EA) with 16 trailing stop methods: fixed, percent, ATR Exit, Chandelier Exit, Moving Average, Candle High Low Exit, Bollinger Bands, Parabolic, Envelope, Fractal, Ichimoku Kijun-Sen, Alligator, Exit After X Minutes or Bars, RSI and Stochastic. The trailing stop can be either real or virtual, and you can exit fully or with a partial close percent on touch or bar close.  Moreover, you can add (overri
MT5 to Discord Signal Provider は、Discord へ直接トレーディングシグナルを送信するために設計された、使いやすく完全にカスタマイズ可能なユーティリティです。このツールは、あなたのトレーディングアカウントを効率的なシグナルプロバイダーに変えます。 スタイルに合わせてメッセージフォーマットをカスタマイズ!利便性を考え、事前にデザインされたテンプレートから選択し、メッセージのどの要素を含めるか除外するかを選択できます。 [ デモ ] [ マニュアル ] [ MT4 バージョン ] [ Telegram バージョン ] セットアップ 簡単なセットアップのために、私たちの詳細な ユーザーガイド に従ってください。 Discord API の事前知識は必要ありません。必要なツールはすべて提供されます。 主な特徴 購読者の更新のための注文詳細をカスタマイズ。 ブロンズ、シルバー、ゴールドなど、各レベルで異なるシグナルアクセスを提供する階層的サブスクリプションモデルを実装。 注文が実行されたチャートのスクリーンショットを添付。 これらのスクリーンショットに表
Auto Trade Copier is designed to copy trades between multiple MT4/MT5 accounts/terminals with 100% accuracy. The provider and receiver accounts must be on the same PC/VPS. With this tool, you can copy trades to receiver accounts on the same PC/VPS. All trading actions will be copied from the provider to the receiver with no delay. This version can be used on MT5 accounts only. For MT4 accounts, you must use Auto Trade Copier (for MT4). Reference: For MT5 receiver, please download "Trade Receiver
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
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
Exp COPYLOT CLIENT for MT5
Vladislav Andruschenko
3.76 (17)
MT5のトレードコピー機は、МetaТrader5プラットフォームのトレードコピー機です 。 それは間の 外国為替取引をコピーします   任意のは 、MT5 - MT5、MT4 - MT5   COPYLOT MT5版の アカウント (またはを MT4 - MT4   MT5 - MT4   COPYLOT MT4版用) 信頼できるコピー機! MT4のバージョン 完全な説明   +DEMO +PDF 購入する方法 インストールする方法     ログファイルの取得方法     テストと最適化の方法     Expforex のすべての製品 МТ4ターミナルでトレードをコピーすることもできます(   МТ4   -   МТ4、МТ5   -   МТ4   ):   MT4のCOPYLOT CLIENT このバージョンには、端末間 МТ5   -   МТ5、МТ4   -   МТ5が含まれ ます。 ディールコピー機は、2/3/10端末間でディール/ポジションをコピーするために作成されます。 デモ口座と投資口座からのコピーがサポートされています。 プログラムは、複数の端末
The product will copy all  Discord  signal   to MT5   ( which you are member  ) , also it can work as remote copier.  Easy to set up. Work with almost signal formats, support to translate other language to English Work with multi channel, multi MT5. Work with Image signal. Copy order instant, auto detect symbol. Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. How to setup and guide: Let read all details about setup and download Discord To MetaTrade
作者のその他のプロダクト
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