• Visão global
  • Comentários (2)
  • Discussão (6)
  • O que há de novo

Fast API Copier

4
This EA connects trading systems on a Windows Server (VPS), providing top-tier trade copying locally or remotely and powerful API integration. Experience lightning-fast performance with a 10ms reaction time for seamless, reliable trading.

For seamless operation, use the EA on a hosted server (VPS or cloud). It also works on your own server or computer.

Copy Trades: Effortlessly copy trades between terminals, local or remote. Just select the same channel for both terminals and set the Direction to "Send Signals" on one and "Receive Signals" on the other. Once connected, indicated by the "Connected" label in the top right corner, your trades will be mirrored seamlessly.

API Usage: Maximize your trading potential with our user-friendly API. Easily integrate with external systems, customize your strategies, and enjoy seamless innovation with straightforward syntax.


Installation

  1. Download and Install Visual Studio 2019 or Visual Studio 2022* on your Windows Server. Choose "ASP.NET and web Development". Download-URL: https://visualstudio.microsoft.com/downloads/?utm_content=download+vs2019
  2. Copy and extract this Files to C:\ or any Folder you want on your Windows Server: https://drive.google.com/file/d/1z24kXqLZ6sVJ6pwSZ7_uRb0v2vL1xZJ7/view?usp=sharing
  3. Set Windows Firewall to prompt when a new connection is needed. Alternatively, you can type the following in CMD to allow connections on Port 80: netsh advfirewall firewall add rule name="HTTP Port 80" dir=in action=allow protocol=TCP localport=80 .
  4. ** Make sure Port 80 is free. If IIS is installed change IIS Port for Example to 8080. https://youtu.be/2cnX1miEsas
  5. Open Command Line (Type Win+R and Enter "cmd").
  6. Navigate to the folder with the files by typing cd C:\ (or just D: without cd if the files are on the D: drive). Then, type cd tv2 twice to enter the correct subfolder.
  7. Type the follow Command to Run: dotnet run. (If your VPS Machine is slow and this Step takes more than 1 Minute, then disable Windows Defender Antivirus). Maybe press some key to see if its finish. Leave the window open.
  8. Check API Endpoint: Test both http://YOUR_SERVER_IP/api/todoItems externally and 127.0.0.1/api/todoItems internally. You should see a JSON value [] . External access is optional.
  9. Go to MT5 Terminal, open Menu Tools->Options->Expert Advisors->Allow Web Request for listed URL. Type in: 127.0.0.1 (MT5) or http://27.0.0.1 (MT4)
  10. Start Expert Advisor, set a secret Password. A Label "Connected" on the Chart, says you that the API is Ready.

Tips

