Cascade trading combined with Reverse MA

#property copyright "Copyright 2023, MetaQuotes Ltd."
#property link      "https://www.mql5.com"
#property version   "1.00"
#include <Most_Common_Classes.mqh>


   // Define parameters for the moving averages
   input int fastMAPeriod = 10;  // Fast MA period (e.g., 10 for scalping)
   input int slowMAPeriod = 20;  // Slow MA period (e.g., 20 for scalping)
   input ENUM_MA_METHOD maMethod = MODE_SMA;
   double lotSize;
   int maShift_current = 0; 
   int maShift_Previous = 1;
   
   bool enough_money;
   bool enough_valume;
   string message;
   bool IsBuy;
   bool TradeIsOk;
   double StopLoss;
   double TakeProfit;

   input double RiskPercent=0.01;
   input double R2R=2;
   input double StopLossPoints=100;
   input double MinimumStopLossPoints=25;
   ST_StopLoss_TakeProfit arr;

int OnInit()
  {
   // Initialization
   return(INIT_SUCCEEDED);
  }
//+------------------------------------------------------------------+
//| Expert deinitialization function                                 |
//+------------------------------------------------------------------+
void OnDeinit(const int reason)
  {
   // Cleanup code
  }
//+------------------------------------------------------------------+
//| Expert tick function                                             |
//+------------------------------------------------------------------+
void OnTick()
  {
       // No shift for moving averages
    // Use Simple Moving Average (SMA)
   ENUM_APPLIED_PRICE appliedPrice = PRICE_CLOSE; // Apply to Close prices

   // Get the values of the current and previous moving averages
   
   // if (AccountInfoDouble(ACCOUNT_PROFIT)>100){close_All_Orders();}
   
   double fastMA_Current = MACalculator(_Symbol,PERIOD_CURRENT,fastMAPeriod,maShift_current,maMethod,appliedPrice);   // Current Fast MA
   double slowMA_Current = MACalculator(_Symbol,PERIOD_CURRENT,slowMAPeriod,maShift_current,maMethod,appliedPrice);   // Current Slow MA
   double fastMA_Previous = MACalculator(_Symbol,PERIOD_CURRENT,fastMAPeriod,maShift_Previous,maMethod,appliedPrice);  // Previous Fast MA
   double slowMA_Previous = MACalculator(_Symbol,PERIOD_CURRENT,slowMAPeriod,maShift_Previous,maMethod,appliedPrice);   // Previous Slow MA
   double Refference_MA = MACalculator(_Symbol,PERIOD_CURRENT,100,maShift_Previous,maMethod,appliedPrice);
// Get current account information
     // Set lot size for trades
   double ask = NormalizeDouble(SymbolInfoDouble(_Symbol, SYMBOL_ASK), _Digits); // Current Ask price
   double bid = NormalizeDouble(SymbolInfoDouble(_Symbol, SYMBOL_BID), _Digits); // Current Bid price

   
     if(IsNewCanddle(PERIOD_H1))
      {
         TradeIsOk=true;
         
         //if(PositionsTotal() != 0)canddleCount=canddleCount+1;
         
      }
   

   if(fastMA_Previous < slowMA_Previous && fastMA_Current > slowMA_Current && SymbolOpenOrders(Symbol())==0 && bid< Refference_MA)
   {
      
               //lotSize=OptimumLotSize(_Symbol,ask,StopLoss,RiskPercent);
               lotSize=0.01;
               enough_money =CheckMoneyForTrade(Symbol(),lotSize,ORDER_TYPE_SELL);
               enough_valume=CheckVolumeValue(lotSize,message);
               StopLoss=bid+StopLossPoints*Point();
               TakeProfit=bid-R2R*StopLossPoints*Point();
              if(enough_money && enough_valume)  Trading.Sell(lotSize, NULL, bid, StopLoss,0, "Logic Order");
               IsBuy=false;
   }


   if(fastMA_Previous > slowMA_Previous && fastMA_Current < slowMA_Current && SymbolOpenOrders(Symbol())==0 && ask > Refference_MA)
   {

 
               //lotSize=OptimumLotSize(_Symbol,ask,StopLoss,RiskPercent);
               lotSize=0.01;
               enough_money =CheckMoneyForTrade(Symbol(),lotSize,ORDER_TYPE_BUY);
               enough_valume=CheckVolumeValue(lotSize,message);
               StopLoss=bid-StopLossPoints*Point();
               TakeProfit=bid+R2R*StopLossPoints*Point();
               if(enough_money && enough_valume)Trading.Buy(lotSize, NULL, ask,  StopLoss,0, "Logic Order");
               IsBuy=true;

   }
     if(TradeIsOk && SymbolOpenOrders(Symbol())>=1)
      {   
        //arr=Cascade_trading(_Symbol,lotSize,IsBuy,ask,bid,TakeProfit,StopLoss,StopLossPoints,MinimumStopLossPoints,R2R,true, SymbolOpenOrders(Symbol()));
        
       
         //TakeProfit=arr.NewTakeProfit;
         //StopLoss=arr.NewStopLoss;

      }  
  }
  
  
  



