• 概要
  • レビュー (1)
  • コメント
  • 最新情報

MT5 Ticks HTTP Provider

MT5 Broker Ticks HTTP Provider

Description

EA turns your MT5 terminal into historical/realtime ticks data provider for your application. 
There are many market data providers on the internet, but in practice, the data provided is not always of good quality. Moreover, these services are often more expensive and typically require monthly subscription fees per each symbol.
With this EA, you can feed your application with exactly the same tick data that you see in the MT5 terminal, the same data on which you base your trades and market analysis.
Together with the EA that provides rates data (OHLC, candles), a complete data set necessary for market analysis is offered.

Capabilities

  • Enables the transmission of tick data to a pre-configured external HTTP URL.
  • Guarantees the delivery of every tick, with the capability to resume from the last sent tick in case of disruptions.
  • Offers two storage options for tick timestamp offsets:
    • Local Files (default, managed automatically)
    • HTTP endpoint (for integration with applications)
  • Ensures reliable ticks delivery, with retry mechanisms for HTTP request failures.
  • Allows for data transfer with configurable batching.

Configuration

Input Description
Default 
dataProvider
Specifies the name of data provider.
This name can then be used in URL templates as {dataProvider}.
-
tickQueryingIntervalDurationSeconds Interval for querying ticks from a broker, in seconds.
10000 seconds
maxTicksPerBatch
Maximum number of ticks that can be sent in a single batch.
10000 ticks
debugLogsEnabled Whether to enable debug logs. true
dataSendingIntervalMilliseconds Period for querying ticks and sending them to an external URL. 10000 milliseconds
targetExportUrlTemplate URL template for endpoint where the tick data will be sent.
Supported placeholders: dataProvider.
-
shouldReExportHistoricalTicks
Option to re-export ticks starting from a specific value, as specified in the startExportFromTimestampMillis input. false
startExportFromTimestampMillis
If shouldReExportHistoricalTicks is set to true, ticks will be sent starting from the timestamp specified in milliseconds.
1672531200000 (2023-01-01 0:00:00)
exportedSymbolsSource
Source for the symbols for which ticks will be exported. Options are: 'HTTP_ENDPOINT' or 'EA_INPUT'.
EA_INPUT
symbols
In cases where exportedSymbolsSource is set to 'EA_INPUT', this setting specifies which symbols ticks will be exported. EURUSD
exportedSymbolsFetchUrlTemplate
URL template to fetch the ticks symbols. Used in case exportedSymbolsSource='HTTP_ENDPOINT'.
Supported variables: dataProvider.
-
lastSentTickTimestampSource
Source for the timestamp of the last sent tick. Options are: 'HTTP_ENDPOINT' or 'FILES'.
FILES
lastSentTickTimestampUrlTemplate URL template to fetch the timestamp of the last sent tick. Used in case exportedSymbolsSource='HTTP_ENDPOINT'.
Supported placeholders: dataProvider, symbol
 -

EA Workflow Description:

Upon initialization, the Expert Advisor (EA) performs the following operations:

  1. Reset Offset Check: The EA checks the shouldReExportHistoricalTicks variable to determine if there's a need to export historical ticks data from a specific timestamp. If a re-export is required, it:

    • Establishes the startExportFromTimestampMillis value as the new timestamp offset.
    • Saves this offset securely, either locally in a file or transmits it to a designated HTTP endpoint, based on the configuration set by lastSentTickTimestampSource.
  2. Periodic Ticks Data Harvesting and Sending: The EA is programmed with a timer set to activate at intervals defined by dataSendingIntervalMilliseconds. Upon each activation, the EA:

    • Requests ticks data from the broker, starting from the last stored offset (the most recent tick timestamp) to the present moment.
    • Converts the acquired ticks data into json and sends it to the predefined URL derived from targetExportUrlTemplate input.

By executing these steps, the EA ensures a continuous and automated stream of the most recent tick data for external use, keeping your application or analysis tools supplied with up-to-the-minute market information.

Usage

Below are the minimum actions required for the EA to start exporting ticks to your configured URL

  • Implement an HTTP endpoint that handles a POST request on a URL derived from the targetExportUrlTemplate. This endpoint should:

    • Accept tick data with the JSON structure described below.
    • Respond with a 200 status code if the reception is successful.
  • Ensure that you add the host to the list of allowed hosts in 'Tools > Options > Allow WebRequest for listed URL'.

    • If you are testing locally on localhost, create a hostname in 'C:\Windows\System32\drivers\etc\hosts' on Windows or '/etc/hosts' on Linux-based systems. Use this hostname in the targetExportUrlTemplate.
  • Attach the EA to any chart in MT5 and configure the following inputs:

    • startExportFromTimestampMillis: Set the timestamp from which you need to get ticks.
    • symbols: Configure the symbols that you need ticks for.
    • shouldReExportHistoricalTicks: This must be set to true on the first run so that the EA creates all necessary files for tracking the last sent tick timestamp.

Offset Management