* If you use Visual Studio 2022, you may need to download and install packages after installation. You will see the download links in the CMD window, after do Step 7.

    ** If you want to find out which program is blocking Port 80, type the following command in the black CMD window: netstat -ano | find ":80" . This will give you an ID. Replace 1234 with the ID you get and run: tasklist /FI "PID eq 1234" .

    To open IIS on Windows Server 2012: Hold down the Windows key and press the R key (win+r), then type inetmgr . If IIS is not installed, port 80 may already be free.

    Troubleshoot External Access: If Step 8 fails with the URL http://YOUR_SERVER_IP/api/todoItems , and you need external access for API use or trade copying, install Wireshark on your VPS server to monitor incoming connections on Port 80 (see screenshot). Make sure to access http://YOUR_SERVER_IP/api/todoItems from an external computer.


    Setup Trading-System

    Configure your Alerts in Trading-System. You need to make JSON Request like:

    {
      "Value":"{{strategy.order.comment}} tradesymbol=XAUUSD lot=0.03"
      ,"password":"YOUR_PASSWORD"
    }

    In your Strategy write Comment "long" for Long Position or Comment "short" for Short Position. Write "closelong" to Close Long Position and "closeshort" to close Short Position. The Placeholder will be / must be replaced by the Alert and will look like this:

    {
      "Value":"long tradesymbol=XAUUSD lot=0.03"
      ,"password":"YOUR_PASSWORD"
    }


    API Command Syntax

    lot Set Fixed Lot

    microlot Set the needed Amount for 1 microlot (Autolot)
    For Example: Free Equity of 500$ and Microlot of 100$: (500$ / 100$) * 0.01 = 0.05 Lot. EA looks which is lower, Equity or Balance to Calculate the Autolot.

    tradesymbol Symbol to Trade, for Example EURUSD or XAUUSD

    long Open a Long Trade

    short Open a Short Trade

    closelong Close all Long Trades on used tradesymbol (from this EA / Magic Number). For example: closelong tradesymbol=eurusd

    closeshort Close all Short Trades on used tradesymbol  (from this EA / Magic Number). For example: closeshort tradesymbol=eurusd

    tradeid Unique Identifier for the Trade

    close Close Trade. You need Parameter tradeid

    sl Stoploss Price (price, pips, %. For example 200% = 200% from TakeProfit. 10pips = 10pips or 1.29535 as a Price)

    tp Takeprofit Price (price, pips, %. For example 50% = 50% from StopLoss. 10pips = 10pips or 1.29535 as a Price)

    pyramiding defines how many Positions can be opened at same Symbol and Direction.
    For example pyramiding=2 Maximal 2 eurusd long and 2 xauusd long.

    closepart=%/Lot Close Percentage or Lot Amount of Winning Positions on same Symbol.
    For example closepart=50% tradesymbol=eurusd Close 50% of eurusd.

    riskpos=% open new Position if the Drawdown is not below %. Using negative Value=Drawdown is below %. Needs Parameter long or short to open the Position.

    riskbalance=% open new Position if the Drawdown of Balance is not below %. Using negative Value=Drawdown is below %. Needs Parameter long or short to open the Position. To enable this Feature you need to activate Riskbalance in EA Settings.

    hedge opens opposite Position of open Positions at same Position Size. Needs Param tradesymbol.
    For example hedge tradesymbol=eurusd

    closehedge close current hedge Position. So the Position is open again.

    hedgeall Hedge all Positions without look on Magic Number.

    hedgelong, hedgeshort Hedging only long or short Positions.

    hedgeallshort, hedgealllong Hedging only long or short Positions without look on Magic Number.

    risk Open new Position based on Risk in Percentage of Equity or Balance (the lower one). Needs Parameter "long" or "short" and Parameter tradesymbol.
    For example: long tradesymbol=ustec risk=1.5% sl=5% tp=3%


    Pending Order Syntax

    selllimit Opens new Pending selllimit Order. Needs Parameter price

    sellstop Opens new Pending sellstop Order. Needs Parameter price

    buylimit Opens new Pending buylimit Order. Needs Parameter price

    buystop Opens new Pending buystop Order. Needs Parameter price


    Channels

    You can Target different Channels from your Trading-System. The Default Channel Address is

    http://YOUR_SERVER_IP/api/todoItems

    For second Channel use:

    http://YOUR_SERVER_IP/api2/todoItems

    Use Parameter Channel in EA, to listen to a different Channel than the Default.

    Do not use same Channel for Copy and your Trading-Systems


    EA Settings

    Your Secret API-Password: Your secret API password.

    Magic Number: Identifies trades with a custom number.

    Direction: Determines whether to send or receive trade signals.

    Channel: Selects the communication channel (1-10).

    IP Address or 127.0.0.1 (Local): IP address for communication (default is 127.0.0.1 ).

    Symbol Suffix: Adds a suffix to the symbol name.

    Symbol Prefix: Adds a prefix to the symbol name.

    Max Lot Size: Sets the maximum lot size (0 for unlimited).

    Foreign Currency Account Lot Size Converter

    USD Rate: Sets the USD exchange rate.

    Settings for Sending Signals

    Copy Method: Chooses the method for copying trades (Percentage, Fixed Lot, etc.).

    Copy Power in Percent: Adjusts trade size in percentage.

    Fixed Lot Size: Sets a fixed lot size.

    Include Symbols: Includes specific symbols for copying (comma separated).

    Exclude Symbols: Excludes specific symbols from copying (comma separated).

    Copy Settings for Cracks

    Symbol to Use: Specifies a single symbol to use.

    Inverse Orders (Hedge Copy): Inverses market orders for hedging.

    API Settings for Cracks

    Close Hedge Positions Automatically: Closes existing positions rather than opening new opposite positions.

    Riskbalance: Chooses risk balance mode (OFF, MaxBalance, etc.).

    Riskbalance Custom Value: Sets a custom risk balance value.


















    Comentários 2
    michaelronnfeldt
    19
    michaelronnfeldt 2020.11.25 22:32 
     

    Works well. I miss some extra functionality like being able to set a Stop loss.

    Produtos recomendados
    This expert basically copies all trades from a prop trading account to a private live account (Master Slave Copier). USP! What it makes unique is the fact, that this EA can revert the trades and calculate orignal lots in way, that you earn money for every lost prop firm challange trade. For example:   If you lose a 100K challange and you paid 500$ for it, the EA recovers those losses on your private live account. If you win the challange, sure, you lost around 500$ on your private live account b
    O MT5 to Discord Signal Provider é uma ferramenta fácil de usar e totalmente personalizável, projetada para enviar sinais de negociação diretamente para o Discord. Esta ferramenta transforma sua conta de negociação em um provedor de sinais eficiente. Personalize os formatos de mensagens para se adequar ao seu estilo! Para facilitar o uso, selecione entre modelos pré-desenhados e escolha quais elementos da mensagem incluir ou excluir. [ Demo ] [ Manual ] [ Versão MT 4] [ Versão Telegram ] Confi
    Sunan Giri For MT5
    Victor Adhitya
    5 (1)
    Sunan Giri EA for MT5 by Victoradhitya Risk Disclosure : Futures, Forex, Stock, Crypto and Derivative trading contains substantial risk and is not for every investor. An investor could potentially lose all or more than the initial investment. I am not responsible for any financial losses you may incur by using this EA! ea uses a no martingle strategy or martingale strategy depends on your set every trade always uses a hidden SL EA has back test for 5 years Minimum balance $1000
    FREE
    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
    Auto Trade Copier é projetado para copiar comércios entre contas MT5 / terminais múltiplos com uma precisão absoluta. Com esta ferramenta , você pode agir como quer provedor ( fonte ) ou receptor (destino). Cada ações negociadas será clonado a partir de provedor para o receptor sem demora. A seguir são características de destaque :     Alternar entre Provider ou papel Receiver dentro de uma ferramenta.     Um provedor pode copiar comércios de contas da multi- receptor.     Absoluto compat
    Exp COPYLOT CLIENT for MT5
    Vladislav Andruschenko
    4 (22)
    Copiadora de comércio para MT5 é um  comércio   copiadora para a plataforma МetaТrader 5 . Ele copia negociações forex  entre   qualquer conta   MT5  - MT5, MT4  - MT5 para a versão COPYLOT MT5 (ou MT4  - MT4 MT5  - MT4 para a versão COPYLOT MT4) Copiadora confiável! Versão MT 4 Descrição completa +DEMO +PDF Como comprar Como instalar    Como obter arquivos de log    Como testar e otimizar    Todos os produtos da Expforex Você também pode copiar negociações no terminal МТ4 ( МТ4  - МТ4, МТ
    "Pattern 123" is an indicator-a trading system built on a popular pattern, pattern 123. This is the moment when we expect a reversal on the older trend and enter the continuation of the small trend, its 3rd impulse. The indicator displays signals and markings on an open chart. You can enable/disable graphical constructions in the settings. The indicator has a built-in notification system   (email, mobile terminal, standard terminal alert). "Pattern 123" has a table that displays signals fr
    Turnaround Technique
    Razvan-andrei Tomegea
    Introducing the Turnaround Technique EA, a powerful trading tool designed for traders seeking to identify and capitalize on market reversals using the Relative Strength Index (RSI) and the Money Flow Index (MFI). This strategy is ideal for both novice and experienced traders looking to enhance their trading performance with a straightforward yet effective approach. By applying the strategy across multiple markets, traders can diversify their portfolio and take advantage of opportunities in diff
    Forex Daily Scalping EA is a professional scalping advisor for daily work on the FOREX currency market. In trading, along with experience, traders usually come to understand that the levels of accumulation of stop orders, price and time play a significant role in the market. Recommend ECN broker with LOW SPREAD: IC Market , Exness, NordFX , FXPRIMUS , Alpari , FXTM PARAMETERS: PRICE - the price distance to be covered in the allotted time period; TIME - time allotted in seconds; HL_PERIOD -
    Magic EA MT5
    Kyra Nickaline Watson-gordon
    Magic EA is an Expert Advisor based on Scalping, Elliot Waves and with filters such as RSI, Stochastic and 3 other strategies managed and decided with the robot smartly. Large number of inputs and settings are tested and optimized and embedded in the program thus inputs are limited and very simple. Using EA doesn't need any professional information or Forex Trading Knowledge. EA can trade on all symbols and all time frames, using special and unique strategies developed by the author. The EA
    Just Copier MT5
    Agung Imaduddin
    4.75 (4)
    "Just copier" is designed to copy trading without any complicated settings. The copy can be done in one PC. One EA can be set as master (provider) or slave (receiver). The receiver lot can be set to multiple providers lots. Please also check this product at fxina.hostingerapp.com.  Any type of copy is available. MT4 -> MT5 MT4 -> MT4 MT5 -> MT5 MT5 -> MT4 If you want to copy MT4 -> MT5 or MT5 -> MT4, please purchase "Just copier" for MT4 and "Just copier" for MT5 separately. Just Copier can copy
    Este indicador mostrará os valores de TP e SL (naquela moeda) que você já definiu para todos os pedidos nos gráficos (fechados na linha de transação/pedido) que o ajudarão muito a estimar seus lucros e perdas para cada pedido. E também mostra os valores de PIPs. o formato mostrado é "Valores de moeda de nossos valores de Lucro ou Perda / PIPs". O valor TP será mostrado na cor verde e o valor SL será mostrado na cor vermelha. Para qualquer dúvida ou mais informações, sinta-se à vontade para en
    Sensey
    Yaroslav Varankin
    Sensey Candlestick Pattern Recognition Indicator Sensey is an advanced tool capable of accurately identifying candlestick patterns. Not only does it recognize patterns, but it also detects price highs and lows within a specified time frame. Sensey operates seamlessly across multiple timeframes and is compatible with all currency pairs, futures, and commodities. Unlike some indicators, Sensey does not repaint historical data, ensuring reliable analysis even in cryptocurrency markets. You can wit
    Elevate your trading experience with Dynamic Trader EA MT5 , a cutting-edge trading robot designed to optimize your investment strategy. This advanced algorithm harnesses the power of four key indicators: RSI ( Relative Strength Index ), Stochastic Oscillator , MACD   ( Moving Average Convergence Divergence ) and ATR ( Average True Range ) to make informed and precise trading decisions. ATR is used to dynamically set stop-loss and take-profit levels based on market volatility. IMPORTANT! Read
    KT Renko Patterns MT5
    KEENBASE SOFTWARE SOLUTIONS
    KT Renko Patterns scans the Renko chart brick by brick to find some famous chart patterns that are frequently used by traders across the various financial markets. Compared to the time-based charts, patterns based trading is easier and more evident on Renko charts due to their uncluttered appearance. KT Renko Patterns features multiple Renko patterns, and many of these patterns are extensively explained in the book titled Profitable Trading with Renko Charts by Prashant Shah. A 100% automate
    | Fully-automated Smart Money Concept (ICT) inspired trading solution with multi-strategy capabilities | Built by a grid trader >> for grid traders.  This is MT5 version, click  here  for  Blue CARA MT4  (settings and logics are same in both versions)     Real monitoring signal  -->  Cara Gold Intro Blue CARA EA   ('CARA') - short for  C omprehensive  A lgorithmic   R esponsive   A dvisor is a next-gen  multi-currency    multi-timeframe  EA base on the widely known (and perhaps the most popul
    The Expert Advisor is used to create Renko chart, realtime updates, easy for technical analysis. Backtest your strategy with all indicators with Renko chart in MetaTrader 5. Parameters Box Size : input the number of box size. Show Wicks : if true , draw a candle with high/low. History Start: input the date to creat first candle. Maximum Bars: limit number of bars on renko chart How to use Attach the Expert Advisor to a chart (timeframe M1), for which you want to create a renko. Input box siz
    Royal Wave Pro M5
    Vahidreza Heidar Gholami
    3.5 (4)
    Royal Wave is a Trend-Power oscillator which has been programmed to locate and signal low-risk entry and exit zones. Its core algorithm statistically analyzes the market and generates trading signals for overbought, oversold and low volatile areas. By using a well-designed alerting system, this indicator makes it easier to make proper decisions regarding where to enter and where to exit trades. Features Trend-Power Algorithm Low risk Entry Zones and Exit Zones Predictions for Overbought and Over
    Gold Veritas MT5
    Marat Baiburin
    3.19 (21)
    Discount on all my products until 01.05.  Gold Veritas   é um Expert Advisor Forex totalmente automático para horas de silêncio. Acompanhamento do trabalho do conselheiro:  https://www.mql5.com/en/users/bayburinmarat/seller Configuração correta de GMT:   https://www.mql5.com/en/blogs/post/743531 Todos os parâmetros necessários para a otimização mais compreensível e simples estão disponíveis em apenas 6 configurações.Você pode adaptar o consultor às suas preferências: ajuste os níveis de risco ou
    Trade Copier Agent é projetado para copiar negociações entre várias contas/terminais MetaTrader(4/5). Com esta ferramenta, você pode atuar como provedor (origem) ou receptor (destino). Todas as ações de negociação serão copiadas do provedor para o destinatário sem demora. Esta ferramenta permite que você copie negociações entre vários terminais MetaTrader no mesmo computador com velocidades de cópia ultrarrápidas de menos de 0,5 segundos. Guia de instalação e entradas do Trade Copier Agent Apli
    Copier MT5 DEMO
    Volodymyr Hrybachov
    This is a DEMO version of the copier with a restriction - copies only BUY orders. Paid version:  https://www.mql5.com/en/market/product/45792 Copier MT5  is the fastest and most reliable copier of transactions between several MetaTrader 4 (MT4) and MetaTrader 5 (MT5) accounts installed on one computer or VPS server. Transactions are copied from the MASTER account to the SLAVE account, copying occurs due to the exchange of information through a text file with a speed of less than 0.5 sec., The p
    FREE
    A nova versão torna este indicador uma ferramenta completa para estudo, análise e operação de padrões probabilísticos. Suas funções incluem: Monitor de porcentagem de múltiplos ativos no gráfico. Martingales configuráveis. Vinte e um padrões pré-configurados, incluindo padrões Mhi e C3. Um editor de padrões avançado para armazenar até 5 padrões personalizados. Modo Backtest para testar resultados com relatório de perdas. Filtro de tendência. Filtro de hits. Opção de Ciclos de Martingale. Vários
    Utilitário para pedidos automáticos e gerenciamento de riscos. Permite tirar o máximo dos lucros e limitar suas perdas. Criado por um trader praticante para traders. O utilitário é fácil de usar, funciona com qualquer ordem de mercado aberta manualmente por um trader ou com a ajuda de consultores. Pode filtrar negociações por número mágico. O utilitário pode trabalhar com qualquer número de pedidos ao mesmo tempo. Tem as seguintes funções: 1. Definir níveis de stop loss e take profit;
    Upgraded - Stars added to indentify Areas you can scale in to compound on your entry  when buying or selling version 2.4 Upgraded Notifications and alerts added version 2.3 *The indicator is suitable for all pairs fromm  Deriv pairs (Vix,jump,boom & crash indices) , Currencies, cryptos , stocks(USA100, USA30 ), and metals like gold etc. How does it work? Increasing the period make it more stable hence will only focus on important entry points However  lowering the period will mean the indica
    How to use Pair Trading Station Pair Trading Station is recommended for H1 time frame and you can use it for any currency pairs. To generate buy and sell signal, follow few steps below to apply Pair Trading Station to your MetaTrader terminal. When you load Pair Trading Station on your chart, Pair Trading station will assess available historical data in your MetaTrader platforms for each currency pair. On your chart, the amount of historical data available will be displayed for each currency pai
    Awesome Oscillator by Bill Williams with the ability to fine-tune and replace the averaging algorithms of the indicator, which significantly expands the possibilities of using this oscillator in algorithmic trading and brings it closer in its properties to such an indicator as the MACD. To reduce price noise, the final indicator is processed with an additional Smooth averaging. The indicator has the ability to give alerts, send mail messages and push signals when the direction of movement of th
    FTMO Trading EA MT5
    Samuel Kiniu Njoroge
    5 (1)
    Enhance your trading with ftmo trading ea , the cutting-edge price action expert advisor designed to elevate your trading experience to new heights. Harnessing the power of advanced algorithms and meticulous analysis of price movements, ftmo trading ea empowers traders with unparalleled insights into the market. Gone are the days of relying solely on indicators or lagging signals. With ftmo trading ea, you gain access to real-time data interpretation, it makes informed decisions swiftly and co
    Blue Shark is a trading robot  for the trading on Forex. It a   Trend Following   system and works in this way: 1. Identify the trend 2. Wait for a retracement 3. Cover profits Blue Shark MT5 is a fully automated trading system that doesn't require any special skills from you. Just fire up this EA and rest. You don't need to set up anything, EA will do everything for you. EA is adapted to work on small deposits from $500. REQUIREMENTS FOR YOUR ACCOUNT Leverage >= 1:500 Balance >= $500 (or
    PROMO: ONLY 10 LEFT AT $90! Next price:        $199 Price will be kept high to limit number of users for this strategy. This EA starts trading at the open of   London (UK) Session . It is based on analysis of advanced statistical distributions combined with short to medium term reversal patterns which have mean-reversion attributes. The EA includes several smart features and allows you to trade with a fixed or automatic lot size. The EA is not sensitive to spreads but can be backtested on bo
    To download MT4 version please click here . - This is the exact conversion from TradingView: "Chandelier Exit" By "everget". - This is a non-repaint and light processing load indicator - input options related to coloring and labels are removed to fit into MetaTrader graphics.  - Buffers are available for processing within EAs. - You can message in private chat for further changes you need.
    Os compradores deste produto também adquirem
    Trade Assistant MT5
    Evgeniy Kravchenko
    4.38 (164)
    Ajuda a calcular o risco por comércio, a fácil instalação de uma nova encomenda, gestão de encomendas com funções de fecho parcial, trailing stop de 7 tipos e outras funções úteis. Atenção, o aplicativo não funciona no testador de estratégia. Você pode baixar a versão Demo na página de descrição  Manual, Description, Download demo Função de linha Mostra no gráfico a linha de Abertura, Stop Loss, Take Profit. Com esta função é fácil definir uma nova ordem e ver as suas características adicion
    Você acha que em mercados onde o preço pode mudar em uma fração de segundo, colocar os pedidos deve ser o mais simples possível? No Metatrader, cada vez que você deseja abrir uma ordem, você deve abrir uma janela onde você insere o preço de abertura, stop loss e take profit, bem como o tamanho da negociação. Ao negociar nos mercados financeiros, a gestão de capital é essencial para manter seu depósito inicial e multiplicá-lo. Portanto, quando você deseja fazer um pedido, provavelmente se pergunt
    TradePanel MT5
    Alfiya Fazylova
    4.85 (114)
    Trade Panel é um assistente comercial multifuncional. O aplicativo contém mais de 50 funções para negociação manual e permite automatizar a maioria das ações de negociação. Antes de comprar, você pode testar a versão Demo em uma conta demo. Demonstração aqui . Instruções completas aqui . O aplicativo foi concebido como um conjunto de painéis interconectados: Painel para comércio. Projetado para realizar operações comerciais básicas: Abertura de ordens e posições pendentes. Abertura da grade de o
    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
    Copie os sinais de qualquer canal do qual você seja membro (incluindo privados e restritos) diretamente para o seu MT5.  Esta ferramenta foi projetada com o usuário em mente, oferecendo muitos recursos que você precisa para gerenciar e monitorar as negociações. Este produto é apresentado em uma interface gráfica fácil de usar e visualmente atraente. Personalize suas configurações e comece a usar o produto em minutos! Guia do usuário + Demo  | Versão MT4 | Versão Discord Se deseja experimentar
    Attention: this is a multicurrency EA, which trades by several pairs from one chart!  Therefore, in order to avoid duplicate trades, it is necessary to attach EA only to one chart, ---> all trading in all pairs is conducted only from one chart! we can trade simultaneously in three different pairs, as by default (EURUSD + GBPUSD + AUDUSD), which take into account the correlation when entering the market for all three; we can trade only EURUSD (or any currency pair) and at the same time take into
    Hedge Ninja
    Robert Mathias Bernt Larsson
    5 (1)
    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
    YuClusters
    Yury Kulikov
    4.93 (41)
    Atenção: A versão demo para revisão e teste está aqui . YuClusters é um sistema profissional de análise de mercado. O trader tem oportunidades únicas para analisar o fluxo de pedidos, volumes de negociação, movimentos de preços usando vários gráficos, perfis, indicadores e objetos gráficos. O YuClusters opera com base em dados de Tempos e Negócios ou informações de ticks, dependendo do que está disponível nas cotações de um instrumento financeiro. O YuClusters permite que você crie gráficos com
    Mentfx Mmanage mt5
    Anton Jere Calmes
    4.25 (8)
    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
    Set price targets, and leave everything else to HINN Lazy Trader! This tool is designed for automatic position sizing from specified levels to designated targets. Using a VPS is recommended (*). The demo version   limited in functionality, be sure to watch this video before using -->  https://youtu.be/geLQ6dUzAr8 A community for users, product discussion, update news, and first line of support are organized in a free Discord: https://discord.gg/zFhEZc7QDQ Use Webmoney For payments in cryptocu
    News Filter Tool
    Apex Software Ltd
    5 (1)
    Melhore Seu Trading com Insights de Eventos de Notícias No mundo acelerado do trading, eventos de notícias podem impactar significativamente os preços de mercado. Compreender como esses eventos influenciam os movimentos de preço é crucial para gerenciar suas operações durante períodos voláteis. A ferramenta News Tool EA foi projetada para fornecer insights sobre eventos de notícias passados e futuros, ajudando você a tomar decisões de trading mais informadas. Este EA não pode ser executado no
    Trade Assistant 38 in 1
    Makarii Gubaydullin
    4.89 (18)
    Ferramenta multifuncional: 65+ funções, incluindo: calculadora de lote, Price Action, proporção R/R, gerenciamento de trade, zonas de suporte e resistência Versão Demo   |   Manual de usuário   |    Versão MT4 O utilitário não funciona no testador de estratégia: você pode baixar a versão Demo AQUI para testar o produto. Contate-me   para perguntas / ideias de melhorias / caso encontrar algum erro Os trades automáticos serão permitidos se estiverem habilitados na plataforma e na corretora Simpli
    -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
    RiskGuard Management
    MONTORIO MICHELE
    5 (13)
    ATTENTION the expert does not work in strategy tester, for a trial version visit my profile. Manual RiskGuard Management   RiskGuard management was born with the idea of ​​helping traders from their initial journey to becoming expert and aware traders. Compatible with any operating system whether Mac or Windows. The operations panel is integrated into the graph giving the possibility to choose size and position between right and left, while the various buttons light up when they can be used,
    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 -------------------------------------------------------------------------------
    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
    Unlimited Trade Copier Pro MT5 is a tool to copy trade remotely to multiple MT4, MT5 and cTrader accounts at different computers/locations over internet. This is an ideal solution for you if you are a signal provider and want to copy your trades to other receivers globally on your 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 n
    Este é um painel de negociação visual que ajuda você a realizar e gerenciar operações facilmente, evitando erros humanos e aprimorando sua atividade comercial. Ele combina uma interface visual fácil de usar com uma abordagem sólida de gerenciamento de riscos e posições. [ Guia de instalação | Guia de atualização | Solução de problemas | FAQ | Todos os produtos ] Surpreendentemente fácil de usar Negocie facilmente a partir do gráfico Negocie com gerenciamento preciso de riscos, sem complicações
    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
    Gold Pip Sniper MT5
    Muhammed Sharookh Chittethukudiyil
    Oferta por tempo limitado:  O preço atual de 119 dólares está disponível apenas para as primeiras 5 compras!  Depois disso, o preço aumentará para 999 dólares.  Não perca esta exclusividade  oportunidade - aja rapidamente antes que a oferta termine!  Rich Market Minds Scalper EA: Scalping de precisão para novas tendências de mercado.     O Rich Market Minds Scalper EA foi habilmente concebido para aproveitar as vantagens das novas e emergentes tendências de mercado com velocidade e p
    -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
    Trade Sync MT5
    Anna Kolchina
    5 (1)
    « Trade Sync » — Really fast copying and precise synchronization of trades. Simple installation and configuration of the application within 5 seconds allows you to copy trades between different MetaTrader terminals installed on one Windows PC or Windows VPS at maximum speed. «Trade Sync» contains a large number of options for customizing the application to your specific needs and allows you to cope with even complex user tasks. Separate use: Trade Sync MT4 - allows you to copy (Мt4 > Мt4), Trade
    Breakevan Utility
    Jose Luis Thenier Villa
    BreakEvan Utility  Is a simple tool in a panel with this utilities: This utility will draw a Golden Line in the chart applied showing the breakeven price, considering all the positions opened for that specific symbol. Also the information panel shows: Balance Breakeven Price for that chart Force Breakeven (for that symbol) as ON/OFF Force Breakeven Global (takes into account all trades opened) as ON/OFF Total Lots opened for Symbol Total Lots opened Global And two buttons: Force Breakeven: W
    FREE SIGNAL CHANEL:  https://t.me/redfox_daily_forex_signals Time saving and fast execution Whether you’re traveling or sleeping, always know that Telegram To MT5 performs the trades for you. In other words, Our   Telegram MT5 Signal Trader  will analyze the trading signals you receive on your selected Telegram channels and execute them to your Telegram to MT5 account. Reduce The Risk Telegram To Mt5   defines the whole experience of copying signals from   Telegram signal copier to MT5 pl
    The Expert Advisor will send notifications via Discord when orders are opened/modified/closed on your MetaTrader 5 account. - Send message and screenshot to Discord group/channel.  - Easy to customize message.  - Support custom message for all languages - Support full Emoji.  Parameters - Discord url Webhook - create webhook on your Discord channel. - Magic number filter - default all, or input magic number to notify with comma, like: 111,222,333. - Symbol filter - default all, or input symbo
    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
    Bot Mt5 para Binance Future (Expert) O sistema está funcionando no mercado Binance Future. Você pode integrá-lo facilmente ao seu próprio código para automatizar as operações. O painel de operação manual está disponível. Hedge mod compatível. Todas as operações podem ser feitas manualmente na tela. É a maneira mais eficaz de controlar muitas criptomoedas ao mesmo tempo. A tela é do tipo modelo com tela binance. Você pode baixar o arquivo de modelo no link. https://drive.google.c
    ManHedger MT5
    Peter Mueller
    4.8 (5)
    THIS EA IS A SEMI-AUTO EA, IT NEEDS USER INPUT. Manual & Test Version Please DON'T BUY this product before testing or watching my video about it. Contact me for user support & advices! 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 your Take Profits/Stop Losses as a perc
    Trading Chaos Expert
    Gennadiy Stanilevych
    5 (10)
    Não existe software igual no mundo e que represente um "console" universal de negociação informando sinais para operar, entrada automatizada do mercado, configurando o Stop Loss e o Take Profit, assim como o Trailling Profit para diversas negociações em apenas uma janela aberta. O controle intuitivo do Expert Advisor em "três cliques" garante um uso abrangente de todas as suas funções em diferentes computadores, incluindo tablets. Interagindo com indicadores de sinal adicionais que marcam o gráf
    Copie sinais de qualquer canal do qual seja membro ( sem a necessidade de um Token de Bot ou Permissões de Administrador ) diretamente para o seu MT5. Foi projetado com o usuário em mente, oferecendo muitos recursos de que você precisa Este produto é apresentado em uma interface gráfica fácil de usar e visualmente atraente. Personalize suas configurações e comece a usar o produto em minutos! Guia do Usuário + Demonstração  | Versão MT4 | Versão Telegram Se deseja experimentar uma demonstração
    Mais do autor
    Fast API Copier MT4
    Konstantin Stratigenas
    5 (1)
    This EA connects trading systems on a Windows Server (VPS), providing top-tier trade copying locally or remotely and powerful API integration. Experience lightning-fast performance with a 10ms reaction time for seamless, reliable trading. For seamless operation, use the EA on a hosted server (VPS or cloud). It also works on your own server or computer. Copy Trades:  Effortlessly copy trades between terminals, local or remote. Just select the same channel for both terminals and set the Direction
    Simple Signal Provider
    Konstantin Stratigenas
    Trade with your MT5 Account on a custom API-Endpoint. 1. Activate API on your Signal Site. 2. Enter your Username. 3. Enter your Account-Password. 4. Enter the API-Endpoint URL to your MT5 Account (Extras -> Options -> Experts -> Allow WebRequest). Lot Size Settings Auto Lot = 0 and Fixed Lot = 0 : Copy Lot Size. Auto Lot : Option to send normalized Lot-Size depends from Free Margin on Trading-Account. Because other Traders will start with different Account Size. For Example:
    Filtro:
    kw901102
    75
    kw901102 2021.05.22 12:20 
     

    O usuário não deixou nenhum comentário para sua avaliação

    Konstantin Stratigenas
    615
    Resposta do desenvolvedor Konstantin Stratigenas 2021.05.22 17:20
    Thanks for your Review! For Closing an Order the Syntax is (3 Examples):
    close tradesymbol=eurusd
    closelong tradesymbol=eurusd
    closeshort tradesymbol=eurusd You need Parameter tradesymbol for closing an Order. On the "Experts" Tab you see every Transaction and you can see if there is some Error. I will make some Tutorial in Future. If you want some nice USDCHF Pinescript just PN me.
    michaelronnfeldt
    19
    michaelronnfeldt 2020.11.25 22:32 
     

    Works well. I miss some extra functionality like being able to set a Stop loss.

    Responder ao comentário
    Versão 4.91 2024.09.03
    New input parameter: 'Symbol to Use' for accounts with special symbol names.
    Versão 4.9 2024.09.03
    - New parameter added for copying in the opposite direction as a hedge.
    - Hedge command can now be used multiple times (each time a new position is opened, you can hedge again, open another, and hedge again...).
    - Enhanced stability.
    - Improved grouping of input parameters.
    Versão 4.6 2021.07.04
    Small Alert Fix
    Versão 4.5 2021.07.04
    Pyramiding works with Parameter:
    - risk
    - microlot

    Pyramiding works in Netting Account.

    For example:
    if pyramiding = 3 and risk = 10% the maximum is 30%
    or: if pyramiding = 3 and lot = 0.1 the maximum is 0.3 Lot
    or: if pyramiding = 2 and microlot = 100 the maximum is microlot 50
    Versão 4.4 2021.04.06
    Parameter riskbalance small fix
    Versão 4.3 2021.03.20
    New Parameters:
    riskbalance
    riskpos
    risk
    closepart
    hedge
    closehedge
    hedgeall
    hedgelong
    hedgeshort
    hedgealllong
    hedgeallshort

    Stop-Loss / Take-Profit in Price, % or in pips
    Versão 3.2 2020.12.22
    Included Symbols. fixed.
    Versão 3.1 2020.12.22
    - New Setting Max Lotsize.
    - New Setting Microlot for fixed Microlot.
    - Receive and adjust pending Orders for Copier.
    - Pending Order Support (selllimit, sellstop, buylimit, buystop).
    - New Parameter "price" defines and adjusts Pending Order Price.
    Versão 2.8 2020.12.14
    - Suffix Error fixed
    - Volume Error fixed
    Versão 2.7 2020.12.14
    - Suffix Support
    - Other Deposit Currency Support like JPY
    - Small Fix
    Versão 2.6 2020.12.08
    - Case insensitive. Solved.
    - Connect after Re-Init. Solved.
    - More Stable.
    - New MT4 Version.
    Versão 2.5 2020.12.08
    - Faster Ping
    - Hedge Option
    - Min. Order Size Support
    - Move Stoploss / Takeprofit
    Versão 2.1 2020.12.07
    - Faster Execution
    - Faster Connection
    - More Stable
    Versão 2.0 2020.12.05
    Please Update for Security Reason
    - Copy Trades to Friends, other Terminals
    - 10 different Channels for more Flexibility
    - Filter for Symbols
    - 3 Methods of Lot Calculation