Whale Speed Volatility Divergence

1

This EA looks for a two-layer momentum/liquidity breakout:

Divergence detection (trigger):

  • TPS (ticks-per-second / bar tick_volume ) must be high vs. its recent average ( TPS_Multiplier ),

  • while Volatility (bar high–low) must be low vs. its recent average ( Volatility_Multiplier ).

This combo flags “flow in a quiet range” → a likely near-term breakout.

Direction & filter:

  • If the signal bar is green ( close > open ) → consider BUY; if redSELL.

  • Optional MA trend filter ( Use_TrendFilter ): bar above MA → BUY allowed; below MA → SELL allowed.

Order parameters:

  • SL = signal bar low (BUY) or high (SELL).

  • TP = SL × TakeProfit_Multiplier (risk/reward multiple).

  • Position size is computed from RiskPercentage . If margin is insufficient, size is reduced iteratively ( Reduce_On_Margin_Or_Limit , Open_Retry_* ).

Execution safeguards (broker realities):

  • Before placing orders, check spread, stop/freeze levels, tick size, and a latency buffer.

  • For SL modifications, use throttle, skip when too close to freeze, pre-modify tick refresh, and slack pips to reduce “close to market” rejections.

  • On open/modify failures, apply cooldowns to avoid spammy logs and needless retries.

Trailing stop engine:

  • As price moves in favor, move SL forward by a pip distance ( TrailingStop_Pips ),

  • enforcing a minimum step each modify ( Trailing_Min_Step_Pips ) and honoring stop/freeze + buffer distances.

Data/warmup & tester compatibility:

  • If there aren’t enough bars, the EA waits ( Require_History_Warmup ) or falls back to another timeframe.

  • In the tester, TPS can be emulated from tick_volume ( Use_TickVolume_Emulation ) and signals can be fixed to bar[1] ( Use_Closed_Bar ) for stable/reproducible backtests.

Signal flow (detail)

OnTimer (every 1s): Real-time TPS counter → tps_history[] ; average of last 5 bars’ high–low → vol_history[] .

OnTick:

  1. Warmup & symbol/TF ready? If not, wait or use fallback TF.

  2. Compute TPS_now / TPS_avg and Vol_now / Vol_avg (emulated in tester).

  3. Condition: TPS_now > TPS_avg × TPS_Multiplier AND Vol_now < Vol_avg × Volatility_Multiplier .

  4. Bar color + optional MA filter set the direction.

  5. Build SL/TP, compute size from risk, check spread & stop/freeze, run iterative margin fit → open order.

  6. If a position is open, run trailing; before modify, refresh tick + apply slack to keep SL within safe limits.

All inputs — explained

Risk & Trade Controls

  • TakeProfit_Multiplier
    Sets TP as a multiple of SL distance (RR). Example: 2.0 = 1:2 RR.

  • Max_Spread_Pips
    If current spread exceeds this, skip signals (avoid poor liquidity entries).

  • InpMagicNumber
    Magic number to tag the EA’s trades. In netting accounts, one position per symbol.

  • RiskPercentage
    % of balance risked per trade. Lot size is derived from this, SL distance, and tick value.

  • TrailingStop_Pips
    If enabled, SL trails price by this many pips (while honoring stop/freeze + buffers).

  • Max_Lots_Per_Trade
    Hard cap: even if the risk formula suggests more, size won’t exceed this.

  • Reduce_On_Margin_Or_Limit
    If opening fails due to margin/volume, shrink lot and retry.

  • Open_Retry_Attempts
    How many reduced-lot retries on open.

  • Open_Retry_Factor
    Each retry multiplies lot by this factor (e.g., 0.75 → reduce by 25%).

Trend Filter (MA)

  • Use_TrendFilter
    When on, a BUY/SELL is only allowed if it aligns with the MA side.

  • MA_Period, MA_Method, MA_Price
    MA settings for the trend filter (SMA/EMA/WMA, close/HLC3, etc.).

Signal Logic (TPS & Vol)

  • TPS_Multiplier
    Threshold for the “flow” side. Higher = more selective vs. average TPS.

  • Volatility_Multiplier
    Threshold for “quietness.” Lower = stricter requirement for low range.

  • HistorySize
    How many seconds/samples of TPS/Vol history to keep (1-second timer in live).