The EA maintains the timestamp (offset) of the last successfully sent tick in order to continue the export process in the event of disruptions or a terminal restart.
By default, timestamps are stored in files that are automatically created at the following path: C:\Users{userName}\AppData\Roaming\MetaQuotes\Terminal{id}\MQL5\Files. There is a separate file for each symbol.

Additionally, there is an option to use separate HTTP endpoints for reading/storing the offset instead of files.
To use this feature, set lastSentTickTimestampSource to 'HTTP_ENDPOINT' and implement HTTP endpoints based on the URL defined in lastSentTickTimestampUrlTemplate.
As a backend solution, you can choose to store offsets in a database (such as PostgreSQL). If you need to re-export ticks for a specific symbol, you would only need to update the timestamp values in the database table.

Exported Symbols Management

By default, the EA uses the input symbols to determine which symbols ticks need to be exported.
However, there is also an option to retrieve the list of symbols from a separate HTTP endpoint.
To utilize this feature, set exportedSymbolsSource to 'HTTP_ENDPOINT' and implement an endpoint using the URL defined in exportedSymbolsFetchUrlTemplate.

EA External Management  

If you set both lastSentTickTimestampSource and exportedSymbolsSource to 'HTTP_ENDPOINT', then the EA can be fully controlled externally:

  • You can initiate re-export for specific symbols without needing to perform any actions in MT5.
  • You can specify which symbols to export without having to change the inputs in MT5.

REST API Specification for Application Integration

HTTP Endpoint Description  Method Request   Response 
targetExportUrlTemplate
URL for sending ticks data. POST Headers: 
Content-Type: application/json
Body                                                                       
[
    {
        "symbol": "EURUSD",
        "bid": 1.1800,
        "ask": 1.1802,
        "last": 1.1801,
        "volume": 1234.56,
        "timestampMillis": 1625135912000
    },
    ...
]

Response Code 200 in case ticks are obtained successfully 
exportedSymbolsFetchUrlTemplate
URL is used to retrieve the list of ticks symbols that the EA will export to the URL derived from 'targetExportUrlTemplate'. GET   Headers:
Content-Type: text/plain
Body (coma separated list of symbols)
EURUSD,GBPUSD,AUDUSD,BTCUSD
                                                                                    

lastSentTickTimestampUrlTemplate URL is utilized to fetch the specific timestamp from which the export process should begin. GET                                                                                                             Headers
Content-Type: text/plain
Body
1625135912000
lastSentTickTimestampUrlTemplate URL is used to store the timestamp of the last successful POST request made to the URL derived from 'targetExportUrlTemplate'.
POST Headers: 
Content-Type: text/plain
Body
1625135912000
                                                                                                          

IMPORTANT: Before purchasing this EA, please verify that your MT5 broker supports exporting historical tick data. Availability and depth of tick data vary across brokers. In our tests, using Roboforex provided access to all necessary tick data going several years back.

Demo Version (NZDUSD only)

Tags: ticks, tick, quotes, quote, stream, streaming, export, exporting, webhook, webhooks, integration, mt5, http, rest, forex, crypto, data, historical, realtime, rest api, provider, broker,  data feed

