Robo Swing Trader Consistente

Robô MQL5 para BTCUSD que opera cruzamento da EMA100, entra após confirmação com pivôs (fractal/zigzag), usa stop fixo 250 pontos abaixo do último fundo/topo e alvo definido. Faz no máximo 3 operações por dia (1 gain ou até 2 loss com gale), mantém o lote no dia seguinte e opera só das 08:00 às 16:00 (Brasília).apos contratar , deixe rodando por 1 semana  com margem sempre acima de 20 usd. utilize a corretora abaixo para ter acesso a conta CENT  >>>>  https://fbs.partners?ibl=44536&ibp=5690088 <<< ideal para contas com margem inicialmente curtas.

Fique a vontade para tirar duvidas no chat.. Sou desenvolvedor e entro aqui diariamente.se eu não souber resolver , sei quem sabe.

 voltando ao robo..que rendeu 61% de lucro em 2025


(operacional antigo de livros ( Elliot) )

pernada 3,onda3

(3).3

--------------------------------------------------------------------------------------

inicio do cod  do  (  #property strict ) pra baixo ..


#property strict

#property version "REX7.2.2_OPT_FIX_PRO"


#include <Trade/Trade.mqh>

CTrade trade;


//==================== INPUTS ====================//

input long   Magic = 330033;


input double FixedInitialLot = 0.20;

input double GaleMultiplier = 2.0;

input int    MaxGales = 2;


input double WeeklyDDLimit = 80;

input double DailyGainTarget = 1;


input double FiboTP = 1.161;

input double PartialPercent = 95;

input int PartialAfterMinutes = 5;


input int SlippagePoints = 30;


input bool UseTimeFilter = true;

input int StartHour = 6;

input int EndHour = 18;


input int TradeCooldownMinutes = 20;


//==================== STRUCTURAL STOP ====================//

int counterAgainst=0;

double entryCandleHigh=0;

double entryCandleLow=0;

int positionDirection=0;


//==================== SCORE ====================//

int totalWins=0;

int totalLosses=0;

int totalTrades=0;


double todayProfit=0;


bool lastGateBuy=false;

bool lastGateSell=false;


datetime lastTradeOpenTime=0;


//==================== GLOBALS ====================//

int hMA200;

int hMA75;

int hMA9;


datetime lastBar;

int galeLevel=0;


double weeklyStartEquity;

bool weeklyLock=false;


double dailyStartBalance;

bool dailyLock=false;

datetime lastDayCheck=0;


ulong partialTicketDone=0;

datetime lastPartialAttempt=0;


//==================== HELPERS ====================//

double PointValue(){ return SymbolInfoDouble(_Symbol,SYMBOL_POINT); }

int DigitsSym(){ return (int)SymbolInfoInteger(_Symbol,SYMBOL_DIGITS); }


double NormalizePrice(double p)

{

   return NormalizeDouble(p,DigitsSym());

}


bool IsNewBar()

{

   datetime t=iTime(_Symbol,_Period,0);

   if(t!=lastBar)

   {

      lastBar=t;

      return true;

   }

   return false;

}


bool IsTradingTime()

{

   if(!UseTimeFilter) return true;


   MqlDateTime tm;

   TimeToStruct(TimeCurrent(),tm);


   if(StartHour<EndHour)

      return (tm.hour>=StartHour && tm.hour<EndHour);


   return (tm.hour>=StartHour || tm.hour<EndHour);

}


bool HasPosition()

{

   if(!PositionSelect(_Symbol)) return false;

   if(PositionGetInteger(POSITION_MAGIC)!=Magic) return false;

   return true;

}


//==================== MA ====================//

double GetMA(int handle,int shift)

{

   double buf[];

   if(CopyBuffer(handle,0,shift,1,buf)!=1)

      return EMPTY_VALUE;


   return buf[0];

}


//==================== LOT ====================//

double CalculateLot()

{

   double lotStep=SymbolInfoDouble(_Symbol,SYMBOL_VOLUME_STEP);

   double minLot=SymbolInfoDouble(_Symbol,SYMBOL_VOLUME_MIN);

   double maxLot=SymbolInfoDouble(_Symbol,SYMBOL_VOLUME_MAX);


   double lot=FixedInitialLot*MathPow(GaleMultiplier,galeLevel);


   lot=MathMax(minLot,MathMin(maxLot,lot));

   lot=MathFloor(lot/lotStep)*lotStep;


   return lot;

}


//==================== BROKER PROTECTION ====================//

bool BrokerCanTrade()

{

   if(!TerminalInfoInteger(TERMINAL_TRADE_ALLOWED)) return false;

   if(!AccountInfoInteger(ACCOUNT_TRADE_ALLOWED)) return false;

   if(!AccountInfoInteger(ACCOUNT_TRADE_EXPERT)) return false;


   return true;

}


//==================== WEEKLY DD ====================//

void CheckWeeklyDD()

{

   double equity=AccountInfoDouble(ACCOUNT_EQUITY);

   if(weeklyStartEquity<=0) return;


   double dd=(weeklyStartEquity-equity)/weeklyStartEquity*100.0;

   if(dd>=WeeklyDDLimit) weeklyLock=true;

}


//==================== DAILY TARGET ====================//

void CheckDailyTarget()

{

   MqlDateTime now;

   TimeToStruct(TimeCurrent(),now);


   MqlDateTime last;

   TimeToStruct(lastDayCheck,last);


   if(now.day!=last.day)

   {

      dailyStartBalance=AccountInfoDouble(ACCOUNT_BALANCE);

      dailyLock=false;

      lastDayCheck=TimeCurrent();

      return;

   }


   double profitToday=AccountInfoDouble(ACCOUNT_EQUITY)-dailyStartBalance;


   if(profitToday>=DailyGainTarget)

      dailyLock=true;

}


//==================== GATE STRUCTURAL ====================//

void UpdateGate()

{

   double ma200=GetMA(hMA200,1);

   double ma75=GetMA(hMA75,1);


   double close1=iClose(_Symbol,_Period,1);

   double open1=iOpen(_Symbol,_Period,1);


   lastGateBuy = (close1>ma200 && close1>ma75 && open1<ma200);

   lastGateSell = (close1<ma200 && close1<ma75 && open1>ma200);

}


//==================== SIGNAL ====================//

int Signal_3Wave()

{

   double ma200=GetMA(hMA200,1);

   double ma75=GetMA(hMA75,1);

   double ma9_1=GetMA(hMA9,1);

   double ma9_2=GetMA(hMA9,2);


   if(ma200==EMPTY_VALUE || ma75==EMPTY_VALUE || ma9_1==EMPTY_VALUE) return 0;


   double close1=iClose(_Symbol,_Period,1);

   double close2=iClose(_Symbol,_Period,2);


   if(close1>ma200 && close1>ma75)

      if(close2<ma9_2 && close1>ma9_1 && lastGateBuy)

         return 1;


   if(close1<ma200 && close1<ma75)

      if(close2>ma9_2 && close1<ma9_1 && lastGateSell)

         return -1;


   return 0;

}


//==================== STRUCTURAL STOP ====================//

void CheckStructuralStop()

{

   if(!PositionSelect(_Symbol)) return;

   if(PositionGetInteger(POSITION_MAGIC)!=Magic) return;


   int type=(int)PositionGetInteger(POSITION_TYPE);


   double entryHigh=entryCandleHigh;

   double entryLow=entryCandleLow;


   int countAgainst=0;


   for(int i=1;i<=3;i++)

   {

      double c=iClose(_Symbol,_Period,i);


      if(type==POSITION_TYPE_BUY)

      {

         if(c < entryLow) countAgainst++;

      }


      if(type==POSITION_TYPE_SELL)

      {

         if(c > entryHigh) countAgainst++;

      }

   }


   if(countAgainst>=3)

   {

      trade.PositionClose(_Symbol);

   }

}


//==================== PARCIAL ====================//

void ManagePartial()

{

   if(!PositionSelect(_Symbol)) return;

   if(PositionGetInteger(POSITION_MAGIC)!=Magic) return;


   ulong ticket=PositionGetInteger(POSITION_TICKET);

   double profit=PositionGetDouble(POSITION_PROFIT);


   datetime openTime=(datetime)PositionGetInteger(POSITION_TIME);


   if((TimeCurrent()-openTime) < PartialAfterMinutes*60)

      return;


   if(partialTicketDone==ticket) return;


   if(profit<=0)

   {

      if((TimeCurrent()-lastPartialAttempt)<300)

         return;


      lastPartialAttempt=TimeCurrent();

      return;

   }


   double volume=PositionGetDouble(POSITION_VOLUME);

   double step=SymbolInfoDouble(_Symbol,SYMBOL_VOLUME_STEP);

   double minLot=SymbolInfoDouble(_Symbol,SYMBOL_VOLUME_MIN);


   double closeVol=volume*(PartialPercent/100.0);

   closeVol=MathFloor(closeVol/step)*step;


   if(closeVol<minLot || volume-closeVol<minLot) return;


   trade.SetDeviationInPoints(SlippagePoints);


   if(trade.PositionClosePartial(_Symbol,closeVol))

   {

      if(PositionSelect(_Symbol))

      {

         double entry=PositionGetDouble(POSITION_PRICE_OPEN);

         double tp=PositionGetDouble(POSITION_TP);


         trade.PositionModify(_Symbol,NormalizePrice(entry),tp);

      }


      partialTicketDone=ticket;

   }

}


//==================== INIT ====================//

int OnInit()

{

   hMA200=iMA(_Symbol,_Period,200,0,MODE_EMA,PRICE_CLOSE);

   hMA75=iMA(_Symbol,_Period,75,0,MODE_EMA,PRICE_CLOSE);

   hMA9=iMA(_Symbol,_Period,9,0,MODE_EMA,PRICE_CLOSE);


   weeklyStartEquity=AccountInfoDouble(ACCOUNT_EQUITY);

   dailyStartBalance=AccountInfoDouble(ACCOUNT_BALANCE);


   lastBar=iTime(_Symbol,_Period,0);

   lastDayCheck=TimeCurrent();


   return INIT_SUCCEEDED;

}


//==================== ON TICK ====================//

void OnTick()

{

   CheckStructuralStop();

   ManagePartial();

   CheckWeeklyDD();

   CheckDailyTarget();


   static ulong lastHistoryTicket=0;


   HistorySelect(0,TimeCurrent());


   int total=HistoryDealsTotal();


   if(total>0)

   {

      ulong ticket=HistoryDealGetTicket(total-1);


      if(ticket!=lastHistoryTicket)

      {

         double profit=HistoryDealGetDouble(ticket,DEAL_PROFIT);


         if(profit>0) totalWins++;

         if(profit<0) totalLosses++;


         totalTrades++;


         lastHistoryTicket=ticket;

         lastTradeOpenTime=TimeCurrent();

         galeLevel=0;

      }

   }


   if(lastTradeOpenTime>0)

   {

      if((TimeCurrent()-lastTradeOpenTime) < TradeCooldownMinutes*60)

         return;

   }


   if(weeklyLock) return;

   if(dailyLock) return;

   if(!IsTradingTime()) return;

   if(!BrokerCanTrade()) return;

   if(HasPosition()) return;

   if(!IsNewBar()) return;


   UpdateGate();


   int sig=Signal_3Wave();

   if(sig==0) return;


   double lot=CalculateLot();

   if(lot<=0) return;


   double ask=SymbolInfoDouble(_Symbol,SYMBOL_ASK);

   double bid=SymbolInfoDouble(_Symbol,SYMBOL_BID);


   trade.SetExpertMagicNumber(Magic);

   trade.SetDeviationInPoints(SlippagePoints);


   if(sig>0)

   {

      double entry=ask;

      double prevLow=iLow(_Symbol,_Period,1);


      entryCandleLow=prevLow;

      entryCandleHigh=iHigh(_Symbol,_Period,1);


      double sl=NormalizePrice(prevLow);


      double risk=entry-sl;

      if(risk<=0) return;


      double tp=NormalizePrice(entry+(risk*FiboTP));


      trade.Buy(lot,_Symbol,0,sl,tp);

   }

   else

   {

      double entry=bid;

      double prevHigh=iHigh(_Symbol,_Period,1);


      entryCandleHigh=prevHigh;

      entryCandleLow=iLow(_Symbol,_Period,1);


      double sl=NormalizePrice(prevHigh);


      double risk=sl-entry;

      if(risk<=0) return;


      double tp=NormalizePrice(entry-(risk*FiboTP));


      trade.Sell(lot,_Symbol,0,sl,tp);

   }


   DrawScorePanel();

}


//==================== SCORE PANEL ====================//

void DrawScorePanel()

{

   todayProfit = AccountInfoDouble(ACCOUNT_EQUITY) - dailyStartBalance;


   double winrate=0;

   if(totalTrades>0)

      winrate=(double)totalWins/(double)totalTrades*100.0;


   string statusEA = (weeklyLock||dailyLock ? "LOCKED":"ACTIVE");


   Comment(

   "\n====== REX SCORE ======",

   "\nTrades: ",totalTrades,

   "\nWins: ",totalWins,

   "\nLosses: ",totalLosses,

   "\nWinrate: ",DoubleToString(winrate,2),"%",

   "\nProfit Today: ",DoubleToString(todayProfit,2),


   "\n\nStatus EA: ",statusEA

   );

daqui pra cima é um cod de um EA de DAy trade extremamente lucrativo ... 

------------------------------------------------------------------------------------------------------------------------------

Prodotti consigliati
Risk Guard Pro
Muniz Machado Thiago
RiskGuard PRO – Defesa Inteligente para Traders Sérios no EURJPY M15 O RiskGuard PRO é um Expert Advisor de alto desempenho, projetado exclusivamente para o par EURJPY no timeframe M15 , com foco total em preservação de capital, gestão de risco avançada e execução estratégica de múltiplas abordagens operacionais . Ao contrário dos EAs tradicionais, o RiskGuard PRO foi desenvolvido com tecnologia proprietária e arquitetura inteligente , capaz de operar com segurança mesmo em ambientes de merc
Fimathe HM
Jean Charles Vilhena Maia
Fimathe H/M per MetaTrader 5 Fimathe H/M è un Expert Advisor per MetaTrader 5 basato su una logica di breakout strutturale tra due timeframe. Il robot utilizza un timeframe superiore per definire il ciclo operativo e un timeframe inferiore per costruire il canale ed eseguire l’ingresso. La logica è stata sviluppata con regole di prezzo oggettive, senza martingala, senza grid trading e senza sistemi di recupero aggressivi. Ogni nuovo ciclo del timeframe superiore genera una nuova lettura operativ
FREE
FTrend3
Sonia Tait
Este EA combina a tendência do tempo gráfico principal com mais dois tempos gráficos configuráveis. Os stops são técnicos baseados na técnica dos canais OffRoad. Ao executar otimizações, é interessante buscar as combinações de tempos gráficos que corroboram para um bom resultado para cada ativo e seu comportamento. Estudos apontam para resultados mais assertivos quando os testes são feitos nos últimos meses para operar no próximo. O período do ADX e das bandas de Bollinger também podem variar co
The Inside Bar e one is a reversal/continuation candle formation, and is one of the most traded candle patterns. Robot F1 allows you to configure different trading strategies, Day Trade or swing trade, based on the Inside Bar as a starting point.  This pattern only requires two candles to perform. Robot F1 uses this extremely efficient pattern to identify trading opportunities. To make operations more effective, it has indicators that can be configured according to your strategy. Among the o
EA builder master
Davi Silva Campos
Unisciti al nostro gruppo e aiutaci a costruire un EA migliore e a scoprire setup redditizi. https://discord.gg/ebPS82eM EA Builder Master: Domina il Mercato con Automazione Intelligente e Controllo Totale  Lo strumento definitivo per i trader che desiderano costruire, testare e automatizzare le proprie strategie in MetaTrader 5, senza scrivere una sola riga di codice. Ti sei mai sentito frustrato per aver perso opportunità perché non eri davanti al grafico? Hai mai lottato contro l'indisciplina
FREE
MACD CrossoverPro
Samuel Cavalcanti Costa
MACD Crossover Pro is a professional Expert Advisor built on one of the most reliable and time-tested strategies in technical analysis: the MACD line crossover with the Signal line. Designed for traders who value simplicity, transparency, and consistent rule-based execution. HOW IT WORKS The EA monitors the MACD indicator (Moving Average Convergence Divergence) in real time. The entry logic is straightforward and powerful: When the MACD line crosses above the Signal line → the EA opens a BUY po
SemisScalpel
Andriy Sydoruk
The   SemiScalpel   Expert Advisor is a semi-scalping system which analyzes the market using an oscillator. During tests use the "Every tick" mode. The expert works only with accounts like "Netting" Adjust   StopLoss ,   TakeProfit ,   TrailingStart ,   TrailingBreakeven   and   TrailingStop   to set the system operation mode: scalping or standard. Simple overbought/oversold levels are used. You can use one of the indicators (select the value of the   Signal   parameter): RSI CCI WPR DEM MOM RVI
WIN Trend Follow 9 21
Aguinaldo Ferreira Costa
Trend Follow Pro: Domine a Tendência com Precisão O Trend Follow Pro é um robô de negociação (Expert Advisor) desenvolvido para capturar movimentos direcionais no mercado. Ele utiliza a clássica e poderosa estratégia de cruzamento de Médias Móveis Exponenciais (EMA) , otimizada com filtros de segurança e uma interface visual moderna que permite o acompanhamento em tempo real diretamente no gráfico. Como ele funciona? O princípio de funcionamento é baseado na dinâmica de preços: Sinal de Compra:
Dynamic Linear Regression EA
Abraao Moreira
4.75 (8)
The Expert Advisor (EA) is based on the Dynamic Linear Regression indicator ( https://www.mql5.com/en/market/product/49702 ). User inputs: Number of candles is considered when calculating linear regression; Distance to the top line; Distance to the bottom line; Stop the loss of. The EA executes purchase and sale orders in the market when the value of a line, higher or lower, is reached at the current price, when the lower line is reached, a buy order at market is executed and when the upper li
FREE
RoyalTrade Pro
Milton Giovanny Jaramillo Herrera
RoyalProfit EA Pro - Automated London/New York Breakout System Leverage the strategy used by institutional traders: Identify key levels during the London session and execute precise breakouts when New York opens. 100% automated. What Does This EA Do? RoyalProfit EA Pro implements a proven institutional strategy: during the London trading session, the EA automatically marks the maximum and minimum price range levels. When New Y
Reversion Trend Tracker
Arthur Wesley Oliveira Leite
Expert Advisor that seeks reversals of highly profitable trends. Its use is recommended for periods of up to 30 minutes. It can be used for indices, futures and stocks. Its configuration is very intuitive. Superior results are obtained through swing-trade operations. But excellent results are also obtained in day-trading operations. Tests were performed for Timeframes of 5, 10, 15, 20 and 30 minutes.  For day-trade operations, daily, in the final hour, all positions are closed.  For swing-trade
Turis Eurjpy
Fabriel Henrique Dosta Silva
Descrição do Produto: Decsters EURJPY M15 Taris O Decsters EURJPY M15 Taris é um Expert Advisor (EA) automatizado, projetado para operar no par de moedas EUR/JPY utilizando o gráfico de 15 minutos (M15). Ele executa estratégias de negociação automatizadas com base em sinais de mercado predefinidos, otimizando a eficiência e a velocidade das transações. Características: • Por Moedas: EUR/JPY • Período: 15 minutos • Estratégia: O EA utiliza indicadores técnicos avançados, como meios móveis expo
Trend Follow EMA Dash Fit V2
Aguinaldo Ferreira Costa
EMA 200 Trend Master Pro A Estratégia das Instituições no Seu Gráfico O EMA 200 Trend Master Pro é um Expert Advisor (EA) de alta performance projetado para traders que buscam operar a favor da tendência principal do mercado. Ele utiliza a Média Móvel Exponencial de 200 períodos , amplamente reconhecida por grandes bancos e fundos de investimento como o "divisor de águas" entre mercados de alta (Bull Market) e baixa (Bear Market). Como a Estratégia Funciona? O robô monitora o preço em tempo real
FiveStarFX Gold Reversal Edge Professional automated trading solution designed for structured execution and controlled risk management in the Gold market. Built for traders who value discipline, precision, and consistency. Key Features Fully automated trading One trade at a time (controlled exposure) Fixed Stop Loss and Take Profit Smart Break-Even protection Profit lock with buffer Step-based trailing management Spread protection system Works on any broker Trade Management The E
FREE
XAU Sentinel
Dmitriq Evgenoeviz Ko
XAU Sentinel - A Two-Factor Strategy Based on Level Breakouts and Momentum Confirmation The advisor is a fully automated trading system whose logic is based on the synergy of two independent signal modules. The robot analyzes market structure in real time, using a combination of price levels and dynamic indicators to filter out false entries. Operation logic (Signals): The algorithm makes a decision to enter a position only when two signals are confirmed simultaneously or sequentially: Signal
CCI Reversal Pro
Samuel Cavalcanti Costa
CCI Reversal Pro is an Expert Advisor built on the Commodity Channel Index (CCI) overbought/oversold reversal strategy — a classic and time-tested approach that remains underexplored in the MQL5 Market. The CCI measures the deviation of price from its statistical average. Extreme readings above +100 indicate overbought conditions; extreme readings below -100 indicate oversold conditions. CCI Reversal Pro monitors these extremes and executes trades when price exits them — capturing the mean-rever
Gold Zone EA
Simon Reger
4.31 (26)
Gold Zone EA is a fully automated Expert Advisor that analyzes market structure using supply and demand zones and executes trades based on defined price reactions. The EA combines zone detection, momentum analysis, EMA filtering, multiple take-profit levels, break-even logic, trailing stop and an integrated manual trading panel directly on the chart. The EA works on many symbols, including: XAUUSD, EURUSD, GBPUSD, USDJPY, BTCUSD as well as numerous other Forex, index and CFD instruments. No ext
FREE
Exclusive EA for FOREX HEDGE account The EA (FuzzyLogicTrendEA) is based on fuzzy logic strategies based on the analysis of a set of 5 indicators and filters. Each indicator and filter has a weight in the calculation and, when the fuzzy logic result reaches the value defined in the EA parameter, a negotiation is opened seeking a pre-defined gain. As additional functions it is possible to define maximum spread, stop loss and so on . Recommended Symbol: EURUSD, AUDUSD, GBPUSD, NZDUSD, USDCAD, AUD
Alpha Trend Premium
Cesar Henrique Alves Tomaz
Alpha Trend Premium – MT5 Trend Trading Expert Advisor New release – Stable trend trading strategy with strict risk control Alpha Trend Premium is a professional trend-following Expert Advisor for MetaTrader 5 , developed in MQL5 , designed for traders who value consistency, discipline, and capital protection . Includes 15 activations , ideal for traders using multiple accounts, VPS, or prop firm environments . How Alpha Trend Premium Works Alpha Trend Premium executes trades only when a c
Maximum Infinity Pro – EA Grid Avanzato per MT5 Maximum Infinity Pro è un Expert Advisor (EA) di livello professionale progettato per MetaTrader 5, che combina una logica di trading a griglia avanzata con una robusta gestione del rischio e strategie di entrata/uscita adattive. Questo EA è adatto sia ai trader principianti che a quelli esperti che desiderano una soluzione di trading affidabile, flessibile e completamente automatizzata. Caratteristiche Principali Sistema a Griglia Intelligente (S
SkyNet Fx EA
Fernando De Paljla Silva
SkyNet EA uses the Mean Return strategy plus Filters to generate a market entry signal.  This setup is frequently used by professional traders around the world. If you want a reliable EA, SkyNet EA is for you.  SkyNet EA   does not use AI or martingale, it does not work miracles, but it is safe. The results shown in the images are out of sample, therefore much more reliable. The SkyNet EA has been subjected to a long period of more than ten years of Backtesting with Tick by Tick data, using the
What is Golden Osiris EA? Golden Osiris EA is a high-performance Expert Advisor (trading robot) specifically designed for trading XAUUSD (gold) on MetaTrader 5. It combines a powerful algorithmic structure with adaptive logic to fully capitalize on market movements in the current trading environment. Developed using the latest algorithmic updates, this EA analyzes key level breakouts, price action, and signals from technical indicators specially tuned for the gold market. Key Features:
Fuji Wave
Michael Prescott Burney
4.57 (14)
Fuji Wave FX: Sistema di consulenza per gestire e ridurre le perdite di trading su USD/JPY sui grafici H1 di MT5. Fuji Wave FX   è   un sistema di trading automatizzato ad alta precisione per la coppia di valute USD/JPY, che offre eccellenti capacità di controllo delle perdite   . Questo sistema è specificamente progettato per i trader che cercano un'automazione sistematica, un'esecuzione rigorosa degli ordini e prestazioni costanti sulla piattaforma MetaTrader 5.   Ottimizzato per   il grafico
FREE
Grid Trading Brasil EN
Vladimir Aleksei Mendonca Carvalho
This is the technical document for GTB (Grid Trader Brazil) for the Market version. It details the strategic operation and the complete dictionary of available parameters. ️ IMPORTANT: DEFAULT SETTINGS   The default settings of this EA are calibrated to be   Ultra-Conservative   (Low Frequency) to strictly comply with MQL5 Market Validation rules.   For Real Trading Results:   You MUST load a valid   .set   file.   Check the Comments Section   for the official Set Files or   Send me a Priva
FREE
Orizon 4MA Trend
Aguinaldo Ferreira Costa
Descrição Comercial (Copywriting) Português Orizon 4MA Trend – Estratégia de Confluência de Médias Móveis O Orizon 4MA Trend é um Expert Advisor (EA) de alta performance desenvolvido para traders que buscam operações seguras e consistentes baseadas em tendências. Ele utiliza a confluência de 4 médias móveis (9, 21, 50 e 200 períodos) para identificar o "momento exato" em que o preço ganha força direcional. Por que escolher o Orizon? Filtro de Ruído: Só entra em operações quando as 4 médias estão
Introducing the ultimate news trading robot for forex MetaTrader 5 - designed specifically for traders who want to profit from market volatility during news events. With this robot, you can easily set up two pending orders - buy stop and sell stop - just 10 minutes before the news release. Simply set the time on the robot to 10 minutes prior to the news release time (for example, if the news is scheduled for 6:30, set the time on the robot to 6:20), and the robot will take care of the rest. But
Xgrid Scalper MT5
Prafull Manohar Nikam
This trading robot is strictly made for 10K Capital Trading Account and EURUSD H1. DO NOT use it on smaller accounts, because it has minimum free margin limit i.e. Free Margin > 500 (this value is in "actual money" not in "percentage"!) This is a Simple Grid Trading System which works on ADX indicator's volatility and with High Winrate. IMPORTANT: Default input settings are the bare minimum settings (not ideal) instead use the recommended settings (OR find your own best settings) provided in th
HMA Crossover
Rowan Stephan Buys
HMA Crossover EA – MT5 Sfrutta la velocità e la precisione della Hull Moving Average (HMA) con un Expert Advisor completamente automatico per il trading di tendenza su MetaTrader 5. Il HMA Crossover EA è progettato per i trader che vogliono reagire rapidamente ai trend emergenti senza sacrificare il controllo del rischio. Combinando una HMA veloce con una HMA lenta, l’EA identifica precocemente potenziali inversioni di tendenza e gestisce il rischio tramite Stop Loss e Take Profit dinamici basat
MACD all
Cristian Alexander Aravena Danin
MACD ALL is a project where i want to create an EA that can trade every strategy of the MACD indicator, an EA where you can customize every aspect of the trades, such as using filters for the entry signal, the stoploss placement, risk management, trail stoploss, etc. currently working on: Making a news filter. It works on any symbol , but in the developing of the EA i encountered some profitable setups that look promising, on the US100 symbol and the US500 symbol, both using the 4H timeframe, I
Gli utenti di questo prodotto hanno anche acquistato
Quantum Queen MT5
Bogdan Ion Puscasu
4.97 (518)
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 (30)
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 (29)
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 (164)
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 (129)
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.29 (52)
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
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 EC Markets) , il comportamento di trading live di questo EA è progettato per allinearsi strettamente alla struttura del
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
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
Agera
Anton Kondratev
4.5 (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.67 (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
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
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
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
Dynamic Liquidity Intelligence Live Signal $10000 /10 00=0.01  Lot ------------------------------------------- Live Signal $5000 / 5 00=0.01  Lot ------------------------------------------- Live Signal $2000 /  200= 0.01 Lot ------------------------------------------- Live Signal HFM $400 / 400=0.01 Lot ------------------------------------------- Live Signal XM $200 / 200=0.01 Lot  ------------------------------------------ Live Signal HFM $200 /200=0.01 Lot ----------------------------------
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
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
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
AI Gold Sniper MT5
Ho Tuan Thang
3.98 (64)
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
Karat Killer
BLODSALGO LIMITED
4.71 (31)
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
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
Gold Neuron
Vasiliy Strukov
5 (9)
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: $300 per 0,01 lotti Esempio: 0,02 lotti per un saldo di $600, 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
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
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
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
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
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
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
Filtro:
Nessuna recensione
Rispondi alla recensione