Backtest & Robustness

  • Use_TickVolume_Emulation
    In tester, emulate TPS from bar tick_volume instead of real tick timing.

  • Use_Closed_Bar
    Compute signals on closed bars (bar[1]) → reduces repaint/look-ahead bias.

  • TPS_Lookback_Bars / Vol_Lookback_Bars
    Bar lookbacks for TPS/Vol averages (tester path).

Execution Safeguards

  • Modify_Throttle_Sec
    Minimum seconds between SL modifications (reduces spam/rejects).

  • Trailing_Min_Step_Pips
    Minimum pip improvement required to move SL.

  • Modify_Extra_Buffer_Pips
    Extra buffer on top of broker stop and freeze levels.

  • Enable_CloseToMarket_Backoff
    On “close to market/invalid stops,” retry once with looser distance.

  • Backoff_Extra_Pips
    Extra distance used for that single retry.

  • Freeze_Skip_Pips
    If current SL is within freeze level + this buffer, skip modify (avoid rejects).

  • Modify_Latency_Margin_Pips
    Extra safety vs. live price jumps.

  • Modify_Failure_Cooldown_Sec
    Wait time after a failed modify before trying again.

  • PreModify_Refetch_Tick
    Refresh the tick just before modifying SL; recompute limits with current price.

  • PreModify_Slack_Pips
    Place SL a touch beyond the theoretical limit to reduce “close to market” errors.

  • Open_Failure_Cooldown_Sec
    If open fails (No money / volume limit), wait before retrying—cleaner logs, safer behavior.

Data & Warmup

  • Auto_Select_Symbol
    Auto-select the symbol if not already visible.

  • Require_History_Warmup
    Don’t trade until enough bars are loaded.

  • Auto_Find_Available_TF
    If the main TF lacks data, auto-fallback to the first TF with data.

  • Warmup_Min_Bars
    Minimum bars required before starting.

  • Fallback_Timeframe
    Backup timeframe used when data is insufficient.

  • Preload_Bars
    How many bars to preload at startup.

Risk management (built-in measures)
  • Position sizing: dynamic lots from RiskPercentage and SL distance.

  • Margin fit: use OrderCalcMargin vs. free margin; if it doesn’t fit, iteratively shrink size.

  • Spread filter: skip entries when Max_Spread_Pips is exceeded.

  • Broker level guards: stop/freeze levels + extra buffers + latency margin.

  • Retry policy: only shrink-and-retry on volume/money errors; don’t insist on other rejects.

  • Cooldowns: on open/modify failures to avoid over-trading and excess risk.

Practical tips
  • Tune signal first ( TPS_Multiplier , Volatility_Multiplier , lookbacks), then polish execution (trailing + pre-modify slack).

  • Majors (EURUSD H1/M30): keep Max_Spread_Pips low; start PreModify_Slack_Pips around 0.4–0.8.

  • XAUUSD (D1/H1): large point size; widen TrailingStop_Pips , nudge up Modify_Latency_Margin_Pips and Backoff_Extra_Pips .

  • Scalp (M1/M5): begin with Use_Closed_Bar = true for stability; switching it off increases risk.

Risk disclosure (important)

This EA/strategy:

  • Is not investment advice.

  • Does not guarantee profits; backtests/optimizations do not represent future performance.

  • Market conditions (news, liquidity drops, slippage, latency, broker limits) can negatively impact results.

  • Misconfiguration, low capital, high leverage, or unsuitable risk percentages can cause loss of capital.

  • Demo/forward test before going live; start RiskPercentage low (e.g., 0.1–0.5%) and scale gradually.

  • Stop/freeze levels and contract specs vary by broker—verify your broker’s conditions before using aggressive parameters.


