Copy trading EA

# DS_Copy_EA - User Description
DS_Copy_EA is a MetaTrader 5 Expert Advisor that copies trades between MT5 terminals running on the same machine. One EA instance acts as a **Provider** (signal source) and another acts as a **Receiver** (copier). The mode is selected in the EA settings.

**How it works:**

1. The **Provider** publishes its open positions internally every 500ms
2. The **Receiver** reads every 1 second, detects new/changed/closed positions, and mirrors them on its own account
3. Internal communication - no network, no latency, no external services

**Key capabilities:**

- Copy from up to 3 providers simultaneously on one receiver
- Per-provider copy percentage (e.g. copy 10% of provider's lot size)
- Per-provider symbol mapping with wildcards (e.g. EURUSD on provider = EURUSDx on receiver)
- Hard stop: auto-close everything if daily equity drops beyond a threshold
- Margin protection, spread filters, retry logic
- On-chart dashboard showing live status
- Survives EA restarts (rebuilds position tracking from magic numbers)


### Step 1: Set up the Provider

1. Open the MT5 terminal where the signal source trades
2. Drag `DS_Copy_EA` onto any chart
3. In the settings dialog:
   - **EA Mode** = `Provider (Signal Source)`
   - **Provider ID** = any unique name, e.g. `MySignal`
   - Leave other settings at defaults
4. Click OK
5. The dashboard should show "Publishing: N positions" where N matches your open trades

### Step 2: Set up the Receiver

1. Open the MT5 terminal where you want trades copied
2. Drag `DS_Copy_EA` onto any chart
3. In the settings dialog:
   - **EA Mode** = `Receiver (Copier)`
   - **Provider 1 ID** = the exact same name you used on the Provider, e.g. `MySignal`
   - **Provider 1 copy %** = how much of the provider's lot to copy (e.g. 50 = half)
   - **Provider 1 symbol map** = how to translate symbols (see Symbol Mapping below)
4. Click OK
5. Existing provider positions should start copying within seconds

### Step 3: Verify

- **Provider dashboard**: shows "Publishing: N positions" and "Positions on account: N"
- **Receiver dashboard**: shows provider as "LIVE", copied position count, equity/drawdown
- **Experts tab** (Ctrl+E): shows log messages for every copy/close action

> **Important**: Both terminals must be running on the same machine. The Provider ID must match exactly between Provider and Receiver (whitespace and invalid characters are auto-stripped).

---

## Settings Reference

### EA Mode

| Parameter | Default | Description |
|-----------|---------|-------------|
| EA Mode | Receiver (Copier) | Select Provider or Receiver mode |

### Provider Settings (Provider mode only)

| Parameter | Default | Description |
|-----------|---------|-------------|
| Provider ID | PROVIDER_1 | Unique name for this provider. Must match on the receiver side. |
| File write interval (ms) | 500 | How often to update the shared file. Lower = faster but more disk I/O. |
| Only publish these symbols | *(empty)* | Filter: only publish positions in these symbols. Semicolon-separated. Empty = publish all. |
| Only publish positions with specific magic | false | Filter: only publish positions with a specific magic number. |
| Magic number to filter by | 0 | The magic number to filter. Only used if the above is true. |

### Receiver: Provider 1/2/3

Each provider slot has these settings:

| Parameter | Default | Description |
|-----------|---------|-------------|
| Provider ID | PROVIDER_1 / *(empty)* / *(empty)* | The Provider ID to subscribe to. Empty = slot disabled. |
| Copy % of lot | 100.0 | Percentage of the provider's lot size to copy. 100 = same size, 50 = half, 200 = double. |
| Max positions | 20 | Maximum positions to copy from this provider. |
| Symbol map | `*=*` | Symbol mapping rules for this provider. See Symbol Mapping below. |

### Risk Management (Receiver only)

| Parameter | Default | Description |
|-----------|---------|-------------|
| Hard stop equity % | 50.0 | Close ALL positions if equity drops this % from day-start equity. 0 = disabled. |
| Min margin level % | 150.0 | Don't open new positions if margin level would drop below this. 0 = disabled. |
| Max spread (pips) | 0 | Skip copying if spread exceeds this. 0 = disabled (no spread filter). |
| Max slippage (points) | 300 | Maximum allowed slippage when opening/closing positions. |
| Max total positions | 100 | Hard cap on total copied positions across all providers. |

### Timing

| Parameter | Default | Description |
|-----------|---------|-------------|
| Polling interval (ms) | 1000 | How often the receiver checks provider files. Lower = faster reaction, more CPU. |
| Heartbeat timeout (sec) | 30 | If provider file hasn't been updated in this many seconds, consider it disconnected. |
| Trading hours start | *(empty)* | Only copy during these hours. Format: HH:MM. Empty = 24 hours. |
| Trading hours end | *(empty)* | End of trading hours. Supports overnight ranges (e.g. start=22:00, end=06:00). |

### Behavior (Receiver only)

| Parameter | Default | Description |
|-----------|---------|-------------|
| On provider disconnect | Keep positions open | What to do when a provider's heartbeat goes stale. Options: Keep / Close immediately / Close after delay. |
| Disconnect close delay (sec) | 300 | How long to wait before closing positions of a disconnected provider (if Close after delay is selected). |
| Copy stop loss | true | Mirror the provider's stop loss on copied positions. |
| Copy take profit | true | Mirror the provider's take profit on copied positions. |
| Max retry attempts | 10 | How many times to retry a failed order before giving up. |
| Delay between retries (ms) | 3000 | Wait time between retry attempts. |
| Close confirm seconds | 3 | A position must be absent from the provider file for this many seconds before closing. Protects against file-write races. |
| Close confirm reads | 3 | A position must be absent for this many consecutive file reads before closing. |
| Close all on EA removal | false | If true, close all copied positions when the EA is removed from the chart. |

### Identification (Receiver only)

| Parameter | Default | Description |
|-----------|---------|-------------|
| Base magic number | 900000 | Base for magic number encoding. Each provider gets an offset: Provider 1 = 901000, Provider 2 = 902000, Provider 3 = 903000. |

### Display & Logging

| Parameter | Default | Description |
|-----------|---------|-------------|
| Show dashboard | true | Show the on-chart status panel. |
| Enable file logging | true | Write log files to the Common Files folder. |
| Log level | 1 | 0 = Off, 1 = Info (normal), 2 = Debug (verbose - use for troubleshooting). |

---

## Symbol Mapping Guide

Each provider has its own symbol mapping rules. The format is `SOURCE=DESTINATION` pairs separated by semicolons.

### Basic Syntax

```
EURUSD=EURUSDx;GBPUSD=GBPUSDx;XAUUSD=XAUUSDx
```

This maps provider's `EURUSD` to receiver's `EURUSDx`, etc. Symbols not listed pass through unchanged.

### Wildcard Syntax

Use `*` as a wildcard to create rules that match multiple symbols:

| Rule | Meaning | Example |
|------|---------|---------|
| `*=*` | Pass-through (no change) | EURUSD -> EURUSD |
| `*=*x` | Append "x" to all symbols | EURUSD -> EURUSDx |
| `*=*.p` | Append ".p" to all symbols | EURUSD -> EURUSD.p |
| `*.s=*` | Remove ".s" suffix | EURUSD.s -> EURUSD |
| `*.raw=*.p` | Replace ".raw" with ".p" | EURUSD.raw -> EURUSD.p |

### Mixing Exact and Wildcard Rules

Exact matches always take priority over wildcards, regardless of order:

```
*=*x;BTCUSD=BTCUSD
```

| Provider Symbol | Matched Rule | Receiver Symbol |
|----------------|--------------|-----------------|
| EURUSD | `*=*x` (wildcard) | EURUSDx |
| GBPUSD | `*=*x` (wildcard) | GBPUSDx |
| XAUUSD | `*=*x` (wildcard) | XAUUSDx |
| BTCUSD | `BTCUSD=BTCUSD` (exact) | BTCUSD |

Another example - provider uses `.s` suffix, but gold has a different name:

```
XAUUSD.s=GOLD;*.s=*
```

| Provider Symbol | Matched Rule | Receiver Symbol |
|----------------|--------------|-----------------|
| EURUSD.s | `*.s=*` (wildcard) | EURUSD |
| XAUUSD.s | `XAUUSD.s=GOLD` (exact) | GOLD |
| GBPUSD.s | `*.s=*` (wildcard) | GBPUSD |

### Default

The default mapping is `*=*` which means all symbols pass through unchanged. This works when both accounts use the same broker with the same symbol names.

---

## Safety Features

### Hard Stop (Daily Equity Protection)

Monitors account equity against the day's starting equity. If the drawdown exceeds the configured threshold, ALL copied positions are closed immediately and no new positions are opened until the next trading day.

- **Threshold**: configurable (default 50%)
- **Resets**: automatically at the start of each new trading day
- **Dashboard**: shows "Hard Stop: ARMED" (green) or "HARD STOP: TRIGGERED" (red)
- **Alert**: MT5 alert popup when triggered

Example: Day starts at $10,000 equity, hard stop at 50%. If equity drops to $5,000, all positions close.

### Margin Protection

Before every trade, the EA checks:

1. Is there enough free margin for this position?
2. Would the projected margin level stay above the minimum threshold (default 150%)?

If either check fails, the position is skipped (not retried for margin).

### Close Confirmation

When a position disappears from the provider file, the receiver does NOT close immediately. Instead:

1. Marks the position as "missing" and starts a timer
2. Must be absent for 3 consecutive file reads AND 3 seconds (configurable)
3. If the position reappears during confirmation, counters reset - position stays open
4. If the provider's heartbeat is stale, close checks are skipped entirely (unreliable data)

This prevents false closures during rapid trading or file-write races.

### Retry Logic

If an order fails (requote, timeout, server busy), the EA retries up to 10 times with a 3-second delay between attempts. Non-retryable errors (no money, invalid volume, trading disabled) stop immediately.

### Anti-Flood Protection

- Minimum 500ms between order sends (rate limiting)
- 5-second cooldown between volume modifications on the same position
- Never re-copies a position that's already tracked
- Poll interval prevents excessive file reads (default 1 second)

### Volume Resync

If the copy percentage is changed while positions are open, the EA closes the affected positions and reopens them with the correct volume on the next cycle. This prevents the "add volume" infinite loop that would occur in hedging mode.

### Provider Heartbeat

The receiver tracks when each provider file was last updated. If a provider's file hasn't been updated in 30 seconds (configurable), it's marked as disconnected. The dashboard shows "DEAD" in red. The receiver will not close positions based on stale file data.

---

## Dashboard

### Provider Mode Dashboard

```
--- DS COPY EA [PROVIDER] ---
Provider ID: MySignal
Account: 12345678  BrokerServer
Positions on account: 4
Publishing: 4 positions
Filters: None (all positions)
File: CopyTrade_Provider_MySignal.csv
Last update: 14:30:45
```

- **Positions on account**: total positions detected by `PositionsTotal()` - diagnostic
- **Publishing**: how many passed the filters and were written to file
- **Filters**: shows active symbol/magic filters (or "None")
- **File**: the CSV filename being written

### Receiver Mode Dashboard

```
--- DS COPY EA [RECEIVER] ---
Equity: 10250.00  Balance: 10000.00
Margin Level: 450.2%
Drawdown: 2.5% / 50%  DayStart: 10512.00
Hard Stop: ARMED
Copied Positions: 5
PROVIDER_1: LIVE  Copy: 50%  Pos: 3
  Heartbeat: 2s ago
PROVIDER_2: LIVE  Copy: 100%  Pos: 2
  Heartbeat: 1s ago
Last: (last error message if any)
```
-
## Troubleshooting

### Provider shows "Publishing: 0 positions" but I have trades open

1. Check **Positions on account** on the dashboard - if this is also 0, the EA can't see your positions
2. Check if symbol filter or magic filter is accidentally active (look at **Filters** line)
3. Make sure "Allow Algo Trading" is enabled in MT5 settings
4. Set Log Level to 2 (Debug) and check Experts tab for detailed position enumeration

### Receiver shows "Cannot read provider file"
1. **Provider ID mismatch**: the ID must match EXACTLY between Provider and Receiver (check for spaces)
2. **Different Common Files folder**: check both terminals log `Common Files path:` at startup - they must be the same
3. **Provider not running**: make sure the provider EA is attached and active

### Receiver reads file but shows 0 positions / stale heartbeat

```
WARNING: Provider 'XYZ' heartbeat stale (45s) positions=0
```

1. The provider may have been restarted or its ID was changed
2. An old file from a previous session still exists - delete `CopyTrade_Provider_*.csv` from the Common Files folder and restart both EAs
3. The provider is running with a different ID than the receiver expects

### Positions not copying

Set Log Level to 2 (Debug) on the receiver and check:

1. `Symbol map: EURUSD -> ???` - verify the mapped symbol name is correct
2. `Symbol not tradeable: XYZ` - the mapped symbol doesn't exist on the receiver's broker
3. `Insufficient margin` - not enough margin to open the position
4. `Max total positions reached` - position limit hit
5. `Max positions for ProviderX reached` - per-provider limit hit

### Positions closed unexpectedly

Check the log for what triggered the close:

- `Close confirmed: ... absent for Xs` - provider closed the position (or file-read issue)
- `Hard stop closed:` - equity drawdown triggered the hard stop
- `Volume resync closed:` - copy percentage was changed, position closed for reopen
- `Closing positions for disconnected provider` - heartbeat timeout with disconnect action set to Close
Prodotti consigliati
VR Smart Grid MT5
Vladimir Pastushak
4.24 (29)
VR Smart Grid è un consulente commerciale completo per MetaTrader 4 e MetaTrader 5, costruito sulla base della classica strategia di grid trading. Il robot apre posizioni in modo indipendente, le gestisce e le chiude parzialmente, creando una griglia di ordini efficiente che si adatta ai cambiamenti del mercato. Dopo 15 anni di sviluppo, il consulente ha subito migliaia di variazioni e test — è il risultato del miglioramento sistematico su conti reali e demo. Sono disponibili file di set, versio
SolarTrade Suite Financial Robot: LaunchPad Market Expert - progettato per aprire le negoziazioni! Questo è un robot di trading che utilizza speciali algoritmi innovativi e avanzati per calcolare i suoi valori, il tuo assistente nel mondo dei mercati finanziari. Utilizza il nostro set di indicatori della serie SolarTrade Suite per scegliere meglio il momento in cui lanciare questo robot. Dai un'occhiata agli altri nostri prodotti della serie SolarTrade Suite in fondo alla descrizione. Vuoi n
Aurum Intraday EA
Rodrigo Leonardo Favreau Giuliodoro
Aurum Intraday EA – Advanced Gold Trading Algorithm The Aurum Intraday EA is a powerful automated trading system designed specifically for Gold (XAUUSD) traders who want to capture strong intraday movements while maintaining full control over risk and strategy configuration. Built with a robust algorithm and optimized for H1 and H4 timeframes (H4 recommended) , this Expert Advisor is capable of identifying high-probability opportunities in the gold market and executing trades with precision and
Zen Eagle
TICK STACK LTD
5 (2)
Launch Promotion — Purchase Zen Eagle during the launch period and choose any one of my other EAs at no extra cost. The price rises by $50 with every 10 copies sold — early buyers get the best deal. Zen Eagle Zen Eagle is a fully automated breakout trading system engineered exclusively for USDJPY — one of the most liquid and technically clean pairs in the forex market. Built on 8 independent breakout strategies running simultaneously, Zen Eagle identifies moments when price escapes established
Majors Perceptron Distance   works on a perceptron recruitment algorithm. The selection and construction of features for training are described in detail in my articles, which you can read below: Experiments with neural networks (Part 1): Revisiting geometry   https://www.mql5.com/en/articles/11077 Experiments with neural networks (Part 2): Smart neural network optimization   https://www.mql5.com/en/articles/11186 Experiments with neural networks (Part 3): Practical application   https://www
Croma10 PRO
Marco Alexandre Ferreira Feijo
️ INTRODUCTORY OFFER — PRICE WILL INCREASE ️ CROMA10 PRO is currently available at a special launch price . The price will increase progressively as sales grow: NOW: $599 (Launch Price) After 15 sales: $999 After 30 sales: $1499 Final price: $1999 Only a limited number of copies will be sold at each price level. Once the threshold is reached, the price goes up permanently — no exceptions, no going back. If you are reading this, you still have a chance to get CROMA10 PRO at the lo
Bober Real MT5
Arnold Bobrinskii
4.76 (17)
Bober Real MT5 is a fully automatic Forex trading Expert Advisor. This robot was made in 2014 year and did a lot of profitbale trades during this period. So far over 7000% growth on my personal account. There was many updates but 2019 update is the best one. The robot can run on any instrument, but the results are better with EURGBP, GBPUSD, on the M5 timeframe. Robot doesn't show good results in tester or live account if you run incorrect sets. Set files for Live accounts availible only for cu
Loss Recovery Trader MT5
Michalis Phylactou
5 (4)
Attempts to recover losing trades. If a trade moves in the wrong direction, the Zone Recovery algorithm begins. An alternating series of Buy and Sell trades at two specific levels take place, with two Exit Points above and beyond these levels. Once either of the two exit points is reached, all trades close with a combined profit or break even.  To use  1) Place the EA on a chart and select how the first trade will open (Manual/Via EA strategy/Use EA panel/External EA) 2) Configure your recovery
ID Trade_Bot BS - an effective tool for automated trading using RSI Trade_Bot BS is an efficient solution for automated trading based on RSI, allowing flexible parameter customization and risk management. Thanks to the ability to choose a trading mode, dynamic Stop-Loss and Take-Profit levels, and trading mode adjustment (buying, selling, or both), it is suitable for various trading strategies. Key Features: Uses the RSI indicator to determine market conditions. Automatically opens an
Nova ST Trader — Stochastic Momentum Precision System Note: The price will increase by $10 for every 10 sales, ensuring early adopters get the best value. Nova ST Trader is built around one of the most time-tested momentum indicators — the Stochastic Oscillator , developed by George C. Lane. This oscillator excels at pinpointing overbought and oversold conditions, allowing traders to anticipate turning points before they become obvious to the broader market. Unlike lagging or overcomplicated sys
Grid Scalper Pro Plus
Meet Shah Kamakumar Suryakant Shah
GRID SCALPER PRO PLUS v2.2 Institutional Scaling Engine  Turn your MetaTrader 5 into a 24/7 Wealth Machine. Engineered for Stability. Validated for Security. Built for Profit. Most Grid EAs are dangerous. They keep buying until your account hits Margin Call. [b]We fixed that.[/b] Universal Dynamic Risk Guard (UDRG) Mathematical protection that physically blocks trades if your margin gets too tight.  Netting Account Native The only EA optimized for MT5 Netting accounts with millisecond
Trion Miner EA MT5 is built based on smart grid averaging hedging system, which has been perfected. If these strategies run individually without any combination of other strategies, it will be very risky. And it will end up blowing out your account. By combining these three strategies and adding a systematic system, we can cover the weakness of each strategy and build a very profitable EA. Trion Miner use multi-currency hedging system that will make the trade always profitable wherever the marke
Gold Trade Manager PRO – Trade Management Panel for MetaTrader 5 Gold Trade Manager PRO is a trade management utility for MetaTrader 5 that allows traders to open and manage positions directly from the chart using a trading panel. The tool is designed to simplify manual trading by providing faster order execution, risk-based position sizing and position management functions in a single interface. Instead of manually calculating lot sizes and adjusting trade parameters through multiple terminal
SmartRisk MA Pro
Oleg Polyanchuk
SmartRisk MA Pro Strategy Overview: SmartRisk MA Pro is an optimized, risk-oriented automated trading strategy (Expert Advisor) developed for the MetaTrader 5 platform. It is designed to identify trading opportunities based on price deviations from moving averages and incorporates a comprehensive capital management system. The Expert Advisor operates on a "new bar" logic, ensuring stability and predictability in trade signal execution. Operating Principles and Trading Logic: At its core, the st
"Universal US100 HFT" is a high-frequency scalping bot designed to trade the NASDAQ 100 index (US100). The robot focuses on short-term trades, capitalizing on minor market fluctuations to generate profits. It does not employ risky strategies such as grid or martingale, making it safer and more resilient to market volatility. Key Features: High-Frequency Scalping:   The bot is designed for rapid trades with minimal holding time, allowing it to profit even from small market movements. Flexible Set
CryptoSecurency
Ruslan Brezovskiy
Cryptosecurency is a fully automatic trending trading advisor for cryptocurrency trading. The EA enters a trade at moments of increased volatility in the direction of momentum. The impulse is determined according to one of two algorithms: By the percentage change in the price for a certain time period or by the built-in indicators based on Bollinger bands. The ADX indicator can be used to measure the strength of a trend. Trades are closed by Stop Loss / Take Profit. It is not recommended to use
LT Alligator EA
BacktestPro LLC
Experience the immense potential of the Alligator indicator like never before with our Alligator Expert Advisor. This powerful tool is meticulously designed to harness the wisdom of this iconic indicator and elevate your trading to new heights.  The Alligator indicator, created by legendary trader Bill Williams, is not just a tool – it's a philosophy. It's based on the concept that the market exhibits different phases – sleeping, waking, and eating. By understanding these phases, you gain a rema
10-Year Optimized EA for EURUSD H1 This Expert Advisor is specifically designed and optimized for the EURUSD pair on the H1 timeframe. This strategy has been optimized to adapt to both trending and ranging market conditions, ensuring consistent performance over time. Risk is set at about 3% of balance, the number of lots placed on the order will change when the balance changes I don't want to waste your time explaining too much, see the backtest results for each cycle below, since 2014. Thank
This EA is an   RSI Crossover Trading System   with advanced position management features . This is not one of those EAs with fake/manipulated test results out there. RSI Crossover Advanced Robot  is robust and  suitable for traders who want automated RSI-based trading with professional-grade position management. It's particularly useful in trending markets where RSI signals can provide reliable entry and exit points. Recommended settings tested with 1HR timeframe using ICMarkets Tickers on 1 y
Introducing Neural Bitcoin Impulse - an innovative trading bot created using neural network training technology on voluminous market data sets. The built-in mathematical model of artificial intelligence searches for the potential impulse of each next market bar and uses the resulting patterns of divergence and convergence between the predictive indicators and the price to form high-precision reversal points for opening trading positions. The trading robot is based on the Neural Bar Impulse ind
GoldSupreme
Sihan Shabani
GoldSupreme è un sofisticato Expert Advisor progettato per il mercato del gold (XAUUSD). Utilizzando una combinazione di indicatori tecnici avanzati e criteri di selezione rigorosi,GoldSupreme GoldSupreme mira a identificare solo le migliori opportunità di trading sul gold, ottimizzando così il potenziale di profitto e riducendo al minimo il rischio. Caratteristiche Principali: Selezione delle Migliori Operazioni: GoldSupreme utilizza un insieme di indicatori tecnici, tra cui medie mobili espon
Oxi – Mean Reversion DCA Riser (MT5 Expert Advisor) Oxi is a fully automated MetaTrader 5 Expert Advisor that combines advanced Mean Reversion logic with strategic Dollar-Cost Averaging (DCA) to help you grow your account steadily. Designed to work across multiple currency pairs using adaptive analysis and smart trade management, Oxi offers a high win rate, flexible controls, and reliable recovery—perfect for traders who want performance with peace of mind. Key Features: ️ Plug & Pla
Aureus Edge Gold Trader
Craig Joshua Binnekamp
️ Aureus Edge Gold Trader (v2.10) The Specialist Engine for XAUUSD Aureus Edge is not a "jack-of-all-trades" bot. It is a high-precision Expert Advisor engineered strictly for Gold (XAUUSD) . While it includes stability protocols to pass global market validation, every line of logic is optimized for the unique volatility and liquidity of the Gold market . ️ Built for Professional Capital Preservation Unlike popular EAs that use dangerous recovery grids, Aureus Edge focuses on disciplined br
Boleta Marota
Renan Tavares Dos Santos Martins
Boleta Marota is a trading tool designed for traders who value speed, clarity, and full control when executing orders on MetaTrader 5. Created by Renan Martins , Boleta Marota offers a clean and intuitive interface that brings the most important trading actions together, allowing you to buy, sell, move to breakeven, and cancel orders with just one click. The interface is built for real trading conditions: Clean and straightforward design Essential information always visible Reduced operati
Hello traders! I present to you Argo Gold Edition MT5 - an expert built for gold trading, which is tailored to the specifics of gold movements on international markets. The basis of its logic is that it follows profitable patterns drawn from past periods. Mathematical algorithms are based on the correlation between the values of the indicators used and the corresponding movement of the price of gold. The expert is built on the basis of the ARGO series. It specializes in GOLD / XAUUSD trading. 2
GOLD Neural Grid PRO
Md Iqbal Kaiser
5 (1)
Secure LIFETIME access with permanent updates and dedicated support. I invite you to start a one-month trial today before finalizing your purchase. XAU Neural Grid PRO is the elite evolution of our neural-filtering technology, specifically engineered for professional traders targeting XAUUSD (Gold) and XAGUSD (Silver) . This Pro version unlocks the full potential of the Neural Grid logic, offering highly customizable parameters to navigate complex market cycles with precision. Contact me for s
SynthMind
William Da Silva Matos
5 (2)
SynthMind – Consulente Esperto MT5 SynthMind unifica il riconoscimento dei modelli basato su immagini, il monitoraggio del flusso istituzionale e il filtraggio della volatilità in un unico Consulente Esperto per il trading automatizzato su MetaTrader 5. SynthMind elabora in tempo reale le immagini dei grafici e il riconoscimento dei modelli multi-timeframe per individuare i punti di inversione del mercato prima che si verifichino. Segnale live: https://www.mql5.com/en/signals/2327128?source=Site
This robot operates based on the Parabolic SAR indicator. Verion for MetaTrader4 here . The advanced EA version includes the following changes and improvements: The EA behavior has been monitored on various account types and in different conditions (fixed/floating spread, ECN/cent accounts, etc.) The EA functionality has been expanded. Features better flexibility and efficiency, better monitoring of open positions. Works on both 4 and 5 digits brokers. The EA does not use martingale, grid or arb
Basic working principles of EA will have 2 main systems. 1. Timed order opening means that at the specified time the EA will open 1 Buy order and 1 Sell order. 2. When the graph is strong, the EA will remember the speed of the graph. is the number of points per second which can be determined You can set the number of orders in the function ( Loop Order ). The order closing system uses the trailling moneym Loss system, but I set it as a percentage to make it easier to calculate when the capital
Robot King Gold Auto Trade XAUUSD RAW Grid Scalper is a MetaTrader 5 Expert Advisor designed for XAUUSD (Gold) on the M1 timeframe , optimized for RAW / low-spread accounts and hedging mode . Live Monitoring / Signal (Optional) You can monitor a live performance page here: https://www.mql5.com/en/signals/2352656 (Monitoring only. Using this EA does not require subscribing to the Signal.) It combines a MA-triggered basket entry with a controlled grid (multi-position) recovery and basket exit
Gli utenti di questo prodotto hanno anche acquistato
Quantum Queen MT5
Bogdan Ion Puscasu
4.97 (519)
Ciao, trader! Sono   Quantum Queen   , il fiore all'occhiello dell'intero ecosistema Quantum e l'Expert Advisor più quotata e venduta nella storia di MQL5. Con una comprovata esperienza di oltre 20 mesi di trading live, mi sono guadagnata il posto di Regina indiscussa di XAUUSD. La mia specialità? L'ORO. La mia missione? Fornire risultati di trading coerenti, precisi e intelligenti, ancora e ancora. IMPORTANT! After the purchase please send me a private message to receive the installation manua
Gold House MT5
Chen Jia Qi
5 (31)
Gold House — Gold Swing Breakout Trading System Launch Promotion — Limited to 100 Copies Version 2.0 has been released with significant improvements. A price adjustment is expected soon. Early access is recommended. 93   copies sold — only 7 remaining. Lock in the lowest price before it's gone. Live signal: https://www.mql5.com/en/signals/2359124 Stay updated — join our MQL5 channel for product updates and trading tips. After opening the link, click the "Subscribe" button at the top of the page
TwisterPro Scalper
Jorge Luiz Guimaraes De Araujo Dias
5 (33)
Meno trade. Trade migliori. La costanza prima di tutto. • Segnale in Tempo Reale Modalità 1 Twister Pro EA è un Expert Advisor di scalping ad alta precisione sviluppato esclusivamente per XAUUSD (Oro) sul timeframe M15. Opera meno — ma quando opera, lo fa con uno scopo preciso. Ogni ingresso passa attraverso 5 livelli indipendenti di validazione prima che venga piazzato un singolo ordine, garantendo un tasso di precisione estremamente elevato con il SET predefinito. DUE MODALITÀ: Mode 1 (cons
Quantum King EA
Bogdan Ion Puscasu
4.98 (165)
Quantum King EA: potenza intelligente, raffinata per ogni trader IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. Prezzo di lancio speciale Segnale in diretta:       CLICCA QUI Versione MT4:   CLICCA QUI Canale Quantum King:       Clicca qui ***Acquista Quantum King MT5 e potresti ottenere Quantum StarMan gratis!*** Chiedi in privato per maggiori dettagli! Gestisci   le tue attività di trading con precisione
Quantum Valkyrie
Bogdan Ion Puscasu
4.86 (130)
Quantum Valkyrie - Precisione.Disciplina.Esecuzione Scontato       prezzo.   Il prezzo aumenterà di $ 50 ogni 10 acquisti. Segnale in diretta:   CLICCA QUI   Canale pubblico MQL5 di Quantum Valkyrie:   CLICCA QUI ***Acquista Quantum Valkyrie MT5 e potresti ottenere Quantum Emperor o Quantum Baron gratis!*** Chiedi in privato per maggiori dettagli! IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions.      Salve, comm
Goldwave EA MT5
Shengzu Zhong
4.72 (32)
Conto di trading reale   LIVE SIGNAL (IC MARKETS):  https://www.mql5.com/en/signals/2339082 Questo EA utilizza esattamente la stessa logica di trading e le stesse regole di esecuzione del segnale di trading live verificato mostrato su MQL5.Quando viene utilizzato con le impostazioni consigliate e ottimizzate, e con un broker ECN / RAW spread affidabile (ad esempio IC Markets o TMGM) , il comportamento di trading live di questo EA è progettato per allinearsi strettamente alla struttura delle ope
Akali
Yahia Mohamed Hassan Mohamed
4.18 (55)
LIVE SIGNAL: Clicca qui per vedere le prestazioni dal vivo IMPORTANTE: LEGGI PRIMA LA GUIDA È fondamentale leggere la guida alla configurazione prima di utilizzare questo EA per comprendere i requisiti del broker, le modalità della strategia e l'approccio intelligente. Clicca qui per leggere la Guida Ufficiale Akali EA Panoramica Akali EA è un Expert Advisor di scalping ad alta precisione progettato specificamente per l'Oro (XAUUSD). Utilizza un algoritmo di trailing stop estremamente stretto pe
The Gold Reaper MT5
Profalgo Limited
4.51 (90)
PUNTELLO AZIENDA PRONTO!   (   scarica SETFILE   ) WARNING : Sono rimaste solo poche copie al prezzo attuale! Prezzo finale: 990$ Ottieni 1 EA gratis (per 2 account commerciali) -> contattami dopo l'acquisto Ultimate Combo Deal   ->   click here JOIN PUBLIC GROUP:   Click here Live Signal Benvenuti al Mietitore d'Oro! Basato sul Goldtrade Pro di grande successo, questo EA è stato progettato per funzionare su più intervalli di tempo contemporaneamente e ha la possibilità di impostare la frequ
Chiroptera
Rob Josephus Maria Janssen
5 (12)
Prop Firm Ready! Chiroptera is a multi-currency, single trade Expert Advisor that operates in the quiet hours of the night. It uses single-placed trades with tactically placed Take Profits and Stop Losses, that are continuously adjusted to maximize gains and minimize losses. It keeps track of past and upcoming news reports to ensure impacts are minimized and carefully measures real-time volatility to prevent impacts due to unpredictable geo-political disturbances caused by Tweets and other ad-ho
Full Throttle DMX
Stanislav Tomilov
5 (6)
Full Throttle DMX - Strategia reale,  Risultati reali   Full Throttle DMX è un consulente esperto di trading multivaluta progettato per operare con le coppie di valute EURUSD, AUDUSD, NZDUSD, EURGBP e AUDNZD. Il sistema si basa su un approccio di trading classico, utilizzando indicatori tecnici noti e una logica di mercato comprovata. L'EA contiene 10 strategie indipendenti, ciascuna progettata per identificare diverse condizioni e opportunità di mercato. A differenza di molti moderni sistemi au
Ultimate Breakout System
Profalgo Limited
5 (31)
IMPORTANTE   : Questo pacchetto sarà venduto al prezzo corrente solo per un numero molto limitato di copie.    Il prezzo salirà a 1499$ molto velocemente    +100 strategie incluse   e altre in arrivo! BONUS   : A partire da un prezzo di 999$ --> scegli   gratuitamente 5    dei miei altri EA!  TUTTI I FILE IMPOSTATI GUIDA COMPLETA ALLA CONFIGURAZIONE E ALL'OTTIMIZZAZIONE GUIDA VIDEO SEGNALI LIVE RECENSIONE (terza parte) Benvenuti al SISTEMA DEFINITIVO DI BREAKOUT! Sono lieto di presentare l'Ul
Agera
Anton Kondratev
4.25 (8)
AGERA   è un EA aperto completamente automatizzato e multiforme per l'identificazione delle vulnerabilità nel mercato dell'ORO! Not        Grid       , Not        Martingale    ,    Not      "   AI"         , Not      "   Neural Network" ,    Not      "   Machine Learning"    ,     Not     "ChatGPT"   ,     Not       Unrealistically Perfect Backtests  AGERA    Community :       www.mql5.com/en/messages/01e0964ee3a9dc01 Vantage Real :    https://www.mql5.com/en/signals/2363787 Tickmill Real :    
AI Gold Trading MT5
Ho Tuan Thang
4.1 (39)
VUOI GLI STESSI RISULTATI DEL MIO SEGNALE LIVE?   Utilizza gli stessi broker che uso io:   IC MARKETS  &  I C TRADING .  A differenza del mercato azionario centralizzato, il Forex non ha un unico flusso di prezzi unificato.  Ogni broker attinge liquidità da fornitori diversi, creando flussi di dati unici. Altri broker possono raggiungere solo una performance di trading equivalente al 60-80%.     Canale Forex EA Trading su MQL5:  Unisciti al mio canale MQL5 per ricevere le ultime notizie da parte
The Gold Phantom
Profalgo Limited
4.5 (26)
PROP FIRM PRONTO! -->   SCARICA TUTTI I FILE DEL SET AVVERTIMENTO: Ne sono rimaste solo poche copie al prezzo attuale! Prezzo finale: 990$ NOVITÀ (a partire da soli 399$)   : scegli 1 EA gratis! (limitato a 2 numeri di account commerciali, uno qualsiasi dei miei EA tranne UBS) Offerta Combo Definitiva     ->     clicca qui UNISCITI AL GRUPPO PUBBLICO:   Clicca qui   Segnale in diretta Segnale in diretta 2 !! IL FANTASMA D'ORO È ARRIVATO !! Dopo l'enorme successo di The Gold Reaper, sono estr
AI Gold Scalp Pro
Ho Tuan Thang
4.9 (10)
VUOI GLI STESSI RISULTATI DEL MIO SEGNALE LIVE?   Usa esattamente gli stessi broker che uso io:   IC MARKETS  &  I C TRADING .  A differenza del mercato azionario centralizzato, il Forex non ha un unico feed di prezzi unificato.  Ogni broker si procura liquidità da diversi fornitori, creando flussi di dati unici. Altri broker possono raggiungere solo prestazioni di trading equivalenti al 60-80%. SEGNALE LIVE Canale di Trading Forex EA su MQL5:  Unisciti al mio canale MQL5 per ricevere le mie ul
Quantum Bitcoin EA
Bogdan Ion Puscasu
4.71 (122)
Quantum Bitcoin EA   : niente è impossibile, è solo questione di capire come farlo! Entra nel futuro del trading   di Bitcoin   con   Quantum Bitcoin EA   , l'ultimo capolavoro di uno dei migliori venditori di MQL5. Progettato per i trader che richiedono prestazioni, precisione e stabilità, Quantum Bitcoin ridefinisce ciò che è possibile nel mondo volatile delle criptovalute. IMPORTANTE!   Dopo l'acquisto, inviami un messaggio privato per ricevere il manuale di installazione e le istruzioni d
Nano Machine
William Brandon Autry
5 (9)
Nano Machine GPT Version 2 (Generation 2) – Intelligenza Persistente di Pullback Abbiamo avviato questo cambiamento alla fine del 2024 con Mean Machine, uno dei primissimi sistemi a portare una vera IA di frontiera nel trading retail forex dal vivo. Nano Machine GPT Version 2 è la prossima evoluzione in questa linea. La maggior parte degli strumenti di IA risponde una volta e dimentica tutto. Nano Machine GPT Version 2 no. Ricorda ogni setup di pullback analizzato, ogni ingresso eseguito, ogni
Karat Killer
BLODSALGO LIMITED
4.7 (30)
Pura Intelligenza sull'Oro. Validato Fino al Nucleo. Karat Killer   non è l'ennesimo EA sull'oro con indicatori riciclati e backtest gonfiati — è un   sistema di machine learning di nuova generazione   costruito esclusivamente per XAUUSD, validato con metodologia di grado istituzionale e progettato per trader che apprezzano la sostanza rispetto allo spettacolo. LAUNCH PROMOTION - LIMITED TIME OFFER   Price increases every 24 hours at 10:30 AM Cyprus time.   Secure the lowest price today before t
AI Gold Sniper MT5
Ho Tuan Thang
3.94 (65)
Optimize your trading environment: To get the best results matching the live signal, it is highly recommended to use a reliable True ECN broker with low latency and tight spreads. Because Forex liquidity varies, choosing a robust broker ensures the algorithm can execute trades with maximum precision. LIVE SIGNAL & COMMUNITY Live Performance (More than 7 months):  View AI Gold Sniper Live Signal Forex EA Trading Channel:  Join my community of over 15,000 members for the latest updates and support
AI Quantum Scalper
Lo Thi Mai Loan
5 (7)
AI Quantum Scalper — L’Evoluzione dell’Esecuzione Intelligente Precisione. Intelligenza. Dominio Multi-Mercato. SCARICA SETFILE  | GUIDA INPUT | GUIDA ALL’INSTALLAZIONE Promotion: Prezzo scontato: Il prezzo aumenta di **50 USD al giorno durante il periodo promozionale**. Prezzo a fasi: Dopo i primi 100 clienti, il prezzo aumenterà a **999.99 USD** e continuerà a salire gradualmente fino a **4999.99 USD** nel tempo. Offerta speciale: Acquista AI Quantum Scalper oggi per avere la possibilità di
Aot
Thi Ngoc Tram Le
4.79 (107)
AOT Expert Advisor Multi-Valuta con Analisi del Sentiment AI Strategia di ritorno alla media multi-coppia per la diversificazione del portafoglio su coppie di valute correlate. Prima volta che testi AOT?     Inizia con le   impostazioni lotto fisso , Lotto fisso 0.01 | Singola posizione per coppia | Funzionalità avanzate disattivate. Logica di trading grezza   per comprendere il comportamento del sistema. Segnale Track Record Dettaglio Nome File Set Descrizione Rischio Medio Darwinex Zero,  Dime
GoldBaron XauUsd EA MT5
Mikhail Sergeev
4.5 (8)
"GoldBaron" è un robot di trading completamente automatico sviluppato per il trading di Oro (XAUUSD). Per 6 mesi di trading su un conto reale, l'esperto è stato in grado di guadagnare 2000% di profitto. Ogni mese, l'esperto ha guadagnato oltre il 60%. Basta impostare un esperto di trading sul grafico orario (H1) di XAUUSD e vedere il potere di prevedere i prezzi futuri dell'oro. Per un inizio aggressivo, sono sufficienti $ 200. Deposito consigliato da $ 500. Assicurati di utilizzare conti con op
Queen Strategies Empire – Consulente esperto Panoramica Queen Strategies Empire è un Expert Advisor multi-strategia che contiene 7 modalità indipendenti basate su diversi concetti di trading. Ogni modalità ha la propria logica di ingresso, gestione delle negoziazioni, struttura SL e TP, consentendo molteplici approcci algoritmici all'interno di un unico sistema. Avviso: Quando si utilizzano più strategie insieme, mantenere la stessa dimensione del lotto per garantire prestazioni equilibrate. S
PrizmaL Gravity
Vladimir Lekhovitser
5 (1)
Segnale di trading in tempo reale Monitoraggio pubblico in tempo reale dell’attività di trading: https://www.mql5.com/it/signals/2364406 Informazioni ufficiali Profilo del venditore Canale ufficiale Manuale utente Istruzioni di configurazione e utilizzo: Apri manuale utente PrizmaL Gravity rappresenta una nuova generazione di Expert Advisor sviluppati attraverso l’addestramento di reti neurali in un ambiente di scalping strutturato e semplificato. Il sistema è stato addestrato su dati
Mad Turtle
Gennady Sergienko
4.51 (89)
Simbolo XAUUSD (Oro / Dollaro USA) Periodo (intervallo di tempo) H1-M15 (qualsiasi) Supporto per operazioni singole SÌ Deposito minimo 500 USD (o equivalente in un’altra valuta) Compatibile con tutti i broker SÌ (supporta quotazioni a 2 o 3 cifre, qualsiasi valuta del conto, simbolo o fuso orario GMT) Funziona senza configurazione SÌ Se sei interessato al machine learning, iscriviti al canale: Iscriviti! Caratteristiche principali del progetto Mad Turtle: Vero apprendimento automatico Questo
Gold Trade Pro MT5
Profalgo Limited
4.3 (37)
Promo lancio! Sono rimaste solo poche copie a 449$! Prossimo prezzo: 599$ Prezzo finale: 999$ Ottieni 1 EA gratis (per 2 account commerciali) -> contattami dopo l'acquisto Ultimate Combo Deal   ->   click here Live signal:   https://www.mql5.com/en/signals/2084890 Live Signal high risk :  https://www.mql5.com/en/signals/2242498 Live Signal Set Prop Firm Set File JOIN PUBLIC GROUP:   Click here Parameter overview Gold Trade Pro si unisce al club degli EA che commerciano oro, ma con una gran
Golden Hen EA
Taner Altinsoy
4.51 (49)
Panoramica Golden Hen EA è un Expert Advisor progettato specificamente per XAUUSD (Oro). Funziona combinando nove strategie di trading indipendenti, ognuna innescata da diverse condizioni di mercato e intervalli temporali (M5, M30, H2, H4, H6, H12, W1). L'EA è progettato per gestire automaticamente i suoi ingressi e i filtri. La logica principale dell'EA si concentra sull'identificazione di segnali specifici. Golden Hen EA non utilizza tecniche grid, martingala o di mediazione (averaging) . Tut
Zenox
PETER OMER M DESCHEPPER
4.26 (31)
Offerta lampo: 10 copie con il 50% di sconto! Prezzo normale: 1349,99 USD. Unisciti al canale pubblico gratuito qui per rimanere aggiornato! Ogni volta che il segnale live aumenta del 10%, il prezzo verrà aumentato per mantenere l'esclusività di Zenox e proteggere la strategia. Il prezzo finale sarà di $ 2.999. Segnale Live Conto IC Markets, guarda tu stesso le performance live come prova! Scarica il manuale utente (inglese) Zenox è un robot di swing trading multi-coppia basato su intelligenza
BB Return mt5
Leonid Arkhipov
5 (26)
BB Return — un Expert Advisor (EA) per il trading dell’oro (XAUUSD). Questa idea di trading è stata utilizzata in precedenza da me nel trading manuale . Il cuore della strategia è il ritorno del prezzo all’interno del range delle Bollinger Bands , ma non in modo meccanico né a ogni contatto. Nel mercato dell’oro le bande da sole non sono sufficienti, per questo l’EA utilizza filtri aggiuntivi che eliminano condizioni di mercato deboli o non operative. Le operazioni vengono aperte solo quando la
Growth Killer
BLODSALGO LIMITED
5 (18)
Dopo anni di trading manuale comprovato e sviluppo, le mie strategie avanzate sono ora disponibili come Expert Advisor! Presentiamo Growth Killer EA — un sistema di trading professionale progettato per la costruzione di portafogli, diversificazione multi-simbolo e gestione avanzata del capitale. Costruito con flessibilita, questo EA ti permette di scegliere tra strategie pronte (es. XAUUSD) o di creare la tua strategia personalizzata — e persino combinarle in un unico portafoglio. SEGNALE LIVE I
Filtro:
Nessuna recensione
Rispondi alla recensione