おすすめのプロダクト
Keyboard Trader は、 MetaTrader 5 (MT5) で キーボードショートカット を使用して超高速で取引するためのツールです。以下にその特徴の簡潔な説明を示します: 迅速な実行 : Keyboard Traderを使用すると、クリックせずに注文を迅速に実行できます。キーボードショートカットを使用して効率的にポジションを開いたり閉じたりできます。 ニューストレードに最適 : ニュースイベント時に迅速に対応する必要があるため、高いボラティリティの瞬間に取引する際に特に役立ちます。 カスタマイズ可能なホットキー : 最高の部分は、キーボードショートカットを 自分の好みにカスタマイズできる ことです。自分の取引スタイルに合ったアクションを実行するために独自のキーコンビネーションを割り当てることができます。 要するに、Keyboard TraderはMT5で迅速で正確な実行を求めるトレーダーにとって優れたツールです。トレード体験を向上させるためにその潜在能力を活用してください!
Copy trades with ease using the MetaTrader5 trade copier - the quickest and easiest way to copy transactions between different MetaTrader 5 accounts! This innovative tool allows you to locally copy trades in any direction and quantity, giving you full control over your investments. Attention!   You need to download the Trade Copier Slave mq5 file as well to run this EA. Download it from here  https://www.mql5.com/en/market/product/96541 Designed to work on both Windows PC and Windows VPS, t
FREE
This tool will allow you to export the Historical data (Open, High, Low, Close, Volume) for any financial instrument present in your MetaTrader 5. You can download multiple Symbols and TimeFrames in the same csv file. Also, you can schedule the frequency of download (every 5 minutes, 60 minutes, etc.). No need to open a lot of charts in order to get the last data, the tool will download the data directly. The CSV File will be stored in the folder: \MQL5\Files . How it works Select the Symbols
FREE
テレグラムチャネルで信号を交換して公開しますか?次に、このユーティリティはあなたのためです。 -ターミナルでの取引 -テレグラムチャネルに取引を公開します あなたの顧客は喜ぶでしょう: -毎日5つの信号から -信号の美しいデザイン カスタマイズ [サービス]-> [設定]-> [エキスパートアドバイザー]-> [次のURLのWebリクエストを許可する]:https://api.telegram.org Telegramで、@ BotFatherにアクセスし、ボットを作成します ボットのトークンをコピーして、アドバイザーのパラメーターに入力します チャンネルを作成して公開する 作成したボットをチャンネルに追加し、管理者にします リンクをたどってください:https://api.telegram.org/bot [TOKEN_BOTA] / sendMessage?chat_id = @ [USERNAME_KANALA]&text = TEST。角かっこ[]を独自の値に置き換えます。私の場合 https://api.telegram.org/bot12854
Martingale panel MT5
Mohammadbagher Ramezan Akbari
In this article, we would like to introduce the trade panel product with the Martingale panel. This panel is made in such a way that it can meet the needs of traders to a great extent. This trade panel actually consists of two trade panels at the same time, with the first one you can take positions with certain profit and loss limits, and with the second one, you can have positions with profit limits but without loss limits. When positions lose, a new position will be added based on the setti
Boleta de negociação, adiciona automáticamente as ordens Take Profit e Stop Loss quando excutada uma ordem de compra ou venda. Ao apertar as teclas de atalho (A, D, ou TAB), serão inseridas duas linhas de pre-visualização, representando as futuras ordens de take profit (azul) e stop loss (vermelho), as quais irão manter o distanciamento especificado pelo usuário. Ditas ordens só serão adicionadas ao ser executada a ordem inicial. Ao operar a mercado, as ordens pendentes de take profit, e stop lo
Introducing the Moving average crossing template which is an Expert advisor template utility for two moving averages for the the cross over strategy where it enters trades based on the crossing of your specified  moving moving averages. You can select the fast moving average and the slow moving average values of your choice. you can choose your preferred trade volume.  you can  choose your preferred number of trades to execute. you can add your stop loss and take profit join my channel for free
FREE
This is a tool in script type. It shows in chart the actual and/or past day ajust price in a horizontal line. The symbol name and it expiration must be set up according to the actual parameters. The lines appearance are fully customizable. You need to authorize the B3 url on MT5 configurations:  www2.bmf.com.br. You need this to the tool can work. This is a tool for brazilian B3 market only!
FREE
The  CAP Equity Guard MT5  is an expert advisor that constantly monitors the equity of your trading account and prevents costly drawdowns. The  CAP Equity Guard EA MT5  is a useful tool for money managers! When an emergency procedure takes place, you are notified by visual, email and push alerts. The EA performs the following tasks: It monitors your entire trading account. Easy to use! Just drag it to a random empty chart. It will work perfectly, if MetaTrader restarts. It can be workable with y
FREE
Trade Assistant Panel: Your Optimal Trading Ally "The Trade Assistant Panel" is a graphical tool for traders aiming to simplify and enhance their trading experience. It streamlines order execution and management, allowing you to focus on market analysis and decision-making. With just a few clicks, you can initiate various order types, ensuring that you always have full control over your trading strategy: Buy Orders Sell Orders Buy Stop Orders Buy Limit Orders Sell Stop Orders Sell Limit Orders Y
FREE
ChartColorMT5
Thomas Pierre Maurice Moine
Customize your charts with this simple utility. Choose in the 24 pre-built color sets, or use your own colors, save them to re-use them later. You can also add a text label on your chart. --- Chart Colors-- Color Set : 24 prebuilt color sets (select "Custom" to use colors below) Background color Foreground color Grid color Chart Up color Chart Down color Candle Bull color Candle Bear color  Line color Volumes color --- Label--- Text Label : Type the text you want to appear on the chart Label
Robot Manual Order Manager is a tool that allows you to automatically include Stop Loss, Breakeven, Take Profit and partials in open trades. Be it a market order or a limit order. Besides, it automatically conducts your trade, moving your stop or ending trades, according to the parameters you choose. To make your operations more effective, the Manual Orders Manager Robot has several indicators that can be configured to work on your trade. Among the options you can count on the features: Conducti
このユーティリティは、同じコンピューターまたは Windows VPS サーバー上にある MT4 および/または MT5 ターミナル間でトランザクションを迅速にコピーするように設計されています。 請求書をコピーするときに必要になる可能性のある最も重要で便利なオプションが提供されています。 すべての取引、または現在の商品の取引のみをコピーする テイクプロフィットとストップロスをコピーする アドバイザの動作開始後に開かれた新しいトランザクションのみをコピーする 取引の再開 入力反転 楽器名のプレフィックスとサフィックスの追加/削除 コピーの最低残高 取引の部分的な終了 コピーを開始するには、トランザクションのコピー元のアカウントにユーティリティをインストールします。 これを行うには、コピー モード: マスターを選択します。 シグナルを受信するアカウントにユーティリティをインストールします。 これを行うには、コピー モード: スレーブを選択し、マスター アカウント番号を [マスター アカウント番号] フィールドに入力します。 元のマスターアカウントロットのコピー、または残高サイ
* This product was converted using  "BRiCK Convert4To5 MT4 "  based on the MQL4 source file of  "BRiCK Convert4To5 MT4 Free" . "Convert4To5" is a Script that converts MQL4 source files into MQL5 source files. Experts, Indicators, Scripts, and Libraries with extension ".mq4" will be available for MT5. Parameter None. Procedure 1. Open the following folder.     terminal_data_folder\MQL4\Files\ (in the terminal menu select to view "File" - "Open the data directory") 2. Confirm that the BRiC
FREE
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker in real time. The expert OrderBook Recorder records market book changes and stores them in local files for further usage in indicators and expert adviser, including testing in the tester. The expert stores market book
FREE
Market Grid View is a utility to replace the original 'Market Watch' window. It was designed to be fast and give the user the ability to navigate over all symbols with just a click, while watch the price change or last trade value. To use it, configure your "Market Watch" window with all the symbols you want to monitor, and you can close it. Then insert the indicator in the graph. The parameters window need to be configured: Columns: the number of columns you want to be drawn ShowInfo: the type
FREE
Easy EA for closing positions with profit or loss. All positions of chart's symbol are counted separately. Settings: TPforSymbol — set profit amount to indicate when to close every positions for the symbol of the chart. Swap and commission are decreasing your profit. SLforSymbol — set SL amount to indicate SL for every positions for the symbol of the chart. Swap and commission are increasing your loss. SLforSyblol is always below/equal zero.
Broker Desynchronization script MT5 is a script in the form of an EA. It will check the desynchronization of a BROKER's server compared to your time at your PC. Usually BROKER sets time forward to have some space to execute trades. If you wish to check how big the difference is, please load the EA to any chart. After loading, it will wait for the first tick to check the desynchronization. Information will be available for 10 seconds. NOTE! If market is closed, you get information to try ag
FREE
Orion Telegram Notifier Bot  allows the trader to receive trade notifications in his Telegram whenever a position is opened or closed. The EA sends notifications showing the Symbol, Magic Number, Direction, Lot (Volume), Entry Price, Exit Price, Take Profit, Stop-Loss and Profit of the position. How to setup Orion Telegram Notifier? Open Telegram and Search for “BotFather” Click or Type “/newbot” Create a nickname and username (Example: nickname: MT5trades   - username: MT5TelegramBot) *The us
Exact Time — detailed time on the seconds chart. The utility shows the opening time of the selected candle. This is necessary when working with seconds charts. For example, it can be used on a seconds chart built using the " Seconds Chart " utility, which helps to build seconds chart in the MT5 terminal. Use the CTRL key to turn on/off the time display on the chart.
FREE
Ordem Facil
Clesio Hector Dufau Da Conceicao
EA Ordem Fácil helps you open pending buy and sell orders (buy or sell stop) using the SHIFT, CTRL keys and mouse left button click. To create a buy stop order, press the SHIFT key (only once) and click on mouse left button on the chart above the price. To create a sell stop order, press the CTRL key (only once) and click on mouse left button on the chart below the price. While the order is not opened, when you moving the mouse cursor on the chart, on the left and above corner of the ch
Бесплатная версия советника Trade Panel PRO Данная торговая панель предназначена для быстрой и удобной торговли в один клик. Создавался продукт для частичной автоматизации своей личной ручной торговли  https://www.mql5.com/ru/signals/1040299?source=Site+Profile+Seller Советник имеет ряд возможностей, а именно: Открытие BUY или SELL ордеров. SL выставляется ниже (выше)  минимальной (максимальной) цены, задаваемых в параметрах количества свечей. Размер TP рассчитывается в соотношении от размера
FREE
Introducing our cutting-edge Trade Copier Expert Advisor for MetaTrader 5 (MT5) – the ultimate solution for seamless trade replication across multiple accounts on the same server or computer. Elevate your trading experience and take control of your investment strategy like never before with our professional-grade Trade Copier. Key Features: Effortless Trade Replication: Our Trade Copier effortlessly duplicates trades from a master account to multiple slave accounts, ensuring that you never miss
FREE
The TELEGRAM BROADCAST utility helps to instantly publish your trading in the Telegram channel. If you have long wanted to create your Telegram channel with FOREX signals, then this is what you need. ATTENTION. This is a DEMO version, it has limitations - sending messages no more than 1 time in 300 seconds PAID version:  https://www.mql5.com/en/market/product/46865 https://t.me/moneystrategy_mql TELEGRAM BROADCAST can send messages: Opening and closing deals; Placing and deleting pending
FREE
This non-trading expert utilizes so called custom symbols feature to build custom charts based on history of real ticks of selected standard symbol. New charts imitate one of well-known graphic structures: Point-And-Figure (PnF) or Kagi. The result is not exactly PnF's X/O columns or rectangular waves of Kagi. Instead it consists of bars, calculated from and denoting stable unidirectional price moves (as multiples of the box size), which is equivalent to XO columns or polygonal lines. These Poi
FREE
This utility tool draws the ticker symbol and timeframe information as a watermark in the background of the chart. It may come in handy if you have multiple charts on the screen at the same time. Inputs: Font Name:  You can change text font by typing in the name of your favorite font installed on your operating system. (e.g.: Verdana, Palatino Linotype, Roboto, etc...)   Font Color: You can choose your favorite from the available colors or type in a custom RGB color (values from 0 to 255, e.g.:
1. 注文を 12 個のマスター アカウントから 100 個のスレーブ アカウントにコピーします。 スレーブ アカウントの数は 12 から 100 までカスタマイズできます。 2.MT4からMT4、MT4からMT5、MT5からMT4、MT5からMT5をサポートします。 3. EURUSD、EURUSDm、EURUSDk など、さまざまなプラットフォームでの取引種類のサフィックスを識別します。 4. カスタム通貨マッチング (XAUUSD=GOLD など)。 5. すべての取引をコピーすることも、買い、売り、決済命令のみをコピーすることもできます 6. ストッププロフィットとストップロスをコピーするかどうかを選択できます 7. マスター口座が買い、スレーブ口座が売り、またはその逆など、逆にコピーできます。 マスター口座がポジションを決済すると、同じ方向にコピーされたか逆にコピーされたかに関係なく、スレーブ口座も同時にポジションを決済します。 8. スレーブ口座が閉鎖されるなどの事故が発生した場合、マスター口座には清算シグナルがありますが、スレーブ口座はそれを時間内にコピーしません。 ス
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker, but in real time only, without access to its history. This expert adviser OrderBook History Playback allows you to playback the market book events on the history using files, created by OrderBook Recorder . The exper
FREE
Overview The script displays information about the trade account: Information about the trade account: Account - account number and type (Real, Contest or Demo); Name - name of the account owner; Company - name of a company that provide the access to trading; Server - trade server name; Connection State - connection state; Trade Allowed - shows whether trading is allowed on the account at the moment; Experts Allowed - shows whether it is allowed to trade using Expert Advisors; Balance - account
FREE
BoletaMiniPanel
PATRICK ANTONIO MORELO A.
5 (5)
Simple panel with  Stop loss (Loss), Stop gain (Gain) , Trailing stop (TS) and Breakeven (BE-P). Lot is the number of contracts to be traded. Gain is the number, in points, that the stop gain will be positioned. If you don't want to put stop gain, just put 0 (zero) in place and when you open the order it won't have this stop. Loss is the number, in points, that the stop loss will be placed. If you don't want to put stop loss, just put 0 (zero) in place and when you open the order it won't
FREE
このプロダクトを購入した人は以下も購入しています
Trade Assistant MT5
Evgeniy Kravchenko
4.4 (172)
取引 ごとのリスクの 計算、新規注文 の 簡単 な 設置、部分的 な 決済機能 を 持 つ 注文管理、 7 種類 のトレーリングストップなど 、便利 な 機能 を 備 えています 。 注意、アプリケーションはストラテジーテスターでは機能しません。 説明ページからデモ版をダウンロードできます  Manual, Description, Download demo ライン機能 チャート上にオープニングライン、ストップロス、テイクプロフィットを表示します。この機能により、新規注文を簡単に設定することができ、注文を出す前にその特徴を確認することができます。   リスク計算 リスク計算機能は、設定されたリスクとストップロス注文のサイズを考慮して、新規注文のボリュームを計算します。ストップロスの大きさを自由に設定できると同時に、設定したリスクを守ることができます。 Lot calc ボタン - リスク 計算 を 有効 / 無効 にします 。 Risk フィールドでは 、必要 なリスクの 値 を 0 から 100 までのパーセンテージまたは 預金通貨 で 設定 します 。 設定」 タブで 、
価格が一瞬で変わる可能性のある市場では、注文はできるだけ簡単にすべきだと思いますか? Metatraderでは、注文を開くたびに、開始価格を入力し、損失を止めて利益を得るウィンドウと、取引サイズを開く必要があります。金融市場の取引では、初期預金を維持し、それを増やすために資本管理が不可欠です。それで、あなたが注文をしたいとき、あなたはおそらくあなたがどれくらいの大きさの取引を開くべきか疑問に思いますか?この単一の取引であなたの預金の何パーセントを危険にさらすべきですか?この取引からどれだけの利益を得ることができますか?また、リスクに対する利益の比率はどのくらいですか?トレードサイズを設定する前に、トレードサイズがどうあるべきかという質問に対する答えを得るために必要な計算を行います。 これらすべてを自動的に行うツールがあると想像してみてください。チャートを開き、市場分析を行い、エントリーポイント、ディフェンスポイント(ストップロス)、ターゲット(テイクプロフィット)を水平線でマークし、最後にリスクのレベルを定義します。利用可能な資本の%として、このトランザクションで負担することができ、こ
TradePanel MT5
Alfiya Fazylova
4.86 (114)
Trade Panel は、多機能の取引アシスタントです。 このアプリケーションには手動取引用の 50 以上の機能が含まれており、ほとんどの取引アクションを自動化できます。 購入する前に、デモ アカウントでデモ バージョンをテストできます。 デモは こちら から。 詳しい手順は こちら をご覧ください。 取引。 ワンクリックで基本的な取引操作を実行できます。 未決の注文とポジションをオープンする 未決の注文とポジションを決済する ポジションの反転(買いを閉じて売りをオープンする、または売りを閉じて買いをオープンする) ポジションをロックする(反対のポジションをオープンすることで、売りポジションと買いポジションの量を等しくします) すべてのポジションを部分的に決済します。 すべてのポジションのテイクプロフィットやストップロスを共通のレベルに設定します。 すべてのポジションのストップロスを損益分岐点レベルに設定します。 注文とポジションをオープンする際に、次のことが可能になります。 確立されたリスクに応じて取引量の自動計算を使用します。 ワンクリックで複数の注文を開きます。 計算された数量
MT5 to Telegram Signal Provider は、Telegramのチャット、チャンネル、またはグループに 指定された シグナルを送信することができる、完全にカスタマイズ可能な簡単なユーティリティです。これにより、あなたのアカウントは シグナルプロバイダー になります。 競合する製品とは異なり、DLLのインポートは使用していません。 [ デモ ] [ マニュアル ] [ MT4版 ] [ Discord版 ] [ Telegramチャンネル ] セットアップ ステップバイステップの ユーザーガイド が利用可能です。 Telegram APIの知識は必要ありません。必要な全ては開発者から提供されます。 主な特長 購読者に送信する注文の詳細をカスタマイズする機能 例えば、Bronze、Silver、Goldといった階層型のサブスクリプションモデルを作成できます。Goldサブスクリプションでは、すべてのシグナルが提供されます。 id、シンボル、またはコメントによって注文をフィルターできます 注文が実行されたチャートのスクリーンショットが含まれます 追加の
The product will copy all telegram signal to MT5 ( which you are member) , also it can work as remote copier.  Easy to set up, copy order instant, can work with almost signal formats, image signal,  s upport to translate other language to English Work with all type of channel or group, even channel have "Restrict Saving Content", work with  multi channel, multi MT5 Work as remote copier: with signal have ticket number, it will copy exactly via ticket number. Support to backtest signal. How to s
Trade Manager は、リスクを自動的に計算しながら、取引を迅速に開始および終了するのに役立ちます。 過剰取引、復讐取引、感情的な取引を防止する機能が含まれています。 取引は自動的に管理され、アカウントのパフォーマンス指標はグラフで視覚化できます。 これらの機能により、このパネルはすべてのマニュアル トレーダーにとって理想的なものとなり、MetaTrader 5 プラットフォームの強化に役立ちます。多言語サポート。 MT4バージョン  |  ユーザーガイド + デモ Trade Manager はストラテジー テスターでは機能しません。 デモについてはユーザーガイドをご覧ください。 危機管理 % または $ に基づくリスクの自動調整 固定ロットサイズを使用するか、ボリュームとピップに基づいた自動ロットサイズ計算を使用するオプション RR、Pips、または価格を使用した損益分岐点ストップロス設定トレーリングストップロス設定 目標に達したときにすべての取引を自動的に終了するための 1 日あたりの最大損失 (%)。 過度のドローダウンからアカウントを保護し、オーバートレードを防ぎます
Strategy Builder offers an incredible amount of functionality. It combines a trade panel with configurable automation (covert indicators into an EA), real-time statistics (profit & draw down) plus automatic optimization of SL, TP/exit, trading hours, indicator inputs. Multiple indicators can be combined into an single alert/trade signal and can include custom indicators, even if just have ex4 file or purchased from Market. The system is easily configured via a CONFIG button and associated pop-u
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
-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
あなたがメンバーである任意のチャネルから(プライベートおよび制限されたものを含む)シグナルを直接あなたのMT5にコピーします。  このツールは、トレードを管理し監視するために必要な多くの機能を提供しながら、ユーザーを考慮して設計されています。 この製品は使いやすく、視覚的に魅力的なグラフィカルインターフェースで提供されています。設定をカスタマイズして、数分で製品を使用を開始できます! ユーザーガイド + デモ  | MT4版 | Discord版 デモを試してみたい場合は、ユーザーガイドにアクセスしてください。 Telegram To MT5 受信機は、ストラテジーテスターで動作しません! Telegram To MT5の特徴 複数のチャネルから一度にシグナルをコピー プライベートおよび制限されたチャネルからシグナルをコピー BotトークンまたはChat IDは必要ありません   (必要に応じて使用することができます) リスク%または固定ロットを使用して取引 特定のシンボルを除外 すべてのシグナルをコピーするか、コピーするシグナルをカスタマイズするかを選択 すべてのシグナ
The  Easy Strategy Builder (ESB)  is a " Do It Yourself " solution that allows you to create a wide range of the automated trading strategies without any line of codes. This is the world’s easiest method to automate your strategies that can be used in STP, ECN and FIFO brokers. No drag and drop is needed. Just by set conditions of your trading strategy and change settings on desired values and let it work in your account. ESB has hundreds of modules to define unlimited possibilities of strategi
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
Unlimited Trade Copier Pro MT5 is a tool to copy trade remotely between multiple MT4/MT5 accounts at different computers/locations over internet. This is an ideal solution for signal provider, who want to share his trade with the others globally on his own rules. One provider can copy trades to multiple receivers and one receiver can get trade from multiple providers as well. The provider can even set the subscription expiry for each receiver, so that receiver will not be able to receive the sig
-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
MT5 to Discord Signal Provider は、Discord へ直接トレーディングシグナルを送信するために設計された、使いやすく完全にカスタマイズ可能なユーティリティです。このツールは、あなたのトレーディングアカウントを効率的なシグナルプロバイダーに変えます。 スタイルに合わせてメッセージフォーマットをカスタマイズ!利便性を考え、事前にデザインされたテンプレートから選択し、メッセージのどの要素を含めるか除外するかを選択できます。 [ デモ ] [ マニュアル ] [ MT4 バージョン ] [ Telegram バージョン ] セットアップ 簡単なセットアップのために、私たちの詳細な ユーザーガイド に従ってください。 Discord API の事前知識は必要ありません。必要なツールはすべて提供されます。 主な特徴 購読者の更新のための注文詳細をカスタマイズ。 ブロンズ、シルバー、ゴールドなど、各レベルで異なるシグナルアクセスを提供する階層的サブスクリプションモデルを実装。 注文が実行されたチャートのスクリーンショットを添付。 これらのスクリーンショットに表
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
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
ワンクリックで取引できるトレーディングパネル。ポジションと注文の操作!チャートまたはキーボードから取引。 当社の取引パネルを使用すると、チャートから直接シングルクリックで取引を実行でき、標準の MetaTrader コントロールよりも 30 倍高速に取引操作を実行できます。 パラメータと関数の自動計算により、トレーダーにとって取引がより速く、より便利になります。 グラフィックのヒント、情報ラベル、取引取引に関する完全な情報はチャート MetaTrader にあります。 MT4のバージョン 完全な説明   +DEMO +PDF 購入する方法 インストールする方法     ログファイルの取得方法     テストと最適化の方法     Expforex のすべての製品 手動取引用の取引パネル。チャート(チャートウィンドウ)またはキーボードから取引できます。  開閉、リバース、ロックポジションと注文を処理する МetaТrader5 のメインオーダーのトレーディングコントロールパネル:売買、売却、売却、売却、売却、閉じる、削除、修正、トレーリングストップ、ストップロス、takep
UTM Manager は、迅速かつ効率的な取引執行を提供する直感的で使いやすいツールです。際立った機能の 1 つは、「スプレッドを無視」モードです。これにより、スプレッドを完全に無視して、ローソク足の価格で取引できるようになります (たとえば、LTF でより高いスプレッドのペアを取引でき、スプレッドによって取引から除外されるのを回避できます)。 UTM Manager のもう 1 つの重要な側面は、独自のローカル取引コピー機であり、各ブローカーで異なる取引戦略と設定 (たとえば、さまざまな TP、BE、およびリスク ルール) を柔軟に実行できます。 取引執行: 迅速かつ効率的な取引執行: チャート上のエントリー価格とストップロス価格をクリックして簡単に取引を入力するか、ワンクリックの固定ストップロスサイズ機能を使用します。 自動ロットサイズ計算: ロットは事前定義されたリスク設定に基づいて計算され、ドラッグによってポジションが変更されると再計算されます。 1 つまたは複数のポジションを同時に処理できる能力。 利益確定と損益分岐点: 柔軟なテイクプロフィット設定: 特定のリスク対報
News Trade EA MT5
Konstantin Kulikov
4.55 (11)
僕自身が数年間使っている便利なロボットをご紹介します。半自動モードでも完全自動モードでもお使いいただけます。 当プログラムは経済指標カレンダーで発表されるニュースをもとにした取引の柔軟な設定が可能です。戦略テスターでは確認不可です。実際の取引のみです。端末の設定メニューを開いて許可URLリストにニュースサイトを追加する必要があります。サービス > 設定 > エキスパート・アドバイザーをクリックしてください。”次のURLの WebRequestを許可する:"にチェックを入れてください。次のURLを追加してください(空白は削除します): https://  ec.forexprostools.com/ 設定のモニタリングはデフォルトで完全自動モードで行われます: https://www.mql5.com/ja/signals/1447007 。似たような結果を得たい場合は任意のタイムフレームの GBPUSDチャートにエキスパート・アドバイザーを関連付けてください。(タイムフレームの種類は問いません。) 当該エキスパート・アドバイザーのためのカスタマイズ設定セットを作る場合は、
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 / エントリー レベル: バ
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 --------------------
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端末間でディール/ポジションをコピーするために作成されます。 デモ口座と投資口座からのコピーがサポートされています。 プログラムは、複数の端末
このプログラムを使用すると、非常に使いやすいユーザーインターフェースを使用して、MetaTraderアカウントからすべての取引を直接Notionにエクスポートできます。 MT4バージョン  |  ユーザーガイド + デモ 開始するには、ユーザーガイドを使用してNotionテンプレートをダウンロードしてください。 デモをご希望の場合は、ユーザーガイドにアクセスしてください。ストラテジーテスターでは機能しません! 主な機能 取引アカウントからすべての取引をNotionにエクスポート 実行中の取引および保留中の注文をNotionにエクスポートし、更新 テンプレートを作成する 前日からの取引をエクスポート 前週からの取引をエクスポート 前月からの取引をエクスポート カスタム時間範囲からの取引をエクスポート 新しいクローズされた取引をすべて自動的にNotionに送信 エクスポートに含めるフィールドを選択します。注文タイプ、ボリューム、オープン時間、クローズ時間など 開始方法 上記のユーザーガイドに移動するか、EAを起動して「接続ヘルプを取得」をクリックします 接続後、「開始:すべての取引
Introducing TradingBoost AI : Revolutionize your trading experience with TradingBoost AI, an innovative software utility seamlessly integrated into the MetaTrader platform. Leveraging the cutting-edge capabilities of OpenAI and ChatGPT technologies, TradingBoost AI empowers traders with advanced analytics, real-time insights, and predictive tools to enhance decision-making and optimize trading strategies. Experience the future of trading with TradingBoost AI - where artificial intelligence meets
Click and Go Trade Manager, the ultimate solution for seamless trading execution. With a simple click on the chart, you can effortlessly define your stop loss, entry price, and target levels. No more hassle of inputting values manually - it's made incredibly intuitive and easy. Embedded risk management is a key feature of our Trade Manager. We understand the importance of protecting your investments, which is why the Click and Go Trade Manager incorporates risk management. When placing orders, y
Comprehensive on chart trade panel with the unique ability to be controllable from mobile as well. Plus has a library of downloadable configuration, e.g. exit rules, extra panel buttons, pending order setup and more. Please see our product video. Works with all symbols not just currency pairs. Features On chart panel plus controllable from free app for Windows, iPhone and Android Built-in script engine with library of downloadable configuration, e.g. add 'Close All Trades in Profit' button, exit
MT5のエキスパートアドバイザーリスクマネージャーは非常に重要であり、私の意見ではすべてのトレーダーにとって必要なプログラムです。 このエキスパートアドバイザーを使用すると、取引口座のリスクを管理することができます。リスクと利益の管理は、金銭的およびパーセンテージの両方で実行できます。 エキスパートアドバイザーが機能するには、それを通貨ペアチャートに添付し、許容可能なリスク値を預金通貨または現在の残高の%で設定するだけです。 PROMO BUY 1 GET 2 FREE -   https://www.mql5.com/en/blogs/post/754725 アドバイザ機能 このリスクマネージャーは、リスクの管理を支援します。 -取引のために -1日あたり - 1週間 - ひと月ほど 制御することもできます 1)取引時の最大許容ロット 2)1日あたりの最大注文数 3)1日あたりの最大利益 4)エクイティを引き受ける利益を設定する それだけではありません。設定で自動設定を指定した場合、アドバイザーはデフォルトのSLとTPを設定することもできます。
Botトークンや管理者権限の必要なしに、メンバーであるすべてのチャンネルからシグナルをコピーして、MT5に直接送信します。 多くの機能を提供しながら、ユーザーを考慮して設計されています この製品は、使いやすい視覚的に魅力的なグラフィカルインターフェースで提供されています。設定をカスタマイズして、数分で製品を使用開始できます! ユーザーガイド + デモ  | MT4バージョン | Telegramバージョン デモを試してみたい場合は、ユーザーガイドを参照してください。 DiscordからMT5への変換は、ストラテジーテスターで動作しません。 DiscordからMT5への変換の特長 メンバーである任意のチャンネルからコピーします。BotトークンやチャットIDは不要です リスク%または固定ロットを使用して取引 特定のシンボルを除外 すべてのシグナルをコピーするか、コピーするシグナルをカスタマイズします すべてのシグナルを認識するための単語やフレーズを設定します(デフォルトは99%のシグナルプロバイダーに適用されます) コピーするタイミングと日時の設定をカスタマイズします 一度に
作者のその他のプロダクト
MT5 Broker  Rates (OHLC, candles) HTTP Provider Description EA turns your MT5 terminal into   historical/realtime rates  data provider for your application.  There are many market data providers on the internet, but in practice, the data provided is not always of good quality. Moreover, these services are often more expensive and typically require monthly subscription fees per each symbol. With this EA, you can feed your application with exactly the same rates data that you see in the MT5 term
フィルタ:
ChristianWale
34
ChristianWale 2023.11.12 01:13 
 

ユーザーは評価に対して何もコメントを残しませんでした

レビューに返信
バージョン 1.2 2023.11.11
- improve logs
バージョン 1.1 2023.11.08
improve logs