Prodotti consigliati
Gold Swing Trader EA Advanced Algorithmic Trading for XAUUSD on Higher Timeframes The Gold News & Swing Trader EA is a specialized MetaTrader 5 Expert Advisor designed for trading XAUUSD (Gold). It operates on a swing trading strategy to capture medium- to long-term price movements on the H4 and Daily charts. Key Features: · Dedicated XAUUSD Strategy: Logic optimized for the unique volatility of Gold. · Swing Trading Focus: Aims to capture significant price swings over several days. · High
FREE
SpikeBoom
Kabelo Frans Mampa
A classic buy low & sell high strategy. This Bot is specifically Designed to take advantage of the price movements of US30/Dow Jones on the 1 Hour Chart, as these Indices move based on supply and demand. The interaction between supply and demand in the US30 determines the price of the index. When demand for US30 is high, the price of the US30 will increase. Conversely, when the supply of shares is high and demand is low, the price of t US30  will decrease. Supply and demand analysis is used to i
FREE
Reversal Composite Candles
MetaQuotes Ltd.
3.67 (15)
The idea of the system is to indentify the reversal patterns using the calculation of the composite candle. The reversal patterns is similar to the "Hammer" and "Hanging Man" patterns in Japanese candlestick analysis. But it uses the composite candle instead the single candle and doesn't need the small body of the composite candle to confirm the reversal. Input parameters: Range - maximal number of bars, used in the calculation of the composite candle. Minimum - minimal size of the composite can
FREE
Budget Golden Scalper M1 — Trial Edition Built for traders who are tired of hype and ready for transparency Let’s be honest. If you have explored automated trading before, you have probably seen systems that looked perfect in backtests but behaved very differently in live markets. Many traders today are understandably cautious — and rightly so. Budget Golden Scalper M1 was created with this reality in mind. This is not marketed as a “holy grail” or a get-rich-quick robot. Instead, it is a str
FREE
Long Waiting
Aleksandr Davydov
Expert description Algorithm optimized for Nasdaq trading The Expert Advisor is based on the constant maintenance of long positions with daily profit taking, if there is any, and temporary interruption of work during the implementation of prolonged corrections The Expert Advisor's trading principle is based on the historical volatility of the traded asset. The values of the Correction Size (InpMaxMinusForMarginCallShort) and Maximum Fall (InpMaxMinusForMarginCallLong) are set manually. Recomm
FREE
Fuzzy Trend EA
Evgeniy Kornilov
FuzzyTrendEA - Intelligent Expert Advisor Based on Fuzzy Logic We present to you FuzzyTrendEA - a professional trading Expert Advisor designed for market trend analysis using fuzzy logic algorithms. This expert combines three classic indicators (ADX, RSI, and MACD) into a single intelligent system capable of adapting to changing market conditions. Key Features: Fuzzy logic for trend strength assessment: weak, medium, strong Combined analysis using three indicators with weighted coefficients Full
FREE
EA designed to generate pending orders based on the trend and designated take profit value. This EA designed exclusively to work best on GOLD SPOT M5 especially during up trend. User can freely decide to close the open position from this EA or wait until take profit hit. No parameters need to be set as it already set from the EA itself.  This EA do not use Stop Loss due to the applied strategy. Please do fully backtest the EA on the worst condition before use on the real account. Recommended ini
FREE
Reset Pro
Augusto Martins Lopes
RESET PRO: The Future of Algorithmic Trading Revolutionary Technology for Consistent and Intelligent Trading RESET PRO is the most advanced automated trading solution, combining cutting-edge market analysis with a dynamic position management system. Our exclusive reset-and-recover methodology ensures consistent performance, even in the most challenging market conditions. Key Technical Features PROPRIETARY RESET MECHANISM Never lose trade direction again! When the market moves against yo
FREE
EAVN001 – A Simple, Effective, and Flexible Trading Solution In the world of financial trading, simplicity can often be the key to efficiency. EAVN001 is designed based on the Moving Average Single Line principle, enabling traders to quickly identify trends and make timely decisions. Its operation is straightforward: open a BUY position when the price crosses above the MA line , and open a SELL position when the price crosses below the MA line . The strength of EAVN001 lies not only in its simp
FREE
Volatility Doctor
Gamuchirai Zororo Ndawana
4.5 (2)
Dottor Volatilità - Il Tuo Consulente Esperto per Dominare i Ritmi di Mercato! Sei pronto a sbloccare il potere del trading di precisione? Conosci il Dottor Volatilità, il tuo affidabile compagno nel dinamico mondo dei mercati forex. Questo consulente esperto multi-valuta non è solo uno strumento di trading; è un direttore d'orchestra, guida i tuoi investimenti con una precisione senza pari. Scopri le Caratteristiche Chiave: 1. Competenza nella Ricerca delle Tendenze: Il Dottor Volatilità ut
FREE
QUANTUM NEURAL CALCULATOR | Risk Manager (FREE) "Never blow your account again. Engineering meets Risk Management." Calculation errors are the #1 reason why traders fail. Most beginners (and even some pros) guess their lot size, leading to emotional trading and blown balances. The Quantum Neural Calculator is a professional utility tool designed to synchronize your psychology with pure mathematics. How it works This tool removes the guesswork. Simply set your desired risk in USD (e.g., $50)
FREE
GridWeaverFX
Watcharapon Sangkaew
4 (1)
Introducing GridWeaverFX  - A Grid/Martingale EA for XAUUSD | Free Download! Hello, fellow traders of the MQL5 community! I am excited to share an Expert Advisor (EA) that I have developed and refined, and I'm making it available for everyone to use and build upon. It's called GridWeaverFX , and most importantly, it is completely FREE! This EA was designed to manage volatile market conditions using a well-known strategy, but with enhanced and clear safety features. It is particularly suited fo
FREE
Grid Master Pro12
Sidi Mamoune Moulay Ely
3.67 (3)
GridMaster ULTRA - Adaptive Artificial Intelligence The Most Advanced Grid EA on MT5 Market GridMaster ULTRA  revolutionizes grid trading with Adaptive Artificial Intelligence that automatically adjusts to real-time market conditions. SHORT DESCRIPTION Intelligent grid Expert Advisor with adaptive AI, multi-dimensional market analysis, dynamic risk management and automatic parameter optimization. Advanced protection system and continuous adaptation for all market types. REVOLUTIONARY
FREE
EURUSD EMA–SMA Reversal Breakout (H1) is a fully automated MetaTrader 4 strategy designed to capture **confirmed reversal breakouts** on EURUSD using a simple trend + position filter with rule-based **pending STOP execution** beyond recent structure. The EA was backtested on **EURUSD on the H1 timeframe** from **April 1, 2004 to April 24, 2024** using a MetaTrader 4 backtest engine (base data: EURUSD_M1_UTC2). No parameter setup is required — the system is delivered with optimized and fine-tune
FREE
The 7 Ways
Kaloyan Ivanov
L’Expert Advisor utilizza sette indicatori principali — RSI, MACD, Media Mobile, Bande di Bollinger, Oscillatore Stocastico, ATR e Ichimoku — per generare segnali di trading su timeframe personalizzabili. Consente di abilitare o disabilitare in modo indipendente le direzioni long e short e supporta restrizioni di trading basate sui giorni della settimana e sulle condizioni di swap positivo. La gestione del rischio avviene tramite impostazioni fisse di take profit, stop loss e dimensione del lott
FREE
Triple Indicator Pro
Ebrahim Mohamed Ahmed Maiyas
5 (1)
Triple Indicator Pro: ADX, BB & MA Powered Trading Expert Unlock precision trading with Triple Indicator Pro, an advanced Expert Advisor designed to maximize your market edge. Combining the power of the ADX (trend strength), Bollinger Bands (market volatility), and Moving Average (trend direction), this EA opens trades only when all three indicators align 1 - ADX (Average Directional Index) indicator – This indicator measures the strength of the trend, if the trend is weak, the expert avoids
FREE
Max Hercules
Aaron Pattni
4.29 (7)
Get it FREE while you can! Will be increased to $100 very shortly after a few downloads!! Join my Discord and Telegram Channel - Max's Strategy For any assistance and help please send me a message here.    https://t.me/Maxs_Strategy https://discord.gg/yysxRUJT&nbsp ; The Max Hercules Strategy is a part of a cross asset market making strategy (Max Cronus) built by myself over years of analysis and strategy building. It takes multiple theories and calculations to trade the market in order to cov
FREE
Max Poseidon
Aaron Pattni
3.33 (3)
Get it FREE while you can! Will be increased to $200 very shortly after a few downloads!! Join my Discord and Telegram Channel - Max's Strategy For any assistance and help please send me a message here.    https://t.me/Maxs_Strategy https://discord.gg/yysxRUJT&nbsp ; GBPUSD and EURUSD Set files can be found in the comments! (please message me if you need help with them) TimeFrames are harcoded, therefore any chart and time will work the same. The Max Poseidon Strategy is a part of a cross ass
FREE
Macd Rsi Expert
Lakshya Pandey
5 (1)
MACD RSI Optimized EA is a free, fully automated trading robot designed to capture trends using a classic combination of indicators. By merging the trend-following capabilities of the MACD (Moving Average Convergence Divergence) with the momentum filtering of the RSI (Relative Strength Index), this EA aims to filter out market noise and enter trades with higher probability. This version has been specifically optimized for the month of October on the M15 (15-minute) timeframe and performs best on
FREE
Use this expert advisor whose strategy is essentially based on the Relative Strength Index (RSI) indicator as well as a personal touch. Other free expert advisors are available in my personal space as well as signals, do not hesitate to visit and leave a comment, it will make me happy and will make me want to offer content. Expert advisors currently available: LVL Creator LVL Creator Pro LVL Bollinger Bands   Trading is not a magic solution, so before using this expert on a live account, carry
FREE
Donchain Grid Zone
Mr Theera Mekanand
Donchain Grid Zone is a BUY-only grid trading Expert Advisor based on the Donchian Channel. It dynamically scales into positions as price drops through grid zones, and scales out as price recovers — all governed by a Donchian midline filter. How it works: Grid zones are defined below the entry price (RedLine) Zone 1 = 1 order, Zone 2 = 2 orders... up to Zone 7 Orders are only opened when price is   above   the Donchian midline Dynamic Stop Loss trails the Donchian Lower Band Grid spacing adapts
FREE
SR Breakout EA MT4 Launch Promo: Depending on the demand, the EA may become a paid product in the future. Presets:  Click Here Key Features: Easy Installation : Ready to go in just a few steps - simply drag the EA onto any chart and load the settings. Safe Risk Management:   No martingale, grid, or other high-risk money management techniques. Risk management, stop loss, and take profit levels can be adjusted in the settings. Customizable Parameters:   Flexible configuration for individual tradin
FREE
The Sandman
Maxwell Brighton Onyango
The Sandman EA — MT5 Scalping Robot for Calm Precision in Chaos “Others have seen what is and asked why. We have seen what could be and asked why not.” Introducing The Sandman — a high-precision, no-nonsense MT5 scalping robot designed to bring calm and control to your trading experience. Overview The market is chaotic and unpredictable — even experienced traders face losses. The Sandman was built to free you from emotional trading. It acts boldly and logically using a proven, fully automated
FREE
FOZ OneShot Sessions
Morgana Brol Mendonca
FOZ One Shot Sessions — One Trade. One Opportunity. Every Day. Discipline beats noise. Simplicity beats complexity. The FOZ One Shot Sessions EA is built for traders who want clarity, robustness, and long-term discipline. Instead of chasing signals all day, it takes just one precise trade per session — clean, controlled, and fully transparent. Key Highlights One trade per day per enabled session (default = London) Safe by design — No Grid, No Martingale, No Arbitrage, No tricks
FREE
PZ Goldfinch Scalper EA MT5
PZ TRADING SLU
3.31 (52)
This is the latest iteration of my famous scalper, Goldfinch EA, published for the first time almost a decade ago. It scalps the market on sudden volatility expansions that take place in short periods of time: it assumes and tries to capitalize of inertia in price movement after a sudden price acceleration. This new version has been simplified to allow the trader use the optimization feature of the tester easily to find the best trading parameters. [ Installation Guide | Update Guide | Troublesh
FREE
This EA has been developed, tested and traded live on DAX M30 TF. Everything is ready for immediate use on real account. Very SIMPLE LONG ONLY STRATEGY with only FEW PARAMETERS.  Strategy is based on the DOUBLE TOP strategy on the daily chart.   It enters if volatility raise after some time of consolidation .  It uses  STOP   pending orders with  FIXED   STOP LOSS.   To catch the profits there is a  TRAILING PROFIT  function in the strategy and   TIME BASED EXIT . EA has been backtested on more
Chart Patterns Builder Basic
Florea E. Sorin-Mihai Persoana Fizica Autorizata
The Chart Patterns Builder Basic expert advisor is a new addition to the automated trading strategies product family, which already contains the Price Action Builder Basic and the Bollinger Bands Builder Basic . While sharing general functionality with the other experts, this expert relies on the detection of some well-known trading chart patterns for identifying its buy/sell signals. Technical details: The following chart patterns are currently supported: - double top and double bottom patter
FREE
GoldScalpro
Arief Raihandi Azka
GoldScalpro: Precision XAUUSD Scalping Expert Advisor Unlock the full potential of Gold trading with GoldScalpro , a high-performance Expert Advisor engineered for the volatile XAUUSD market. Whether you prefer a steady "Normal Mode" or the aggressive, high-precision "Sniper Mode," this bot is built to adapt. Featuring a dynamic real-time dashboard and automated daily profit targets, GoldScalpro takes the emotion out of trading. EXCLUSIVE LIMITED OFFER We are committed to building a community
Quantitative Gold Trading System: Apex Gold Trend Matrix 19 Years of Market Deconstruction, 6 Years of Algorithmic Refinement, 4 Years of Live Testing From trading intuition to mathematical certainty.  Product Information Live Signal:   https://www.mql5.com/en/signals/2305042?source=Site+Profile+Seller https://www.mql5.com/en/signals/2305035?source=Site+Profile+Seller https://www.mql5.com/en/signals/2274718?source=Site+Profile+Seller https://www.mql5.com/en/signals/2305039?source=Site+Profile
Gli utenti di questo prodotto hanno anche acquistato
Quantum Queen MT5
Bogdan Ion Puscasu
4.97 (484)
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
Quantum Valkyrie
Bogdan Ion Puscasu
4.85 (120)
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
Akali
Yahia Mohamed Hassan Mohamed
4.97 (36)
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
AI Gold Trading MT5
Ho Tuan Thang
4.7 (33)
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%.     SEGNALE LIVE IC MARKETS:  https://www.mql5.com/en/signals/2344271       Canale Forex EA Trading su MQ
AI Gold Scalp Pro
Ho Tuan Thang
4.14 (7)
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
Goldwave EA MT5
Shengzu Zhong
4.65 (26)
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 EC Markets) , il comportamento di trading live di questo EA è progettato per allinearsi strettamente alla struttura del
Gold House MT5
Chen Jia Qi
5 (23)
Gold House — Gold Swing Breakout Trading System Launch Promotion — Limited to 100 Copies Only 100 copies will be sold at the early-bird price. After 100 copies, the price jumps directly to $999 . Price also increases by $50 every 24 hours during this period. 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 th
Ultimate Breakout System
Profalgo Limited
5 (30)
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
Quantum King EA
Bogdan Ion Puscasu
4.97 (149)
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
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
Aot
Thi Ngoc Tram Le
4.86 (97)
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. Testa AOT per la prima volta?     Inizia con le   impostazioni di dimensione lotto fisso , Dimensione lotto fisso 0.01 | Posizione singola per coppia | Funzioni avanzate disattivate. Logica di trading pura   per comprendere il comportamento del sistema. Segnale con storico verificato Dettaglio Nome File di Impostazione De
Agera
Anton Kondratev
5 (2)
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 Sniper MT5
Ho Tuan Thang
4.4 (58)
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
Full Throttle DMX
Stanislav Tomilov
5 (1)
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
Nano Machine
William Brandon Autry
5 (7)
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
Syna
William Brandon Autry
5 (24)
Syna 5 – Intelligenza Persistente. Memoria Reale. Intelligenza di Trading Universale. La maggior parte degli strumenti di IA risponde una volta e dimentica tutto. Ti lasciano a ricominciare da zero ancora e ancora. Syna 5 no. Ricorda ogni conversazione, ogni trade analizzato, perché ha agito, perché è rimasto in disparte e come il mercato ha reagito successivamente. Contesto completo in ogni sessione. Intelligenza cumulativa che si rafforza ad ogni trade. Questo non è l'ennesimo EA con funzioni
Karat Killer
BLODSALGO LIMITED
4.65 (26)
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
Mad Turtle
Gennady Sergienko
4.57 (86)
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
GoldBaron XauUsd EA MT5
Mikhail Sergeev
4.2 (5)
"GoldBaron" è un robot di trading completamente automatico. Progettato per il commercio dell'oro (XAUUSD). Per 5 mesi di trading su un conto reale, l'esperto è stato in grado di guadagnare 1400% 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 c
HTTP ea
Yury Orlov
5 (10)
How To Trade Pro (HTTP) EA — un consulente di trading professionale per negoziare qualsiasi asset senza martingala o griglie dall'autore con oltre 25 anni di esperienza. La maggior parte dei consulenti top lavora con l'oro in crescita. Appaiono brillanti nei test... finché l'oro sale. Ma cosa succede quando il trend si esaurisce? Chi proteggerà il tuo deposito? HTTP EA non crede nella crescita eterna — si adatta al mercato mutevole e è progettato per diversificare ampiamente il tuo portafoglio d
TwisterPro Scalper
Jorge Luiz Guimaraes De Araujo Dias
5 (8)
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
XIRO Robot MT5
MQL TOOLS SL
5 (16)
XIRO Robot is a professional trading system created to operate on two of the most popular and liquid instruments on the market:  GBPUSD, XAUUSD and BTCUSD . We combined two proven and well tested systems, enhanced them with multiple new improvements, optimizations and additional protective mechanisms, and integrated everything into one advanced and unified solution. As a result of this development process, XIRO Robot was created. Robot was designed for traders who are looking for a reliable and
Gold Trade Pro MT5
Profalgo Limited
4.28 (36)
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
Bitcoin Scalping MT5
Lo Thi Mai Loan
5 (5)
[ IMPORTANT ] REAL CLIENT FEEDBACK :  https://www.mql5.com/en/market/product/127498/comments#comment_58814415 [ IMPORTANT ]  UPDATED (1 YEAR PERFORMANCE):  https://www.mql5.com/en/market/product/127498/comments#comment_59233853 Presentazione di Bitcoin Scalping MT4/MT5 – L'EA intelligente per il trading di criptovalute PROMOZIONE DI LANCIO: Solo 3 copie rimaste al prezzo attuale! Prezzo finale: 3999.99 $ BONUS - ACQUISTA BITCOIN SCALPING A VITA E OBTIENI GRATUITAMENTE EA AI VEGA BOT (2 conti)
Shark Fx
Ihor Otkydach
5 (1)
SharkFX – Motore di Scalping di Precisione per MT5 SharkFX non è semplicemente un altro scalper. È un sistema intraday rapido e adattivo, progettato per i trader che comprendono che la costanza deriva da struttura, disciplina e un controllo intelligente del rischio — non da una logica di gioco d’azzardo. SEGNALE LIVE ISTRUZIONI PER L’UTENTE Per il test, utilizzare i file di set dalla pagina delle istruzioni ( link qui ) This trading bot is part of the   Intaradaysoft CORE INDEX ecosystem Intell
Aura Ultimate EA
Stanislav Tomilov
4.81 (103)
Aura Ultimate: l'apice del trading tramite reti neurali e il percorso verso la libertà finanziaria. Aura Ultimate rappresenta il prossimo passo evolutivo nella famiglia Aura: una sintesi di architettura AI all'avanguardia, intelligenza adattabile al mercato e precisione basata sul controllo del rischio. Basata sul DNA collaudato di Aura Black Edition e Aura Neuron, si spinge oltre, fondendo i loro punti di forza in un unico ecosistema multi-strategia unificato, introducendo al contempo un live
Gold Neuron
Vasiliy Strukov
5 (3)
Gold Neuron Sistema di trading multistrategia avanzato per XAUUSD Nota bene: abilita "Tutte le strategie" nelle impostazioni, poiché l'EA analizzerà il mercato per individuare la strategia migliore nelle condizioni attuali! Saldo minimo consigliato: $200 per 0,01 lotti Esempio: 0,02 lotti per un saldo di $400, ecc. Gold Neuron EA è un Expert Advisor professionale multi-strategia progettato specificamente per il trading sull'oro (XAUUSD) sul timeframe M15. Il sistema integra 10 strategie di tradi
The Gold Phantom
Profalgo Limited
4.38 (21)
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
Golden Hen EA
Taner Altinsoy
4.5 (56)
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
PrizmaL Lux
Vladimir Lekhovitser
5 (3)
Segnale di trading in tempo reale Monitoraggio pubblico in tempo reale dell’attività di trading: https://www.mql5.com/it/signals/2356149 Informazioni ufficiali Profilo del venditore Canale ufficiale Manuale utente Istruzioni di configurazione e utilizzo: Apri manuale utente Questo Expert Advisor è stato progettato come un sistema reattivo al contesto di mercato, in grado di adattare il proprio comportamento alle condizioni di trading prevalenti, anziché seguire uno schema di esecuzione
Altri dall’autore
Overview This Expert Advisor (EA) targets high-probability, short-term scalping opportunities by analyzing minute-based market activity (tick momentum), indecision boxes , and breakout/momentum behavior —optionally aligned with trend and session filters. Version 2.0 replaces second-based TPS with a minute (M1) window model that’s Open Prices Only compatible and more stable to optimize. Additional entry modes ( Breakout Close and Retest Entry ) help capture moves that classic momentum filters ma
FREE
Overview Anti-Spoofing Strategy (v1.0) is a live-market Expert Advisor designed to detect and counter high-frequency DOM (Depth of Market) spoofing manipulations in ECN/STP environments. The system monitors real-time Level-2 order book changes via MarketBookGet() and identifies large fake orders that appear and vanish within milliseconds — a hallmark of spoofing. Once such manipulations are detected, the algorithm opens a counter trade in the opposite direction of the spoof, anticipating the tru
FREE
Whale RSI Divergences
Mustafa Ozkurkcu
1 (1)
This EA looks for a divergence signal, which occurs when the price of a financial instrument moves in the opposite direction of the RSI indicator. This divergence can signal that the current trend is losing momentum and a reversal is likely. The EA identifies two types of divergence: Bullish (Positive) Divergence : This occurs when the price makes a new lower low , but the RSI indicator fails to confirm this by making a higher low . This discrepancy suggests that bearish momentum is weakening, a
FREE
Whale RSI and SMA
Mustafa Ozkurkcu
This Expert Advisor is a reversal-style system that combines a 50-centered RSI extreme filter with a 200 SMA proximity rule . It evaluates signals only on a new bar of the selected timeframe and uses closed-bar data (shift=1) to reduce noise and avoid “in-bar” flicker. How the Strategy Works On every new candle (for InpTF ), the EA follows this logic: Compute RSI thresholds around 50 A single parameter creates both buy/sell levels: BuyLevel = 50 − InpRSIThresholdDist SellLevel = 50 + InpRSIThre
FREE
Concept. Flash ORR is a fast-reaction scalping EA that hunts false breakouts at important swing levels. When price spikes through a recent swing high/low but fails to close with strength (long wick, weak body), the move is considered rejected . If the very next candle prints strong opposite momentum , the EA enters against the spike: Up-spike + weak close → followed by a bearish momentum bar → SELL Down-spike + weak close → followed by a bullish momentum bar → BUY Entries are placed at the open
FREE
ATR Squeeze Fade EA: Low Volatility Mean Reversion Strategy The ATR Squeeze Fade is a specialized scalping Expert Advisor designed to exploit rapid price spikes that occur after extended periods of low market volatility. Instead of following the direction of the spike, the EA trades against it, applying the principle of mean reversion . With advanced entry filters and strict risk management, it focuses on high-probability reversal setups. How the Strategy Works The strategy is based on the assu
This Expert Advisor (EA) generates trading signals by combining popular technical indicators such as   Chandelier Exit (CE) ,   RSI ,   WaveTrend , and   Heikin Ashi . The strategy opens positions based on the confirmation of specific indicator filters and closes an existing position when the color of the Heikin Ashi candlestick changes. This is interpreted as a signal that the trend may be reversing. The main purpose of this EA is to find more reliable entry points by filtering signals from var
Overview Trade Whale Supply & Demand EA   is a fully automated trading system built on   supply and demand zones, liquidity sweeps, and market structure shifts . It detects institutional footprints and high-probability trading zones, aiming for precise entries with tight stop-loss and optimized risk/reward. Works on Forex, Gold ( XAUUSD ) and Indices. Designed for   sharp entries ,   low-risk SL placement , and   dynamic profit targets . Strategy Logic The EA combines: Supply & Demand Zo
This Expert Advisor (EA) is designed to automate trading based on Fibonacci retracement levels that form after strong price movements. The main objective of the EA is to identify entry points during pullbacks within a trend. It executes trades based on a predefined risk-to-reward ratio, entering the market when the price action is confirmed by specific candlestick patterns. How the EA Works The EA automatically performs the following steps on every new bar: Trend and Volatility Detection : First
Trade Whale – Tick Compression Breakout (v1.0) is a short-term breakout scalper that filters setups via ATR-based compression . After price coils in a tight band on your chosen timeframe (e.g., H1), it opens a position when the previous candle’s high/low is broken . Risk is anchored by SL = ATR × multiplier , while TP is an R-multiple of that stop distance (e.g., 2.0R). Position size can be percent-risk or fixed lot , and is margin-clamped to broker limits for safety. A timeout can auto-close p
O verview Trend Band Strategy (v1.0) is a hybrid trend-following and mean-reversion Expert Advisor that blends Fibonacci-scaled Bollinger Bands with Parabolic SAR confirmation. It identifies stretched price moves toward the extreme Fibonacci bands, waits for a reversal signal aligned with the SAR trend switch, and opens counter-trend trades aiming for reversion toward equilibrium. The algorithm runs entirely on bar-close logic for stability and includes dynamic risk-based lot sizing, margin veri
Filtro:
patrickdrew
3056
patrickdrew 2025.08.27 06:45 
 

This could be great but a lack of proven sets AND control of LS is very dangerous.

On M5 this EA took a trade with LS 2. (TWO!?!?!) despite risk % set at 0.1% of balance.

Trade ended up at -330.

This will kill accounts.

Author can improve this EA with proven sets.

jude5508
48
jude5508 2025.08.15 20:27 
 

L'utente non ha lasciato alcun commento sulla valutazione.

Rispondi alla recensione