Prodotti consigliati
Free automatic Fibonacci is an indicator that automatically plots a Fibonacci retracement based on the number of bars you select on the BarsToScan setting in the indicator. The Fibonacci is automatically updated in real time as new highest and lowest values appears amongst the selected bars. You can select which level values to be displayed in the indicator settings. You can also select the color of the levels thus enabling the trader to be able to attach the indicator several times with differe
FREE
Nylos Intraday EURUSD
Alex Michael Murray
What is Nylo’s Intraday EA? Nylo’s Intraday EA is a smart, rules-based, institutional-style trading system built specifically for EURUSD on the M15 timeframe . It is designed to adapt to intraday market conditions , focusing on high-probability trend and pullback opportunities , while maintaining strict risk control and capital protection . This EA is not a gambling robot. It is a precision-engineered trading tool built for traders who value consistency, discipline, and longevity .  How It Tr
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
Zigzag Price Arrows
Aiman Saeed Salem Dahbag
The Zigzag Price Arrow indicator is an enhanced version of the classic Zigzag indicator, combining the traditional zigzag pattern with advanced visual features. It not only identifies major market turning points but also provides clear trading signals through: • Directional arrows: Displays colored arrows (green for buy, magenta for sell) indicating potential trend directions. • Price labels: Shows the exact price values at each pivot point directly on the chart. • Improved visual clarity: Make
FREE
Sviluppo della versione precedente dell'indicatore ZigZag WaveSize MT4 ZigZag WaveSize - indicatore ZigZag standard modificato con l'aggiunta di informazioni sulla lunghezza d'onda in punti, livelli e diverse logiche di allarme Miglioramenti generali: Adattamento del codice per MetaTrader 5 Lavoro ottimizzato con gli oggetti grafici Novità: Livelli orizzontali agli estremi Scelta del tipo di livelli: orizzontale/raggi/segmenti Filtro per livelli liquidi (non penetrati dal prezzo) Buffer per le
FREE
VolumeBasedColorsBars
Henrique Magalhaes Lopes
VolumeBasedColorsBars — Free Powerful Volume Analysis for All Traders Unlock the hidden story behind every price bar! VolumeBasedColorsBars is a professional-grade, 100% FREE indicator that colorizes your chart candles based on real, adaptive volume analysis. Instantly spot surges in market activity, identify exhaustion, and catch the moves that matter. This indicator gives you:    • Dynamic color-coded bars for instant volume context    • Adaptive thresholds based on historical, session-awar
FREE
Fair Value Gap Zone
Mattia Impicciatore
Descrizione Generale Il Fair Gap Value Indicator individua e mette in evidenza i “fair value gap” sul grafico di MetaTrader 5. Un fair gap si crea quando tra il minimo di una barra e il massimo di un’altra, separate da una barra intermedia, si forma un vuoto di prezzo. L’indicatore disegna rettangoli colorati (rialzisti e ribassisti) per evidenziare queste aree, offrendo un valido supporto visivo nelle strategie di price action. Principali Caratteristiche Rilevamento gap rialzisti : evidenzia ga
FREE
Smart Super Trend
Kokou Sodjine Aziagbedo
Smart Super Trend Indicator (Free) Turn volatility into opportunity — Catch trends early and trade smarter The Supertrend Indicator is one of the most trusted tools in technical analysis, designed to help traders quickly identify the prevailing market trend and spot potential entry and exit points with precision. Built on price action and volatility, this trend-following indicator adapts dynamically to market conditions, making it a powerful companion for both beginners and experienced traders.
FREE
LT Donchian Channel
Thiago Duarte
4.83 (6)
Donchian Channel is an indicator created by Richard Donchian. It is formed by taking the highest high and the lowest low of the last specified period in candles. The area between high and low is the channel for the chosen period. Its configuration is simple. It is possible to have the average between the upper and lower lines, plus you have alerts when price hits one side. If you have any questions or find any bugs, please contact me. Enjoy!
FREE
Babel Assistant
Iurii Bazhanov
4.33 (9)
Babel assistant 1     The MT5 netting “Babel_assistant_1” robot uses the ZigZag indicator to generate Fibonacci levels on M1, M5, M15, H1, H4, D1, W1  periods of the charts , calculates the strength of trends for buying and selling. It opens a position with "Lot for open a position" if the specified trend level 4.925 is exceeded. Then Babel places pending orders at the some Fibonacci levels and places specified Stop Loss , Take Profit. The screen displays current results of work on the position
FREE
Donchian Breakout And Rsi
Mattia Impicciatore
5 (1)
Descrizione generale Questo indicatore è una versione avanzata del classico Donchian Channel , arricchita con funzioni operative per il trading reale. Oltre alle tre linee tipiche (massimo, minimo e linea centrale), il sistema rileva i breakout e li segnala graficamente con frecce sul grafico, mostrando solo la linea opposta alla direzione del trend per semplificare la lettura. L’indicatore include: Segnali visivi : frecce colorate al breakout Notifiche automatiche : popup, push e email Filtro R
FREE
PZ Penta O MT5
PZ TRADING SLU
3.5 (4)
The Penta-O is a 6-point retracement harmonacci pattern which usually precedes big market movements. Penta-O patterns can expand and repaint quite a bit. To make things easier this indicator implements a twist: it waits for a donchian breakout in the right direction before signaling the trade. The end result is an otherwise repainting indicator with a very reliable trading signal. The donchian breakout period is entered as an input. [ Installation Guide | Update Guide | Troubleshooting | FAQ | A
FREE
Haven FVG Indicator
Maksim Tarutin
5 (7)
L'indicatore   Haven FVG   è uno strumento per l'analisi dei mercati che permette di identificare le aree di inefficienza (Fair Value Gaps, FVG) nel grafico, fornendo ai trader livelli chiave per l'analisi dei prezzi e la presa di decisioni commerciali. Altri prodotti ->  QUI Caratteristiche principali: Impostazioni dei colori individuali: Colore per FVG rialzista   (Bullish FVG Color). Colore per FVG ribassista   (Bearish FVG Color). Visualizzazione flessibile di FVG: Numero massimo di candele
FREE
FlatBreakout MT5
Aleksei Vorontsov
FlatBreakout MT5 (Free Version) Flat Range Detector and Breakout Panel for MT5 — GBPUSD Only FlatBreakout MT5   is the free version of the professional FlatBreakoutPro MT5 indicator, specially designed for flat (range) detection and breakout signals on the   GBPUSD   pair only. Perfect for traders who want to experience the unique fractal logic of FlatBreakout MT5 and test breakout signals on a live market without limitations. Who Is This Product For? For traders who prefer to trade breakout of
FREE
Are you tired of drawing trendlines every time you're analyzing charts? Or perhaps you would like more consistency in your technical analysis. Then this is for you. This indicator will draw trend lines automatically when dropped on a chart. How it works Works similar to standard deviation channel found on mt4 and mt5. It has 2 parameters: 1. Starting Bar 2. Number of bars for calculation The   starting bar   is the bar which drawing of the trend lines will begin, while the   number of bars for c
FREE
Spike Catch Pro
Amani Fungo
4.14 (7)
Spike Catch Pro 22:03 release updates Advanced engine for searching trade entries in all Boom and Crash pairs (300,500 and 1000) Programmed strategies improvements Mx_Spikes (to combine Mxd,Mxc and Mxe), Tx_Spikes,   RegularSpikes,   Litho_System,   Dx_System,   Md_System,   MaCross,   Omx_Entry(OP),  Atx1_Spikes(OP),   Oxc_Retracement (AT),M_PullBack(AT) we have added an arrow on strategy identification, this will help also in the visual manual backtesting of the included strategies and see ho
FREE
The Scaled Awesome Oscillator (SAO) represents a refined adaptation of the Awesome Oscillator, aimed at establishing consistent benchmarks for identifying market edges. Unlike the standard Awesome Oscillator, which records the variation in pips across different commodities, the only unchanging reference point is the zero line. This limitation hampers investors and traders from pinpointing specific levels for trend reversals or continuations using the traditional Awesome Indicator, a creation of
FREE
Pivot Points Indicator – a fast, reliable, and fully customizable pivot detection for MetaTrader 5. This indicator uses MetaTrader’s native iHighest and iLowest functions to identify pivot highs and lows by scanning for the highest and lowest prices within a user-defined window of bars. A pivot is confirmed only when the current bar is the absolute maximum or minimum within the selected range, ensuring accurate and timely signals based on robust built-in logic. Key Features No Repainting : Onc
FREE
Fibo Trader FREE MT5
Grzegorz Korycki
3 (3)
Fibo Trader is an expert advisor that allows you to create automated presets for oscillation patterns in reference to Fibonacci retracements values using fully automated and dynamically created grid. The process is achieved by first optimizing the EA, then running it on automated mode. EA allows you to switch between automatic and manual mode. When in manual mode the user will use a graphical panel that allows to manage the current trading conditions, or to take control in any moment to trade ma
FREE
Easy GOLD MT5
Franck Martin
3.95 (41)
Easy Gold is the latest addition to the BotGPT family. It is surprising and very powerful. It is ideal for beginners due to its simplicity.  There is absolutely nothing to do, it's 100% automated, simply indicate the percentage of risk you want to take per trade and the EA is ready. Whatever your capital, the EA takes care of everything. Optimized on (XAUUSD).  Unleash all the power with the professional version (AGI Gold) and its connection to the neural network, available in my store. My othe
FREE
Auto Fibonacci Retracement Indicator — Flexible and Reliable This isn’t just another Auto Fibonacci Retracement indicator. It’s one of the most flexible and dependable tools available . If you find it useful, please consider leaving a review or comment — your feedback means a lot! Check out my other helpful tools below: Smart Alert Manager   - Set up advanced alerts and send them to Mobile, Telegram, Discord, Webhook... Timeframes Trend Scanner    - Scan the trend of assets in difference timefr
FREE
The indicator highlights the points that a professional trader sees in ordinary indicators. VisualVol visually displays different volatility indicators on a single scale and a common align. Highlights the excess of volume indicators in color. At the same time, Tick and Real Volume, Actual range, ATR, candle size and return (open-close difference) can be displayed. Thanks to VisualVol, you will see the market periods and the right time for different trading operations. This version is intended f
FREE
Girassol Sunflower MT5 Indicator
Saullo De Oliveira Pacheco
4.33 (6)
This is the famous Sunflower indicator for Metatrader5. This indicator marks possible tops and bottoms on price charts. The indicator identifies tops and bottoms in the asset's price history, keep in mind that the current sunflower of the last candle repaints, as it is not possible to identify a top until the market reverses and it is also not possible to identify a bottom without the market stop falling and start rising. If you are looking for a professional programmer for Metatrader5, please
FREE
RSI abcd
Francisco Gomes Da Silva
4 (2)
RSI ABCD Pattern Finder: Strategia Tecnica 1. Come Funziona l'Indicatore Combina il RSI classico con il rilevamento automatico di pattern armonici ABCD . Componenti Principali RSI standard (periodo regolabile) Marcatori di massimi e minimi (frecce) Pattern ABCD (linee verdi/rosse) Filtri ipercomprato (70) e ipervenduto (30) 2. Configurazione su MT5 period = 14 ; // Periodo RSI size = 4 ; // Dimensione massima del pattern OverBought = 70 ; // Livello ipercomprato OverSold = 30 ; // Livello iperve
FREE
Morning Range Breakout (Free Version) Morning Range Breakout (Free Version) is a straightforward trading advisor that implements a breakout strategy based on the morning range. It identifies the high and low within a specified time interval (e.g., 08:00–10:00 UTC) and opens a trade on a breakout upward or downward. The free version includes core functionality without restrictions. All parameters and messages are in English, per MQL5 Market requirements. Key Features Detects morning range based
FREE
ET1 for MT5
Hui Qiu
4 (5)
ET1 for MT5 is new and completely free!! ET1 for MT5 v4.20 Updated!! Now use on XAUUSD(Gold) !!  The success rate is more than 75%   !!! important update: Merge ET9 's breakout strategy Warning!! You can use ET1 completely free, but we do not guarantee ET1 stability, It is recommended that the more powerful ET9 for MT5 version includes the ET1 strategy and guarantees complete and stable returns. The Best Expert Advisor  on   XAUUSD   any timeframes  ET9  for MT5 Updated v4.80 !!  https://www
FREE
AP Fibonacci Retracement PRO (MT5) Overview AP Fibonacci Retracement PRO is a trend-continuation pullback EA. It waits for a confirmed swing, calculates the Fibonacci retracement zone, and looks for entries in the direction of the original move. No grid, no martingale. Strategy logic Detects the last valid swing high/low using Fractals on the selected signal timeframe. Calculates the retracement zone between 38.2% and 61.8% (configurable). On a closed bar, if price is inside the zone (with opti
FREE
MACD Enhanced
Nikita Berdnikov
5 (3)
Introducing the MACD  Enhanced – an advanced MACD (Moving Average Convergence Divergence) indicator that provides traders with extended capabilities for trend and momentum analysis in financial markets. The indicator uses the difference between the fast and slow exponential moving averages to determine momentum, direction, and strength of the trend, creating clear visual signals for potential entry and exit points. Attention! To achieve the best results, it is recommended to adapt the indicator
FREE
PZ Three Drives MT5
PZ TRADING SLU
2.83 (6)
This indicator finds Three Drives patterns. The Three Drives pattern is a 6-point reversal pattern characterised by a series of higher highs or lower lows that complete at a 127% or 161.8% Fibonacci extension. It signals that the market is exhausted and a reversal can happen. [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] Customizable pattern sizes Customizable colors and sizes Customizable breakout periods Customizable 1-2-3 and 0-A-B ratios It implements visual/s
FREE
Utazima Universal AI (MT5 Indicator) Price: Free Overview Utazima Universal AI is a manual trading indicator that provides a dashboard-style view of selected market structure elements and session/time conditions. It does not place trades. What it shows (depending on settings) - Market structure and key zones (optional) - FVG/imbalance zones (optional) - Liquidity sweep style markers (optional) - Trend-direction filtering (optional) - Session/time filters for active periods (optional) - Risk/re
FREE
Gli utenti di questo prodotto hanno anche acquistato
Quantum Valkyrie
Bogdan Ion Puscasu
5 (95)
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
Quantum Queen MT5
Bogdan Ion Puscasu
4.97 (475)
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
AI Gold Trading MT5
Ho Tuan Thang
5 (29)
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
Akali
Yahia Mohamed Hassan Mohamed
5 (27)
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 Scalp Pro
Ho Tuan Thang
5 (5)
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 King EA
Bogdan Ion Puscasu
4.97 (145)
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
Goldwave EA MT5
Shengzu Zhong
4.8 (20)
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
Aot
Thi Ngoc Tram Le
4.85 (94)
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
Gold House MT5
Chen Jia Qi
5 (20)
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
Karat Killer
BLODSALGO LIMITED
4.35 (20)
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.52 (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 E
AI Gold Sniper MT5
Ho Tuan Thang
4.79 (52)
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 IC Markets MT5 (Più di 7 mesi di trading live):  https://www.mql5.com/en/signals/2340132
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
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
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
Golden Hen EA
Taner Altinsoy
4.77 (53)
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
HTTP ea
Yury Orlov
5 (9)
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
XIRO Robot MT5
MQL TOOLS SL
5 (7)
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
Quantum Emperor MT5
Bogdan Ion Puscasu
4.85 (503)
Presentazione       Quantum Emperor EA   , l'innovativo consulente esperto MQL5 che sta trasformando il modo in cui fai trading sulla prestigiosa coppia GBPUSD! Sviluppato da un team di trader esperti con esperienza di trading di oltre 13 anni. IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. ***Acquista Quantum Emperor EA e potresti ottenere Quantum StarMan     gratis!*** Chiedi in privato per maggiori dettagli Segn
Zeno
Anton Kondratev
5 (2)
ZENO EA   è un EA aperto multivaluta, flessibile, 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  Signal Live +51 Weeks :  https://www.mql5.com/en/signals/2350001 Default   Settings for One Сhart   XAUUSD or GOLD H1 ZENO Guide Segnali Rimborso del broker senza com
The Gold Phantom
Profalgo Limited
4.47 (19)
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
Xauusd Quantum Pro EA
Ilies Zalegh
5 (11)
XAUUSD QUANTUM PRO EA (MT5) — Expert Advisor GOLD XAUUSD per MetaTrader 5 | Motore di Decisione Scoring BUY/SELL + Gestione Avanzata del Rischio + Dashboard Live PREZZO DI LANCIO SPECIALE con sconto temporaneo — Offerta valida per un periodo limitato. Acquistando XAUUSD QUANTUM PRO EA potresti ricevere Bitcoin Quantum Edge Algo o DAX40 Quantum Pro EA gratuitamente. Contattaci in privato per maggiori informazioni. XAUUSD QUANTUM PRO EA è un robot MT5 progettato per un unico obiettivo: rendere il
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 Signal Real :     https://www.mql5.com/en/signals/2361808 Default       Sett
ORB Revolution
Haidar Lionel Haj Ali
5 (17)
ORB Revolution — Expert Advisor per MetaTrader 5 ORB Revolution è un Expert Advisor professionale basato sull’Opening Range Breakout (ORB) per MetaTrader 5, progettato per un trading automatizzato disciplinato e con controllo del rischio . Sviluppato secondo standard istituzionali, questo sistema dà priorità alla protezione del capitale , a un’ esecuzione ripetibile e a una logica decisionale trasparente — ideale per trader seri e partecipanti a sfide di prop firm. ORB Revolution supporta comple
Wave Rider EA MT5
Adam Hrncir
5 (2)
Scalper Speed. Grid Safety. Built for Gold. Final 5 copies at  199 USD   |  249  USD next week Check the Live signal  or Manual Hybrid grid-scalper combining scalping speed with intelligent grid recovery for XAUUSD. 4 trading strategies | Triple timeframe confirmation | Progressive grid spacing | 3 layers of account protection. Most trades close in under 30 minutes — minimal market exposure, maximum control. This is not a blind grid . This is not a random scalper . Wave Rider uses triple timefra
Golden Mirage mt5
Michela Russo
4.72 (57)
Limited stock at the current price! Final price: $1999 --> PROMO: From $299 --> The price will go up every 5 purchases, next price : $399 Golden Mirage is a robust gold trading robot designed for traders who value reliability, simplicity, and professional-grade performance. Powered by a proven combination of RSI, Moving Average,  ADX, and High/Low Level  indicators, Golden Mirage delivers high-quality signals and fully automated trading on the M5 timeframe for XAUUSD (GOLD) . It features a robu
AI Gold Prime
Lo Thi Mai Loan
5 (15)
DOWNLOAD THE SIMPLE SET FILE FOR ALL ACCOUNTS (FOR BEGINNERS) LIVE SIGNAL MINI MODE(IC MARKETS):  https://www.mql5.com/en/signals/2360104 LIVE SIGNAL PRO MODE($100K Account):  https://www.mql5.com/en/signals/2361863 PROP FIRM READY : AI GOLD PRIME è completamente progettato per l’utilizzo con le Prop Firm. Tutte le configurazioni sono integrate direttamente nell’EA; non sono necessari file set esterni. È sufficiente selezionare un preset o una strategia e impostare un livello di rischio adeguat
NOVA s7
Meta Sophie Agapova
5 (5)
NOVA s7 – Motore di Trading AI Adattivo Istituzionale NOVA s7 rappresenta il prossimo passo evolutivo nel trading algoritmico intelligente. Costruito attorno al potente framework DeepSeek AI, NOVA s7 è progettato per interpretare il comportamento del mercato in modo contestuale piuttosto che reagire a segnali statici. A differenza degli Expert Advisor convenzionali, NOVA s7 valuta continuamente la struttura del mercato, i cambiamenti di momentum, la pressione di volatilità e la qualità di esecu
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
Zenox
PETER OMER M DESCHEPPER
4.46 (24)
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 artificiale all'avanguardia che segue le tendenze e diversifica il rischio su sedici coppie di valute. Anni di sviluppo dedicato hanno portat
Altri dall’autore
//+------------------------------------------------------------------+ //|                                                   RSICascade.mq5 | //|                                  Copyright 2024, MetaQuotes Ltd. | //|                                              https://www.mql5.com | //+------------------------------------------------------------------+ #property copyright "Copyright 2024, MetaQuotes Ltd." #property link      " https://www.mql5.com " #property version   "1.00" #include <Most_Co
FREE
Questo consulente esperto non esegue alcuna operazione, ma esegue la scansione di tutti i simboli nel tuo orologio di mercato e scansiona ciascuna azione una per una in tempi diversi e alla fine ti mostra quale simbolo in quale periodo di tempo ha una potente candela avvolgente. Inoltre, puoi definire un periodo MA e un limite RSI alto e basso, e ti mostra quali simboli in quale intervallo di tempo attraverserà la media mobile regolata e quale simbolo in quale intervallo di tempo attraverserà
FREE
Important Note: Before using it in a real account test it in your demo account. //+------------------------------------------------------------------+ //|                                             Optimum_Lot_Size.mq5 | //|                                  Copyright 2023, MetaQuotes Ltd. | //|                                              https://www.mql5.com | //+------------------------------------------------------------------+ #property copyright "Copyright 2023, MetaQuotes Ltd." #property
FREE
Filtro:
Nessuna recensione
Rispondi alla recensione