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 ... 

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

Önerilen ürünler
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 MetaTrader 5 için Fimathe H/M, iki zaman dilimi arasındaki yapısal breakout mantığına dayalı bir MetaTrader 5 Expert Advisor’dır. Robot, işlem döngüsünü tanımlamak için daha yüksek bir zaman dilimi, kanal oluşturmak ve giriş yapmak için ise daha düşük bir zaman dilimi kullanır. Mantık, objektif fiyat kurallarına göre geliştirilmiştir; martingale, grid trading veya agresif toparlama sistemleri kullanılmaz. Daha yüksek zaman dilimindeki her yeni döngü yeni bir operasyonel yapı oluşturu
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
Join our group and help us build a better EA and discover profitable setups. https://discord.gg/ebPS82eM EA Builder Master: Master the Market with Intelligent Automation and Total Control The ultimate tool for traders who want to build, test, and automate their own strategies in MetaTrader 5, without writing a single line of code. Have you ever felt frustrated by missing opportunities because you weren't in front of the chart? Have you struggled with indiscipline and emotional decisions that sa
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:
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 – MT5 için Gelişmiş Grid EA Maximum Infinity Pro, MetaTrader 5 için tasarlanmış, gelişmiş grid işlem mantığını sağlam risk yönetimi ve uyarlanabilir giriş/çıkış stratejileriyle birleştiren profesyonel düzeyde bir Uzman Danışman'dır (EA). Bu EA, güvenilir, esnek ve tam otomatik bir işlem çözümü isteyen hem acemi hem de deneyimli yatırımcılar için uygundur. Ana Özellikler Akıllı Grid Sistemi (Smart Grid System): Çeşitli piyasa koşullarında optimum performans için dinamik lot
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: MT5 H1 grafiklerinde USD/JPY paritesindeki işlem kayıplarını yönetmek ve azaltmak için kullanılan danışmanlık sistemi. Fuji Wave FX,   USD/JPY döviz çifti için mükemmel kayıp kontrol yetenekleri sunan yüksek hassasiyetli otomatik bir işlem sistemidir   . Bu sistem, MetaTrader 5 platformunda sistematik otomasyon, titiz emir yürütme ve tutarlı performans arayan yatırımcılar için özel olarak tasarlanmıştır.   Saatlik zaman dilimlerinde USD/JPY grafiği için optimize edilmiş olan bu s
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 MetaTrader 5 için Hull Moving Average (HMA) ’ın hızı ve hassasiyetinden yararlanan tamamen otomatik bir trend takip Expert Advisor. HMA Crossover EA , ortaya çıkan trendleri hızlıca yakalarken, sıkı risk yönetimini sürdürmek isteyen trader’lar için tasarlanmıştır. Hızlı HMA ile yavaş HMA’yı birleştirerek potansiyel trend değişimlerini erken tespit eder ve ATR tabanlı dinamik Stop Loss ve Take Profit ile riski yönetir. Net. Disiplinli. Verimli. Temel Strateji Mantığı EA
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
Bu ürünün alıcıları ayrıca şunları da satın alıyor
Quantum Queen MT5
Bogdan Ion Puscasu
4.97 (519)
Merhaba yatırımcılar! Ben   Quantum Queen   , tüm Quantum ekosisteminin gözbebeği ve MQL5 tarihindeki en yüksek puanlı, en çok satan Uzman Danışmanım. 20 ayı aşkın canlı işlem deneyimim sayesinde, tartışmasız XAUUSD Kraliçesi olarak yerimi kazandım. Uzmanlık alanım mı? ALTIN. Misyonum? Tutarlı, kesin ve akıllı işlem sonuçları sunmak — hem de defalarca. IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. İndirimli   fiyat
Gold House MT5
Chen Jia Qi
5 (31)
Gold House — Gold Swing Breakout Trading System Launch Promotion — Limited to 100 Copies Version 2.0 has been released with significant improvements. A price adjustment is expected soon. Early access is recommended. 93   copies sold — only 7 remaining. Lock in the lowest price before it's gone. Live signal: https://www.mql5.com/en/signals/2359124 Stay updated — join our MQL5 channel for product updates and trading tips. After opening the link, click the "Subscribe" button at the top of the page
TwisterPro Scalper
Jorge Luiz Guimaraes De Araujo Dias
5 (30)
Daha az işlem. Daha iyi işlem. Her şeyden önce tutarlılık. • Canlı Sinyal Mod 1 Twister Pro EA, XAUUSD (Altın) için M15 zaman diliminde özel olarak geliştirilmiş yüksek hassasiyetli bir scalping Expert Advisor'dır. Daha az işlem yapar — ancak işlem yaptığında her zaman bir amacı vardır. Her giriş, tek bir emir verilmeden önce 5 bağımsız doğrulama katmanından geçer ve bu sayede varsayılan SET ile son derece yüksek bir isabet oranı elde edilir. İKİ MOD: Mode 1 (önerilen) — Çok yüksek isabet ora
Quantum King EA
Bogdan Ion Puscasu
4.98 (164)
Quantum King EA — Her Yatırımcı İçin Geliştirilmiş Akıllı Güç IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. Özel Lansman Fiyatı Canlı Sinyal:       BURAYA TIKLAYIN MT4 versiyonu :   TIKLAYIN Quantum King kanalı:       Buraya tıklayın ***Quantum King MT5 satın alın ve Quantum StarMan'i ücretsiz edinin!*** Daha fazla bilgi için özelden sorun! İşlemlerinizi hassasiyet ve disiplinle yönetin. Quantum King EA,
Quantum Valkyrie
Bogdan Ion Puscasu
4.86 (129)
Quantum Valkyrie - Hassasiyet.Disiplin.Uygulama İndirimli       Fiyat   her 10 satın alımda 50 dolar artacaktır. Canlı Sinyal:   BURAYA TIKLAYIN   Quantum Valkyrie MQL5 herkese açık kanalı:   BURAYA TIKLAYIN ***Quantum Valkyrie MT5 satın alın ve Quantum Emperor veya Quantum Baron'u ücretsiz olarak alma şansını yakalayın!*** Daha fazla bilgi için özel mesaj gönderin! IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions.
Akali
Yahia Mohamed Hassan Mohamed
4.24 (54)
LIVE SIGNAL: Canlı performansı görmek için buraya tıklayın ÖNEMLİ: ÖNCE KILAVUZU OKUYUN Broker gereksinimlerini, strateji modlarını ve akıllı yaklaşımı anlamak için bu EA'yı kullanmadan önce kurulum kılavuzunu okumanız kritik önem taşır. Resmi Akali EA Kılavuzunu okumak için buraya tıklayın Genel Bakış Akali EA, Altın (XAUUSD) için özel olarak tasarlanmış yüksek hassasiyetli bir scalping Uzman Danışmanıdır (Expert Advisor). Yüksek volatilite dönemlerinde karları anında güvence altına almak için
Goldwave EA MT5
Shengzu Zhong
4.72 (32)
Gerçek işlem hesabı   LIVE SIGNAL (IC MARKETS):  https://www.mql5.com/en/signals/2339082 Bu EA, MQL5 üzerinde doğrulanmış canlı işlem sinyalinde kullanılan ticaret mantığı ve yürütme kurallarıyla tamamen aynı mantığı ve kuralları kullanır.Önerilen ve optimize edilmiş ayarlar kullanıldığında ve güvenilir bir ECN / RAW spread brokeri (örneğin IC Markets veya TMGM) ile çalıştırıldığında, bu EA’nın canlı işlem davranışı, canlı sinyalin işlem yapısı ve yürütme özellikleriyle yüksek ölçüde uyumlu ola
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 - Gerçek strateji,  gerçek sonuçlar   Full Throttle DMX, EURUSD, AUDUSD, NZDUSD, EURGBP ve AUDNZD döviz çiftleriyle çalışmak üzere tasarlanmış çoklu para birimi işlem uzmanı danışmanıdır. Sistem, bilinen teknik göstergeler ve kanıtlanmış piyasa mantığı kullanan klasik bir işlem yaklaşımı üzerine kurulmuştur. Danışman, her biri farklı piyasa koşullarını ve fırsatlarını belirlemek üzere tasarlanmış 10 bağımsız strateji içerir. Birçok modern otomatik sistemin aksine, Full Throttle
The Gold Reaper MT5
Profalgo Limited
4.51 (90)
PROP FİRMASI HAZIR!   (   SETFILE'ı indirin   ) WARNING: Mevcut fiyata yalnızca birkaç kopya kaldı! Son fiyat: 990$ 1 EA'yı ücretsiz alın (2 ticari hesap için) -> satın aldıktan sonra benimle iletişime geçin Ultimate Combo Deal   ->   click here JOIN PUBLIC GROUP:   Click here Live Signal Altın Reaper'a hoş geldiniz! Çok başarılı Goldtrade Pro'yu temel alan bu EA, aynı anda birden fazla zaman diliminde çalışacak şekilde tasarlanmıştır ve ticaret sıklığını çok muhafazakardan aşırı değişkene k
Agera
Anton Kondratev
4.25 (8)
AGERA,   altın piyasasındaki güvenlik açıklarını belirlemek için geliştirilmiş, tamamen otomatik ve çok yönlü açık kaynaklı bir uzman algoritmasıdır! 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/23637
AI Gold Trading MT5
Ho Tuan Thang
4.56 (34)
CANLI SİNYALİMLE AYNI SONUÇLARI MI İSTİYORSUNUZ?   Benimle tamamen aynı aracı kurumları kullanın:   IC MARKETS  &  I C TRADING .  Merkezi borsa piyasasının aksine, Forex'te tek ve birleşik bir fiyat akışı yoktur.  Her aracı kurum likiditeyi farklı sağlayıcılardan temin eder ve bu da benzersiz veri akışları oluşturur. Diğer aracı kurumlar ancak %60-80 oranında eşdeğer bir işlem performansı sağlayabilir.     CANLI SİNYAL IC MARKETS:  https://www.mql5.com/en/signals/2344271       MQL5'te Forex EA T
Ultimate Breakout System
Profalgo Limited
5 (31)
ÖNEMLİ   : Bu paket yalnızca çok sınırlı sayıda kopya için geçerli fiyattan satılacaktır.    Fiyat çok hızlı bir şekilde 1499$'a çıkacak    +100 Strateji dahil   ve daha fazlası geliyor! BONUS   : 999$ ve üzeri fiyata -->   diğer 5    EA'mı ücretsiz seçin!  TÜM AYAR DOSYALARI TAM KURULUM VE OPTİMİZASYON KILAVUZU VİDEO REHBERİ CANLI SİNYALLER İNCELEME (3. taraf) ULTIMATE BREAKOUT SYSTEM'e hoş geldiniz! Sekiz yıl boyunca titizlikle geliştirilen, gelişmiş ve tescilli bir Uzman Danışman (EA) olan
AI Gold Scalp Pro
Ho Tuan Thang
4.9 (10)
CANLI SİNYALİMLE AYNI SONUÇLARI MI İSTİYORSUNUZ?   Benimle tam olarak aynı brokerları kullanın:   IC MARKETS  &  I C TRADING .  Merkezi borsa piyasasının aksine, Forex'in tek, birleşik bir fiyat beslemesi yoktur.  Her broker likiditeyi farklı sağlayıcılardan alarak benzersiz veri akışları oluşturur. Diğer brokerlar yalnızca %60-80'e eşdeğer işlem performansı elde edebilirler. CANLI SİNYAL MQL5 Üzerinde Forex EA Trading Kanalı:  Benden en son haberleri almak için MQL5 kanalıma katılın.  MQL5 üze
The Gold Phantom
Profalgo Limited
4.5 (26)
SAHNE HAZIR! -->   TÜM AYAR DOSYALARINI İNDİRİN UYARI: Mevcut fiyattan sadece birkaç kopya kaldı! Son fiyat: 990$ YENİ (sadece 399$'dan başlayan fiyatlarla)   : 1 EA'yı Ücretsiz Seçin! (En fazla 2 işlem hesabı numarasıyla sınırlıdır, UBS hariç tüm EA'larım seçilebilir) En İyi Kombine Fırsat     ->     buraya tıklayın Herkese açık gruba katılmak için   buraya tıklayın .   Canlı Sinyal Canlı Sinyal 2 !! ALTIN ​​HAYALET BURADA !!   Altın Orakçı'nın muazzam başarısının ardından, güçlü kardeşi Altı
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) – Kalıcı Pullback Zekası Bu dönüşümü 2024 sonunda Mean Machine ile başlattık. Gerçek öncü yapay zekayı canlı perakende forex ticaretine taşıyan ilk sistemlerden biri. Nano Machine GPT Version 2 bu hattaki bir sonraki evrimdir. Çoğu yapay zeka aracı bir kez yanıt verir ve her şeyi unutur. Nano Machine GPT Version 2 unutmaz. Analiz edilen her pullback kurulumunu, her gerçekleştirilen girişi, her reddi, her kararın arkasındaki mantığı, piyasanın tepkisini
Quantum Bitcoin EA
Bogdan Ion Puscasu
4.71 (122)
Quantum Bitcoin EA   : İmkansız diye bir şey yoktur, önemli olan onu nasıl başaracağınızı bulmaktır! En iyi MQL5 satıcılarından birinin en son şaheseri   olan Quantum Bitcoin EA   ile   Bitcoin   ticaretinin geleceğine adım atın. Performans, kesinlik ve istikrar talep eden yatırımcılar için tasarlanan Quantum Bitcoin, kripto para biriminin değişken dünyasında mümkün olanı yeniden tanımlıyor. ÖNEMLİ!   Satın alma işleminden sonra lütfen kurulum kılavuzunu ve kurulum talimatlarını almak için ba
Syna
William Brandon Autry
5 (24)
Syna 5 – Kalıcı Zeka. Gerçek Hafıza. Evrensel Trading Zekası. Çoğu yapay zeka aracı bir kez yanıt verir ve her şeyi unutur. Sizi tekrar tekrar sıfırdan başlatır. Syna 5 unutmaz. Her konuşmayı, analiz edilen her işlemi, neden harekete geçtiğini, neden kenarda kaldığını ve piyasanın ardından nasıl tepki verdiğini hatırlar. Her oturumda eksiksiz bağlam. Her işlemle biriken kümülatif zeka. Bu, pazarlama amacıyla yapay zeka özellikleri eklenmiş bir EA daha değildir. Zeka sıfırlanmayı bırakıp birikme
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.7 (30)
Saf Altın Zekası. Özüne Kadar Doğrulanmış. Karat Killer   geri dönüştürülmüş göstergeler ve şişirilmiş backtestlerle dolu bir altın EA değildir — XAUUSD için özel olarak inşa edilmiş,   yeni nesil bir makine öğrenimi sistemidir   , kurumsal düzeyde metodoloji ile doğrulanmış ve gösterişten çok özü değer veren yatırımcılar için tasarlanmıştır. LAUNCH PROMOTION - LIMITED TIME OFFER   Price increases every 24 hours at 10:30 AM Cyprus time.   Secure the lowest price today before the next increase. D
Aot
Thi Ngoc Tram Le
4.79 (107)
AOT Çoklu Para Birimi Uzman Danışmanı ile AI Duygu Analizi Korelasyonlu döviz çiftleri arasında portföy çeşitlendirmesi için çok çiftli ortalamaya dönüş stratejisi. AOT'u ilk kez mi test ediyorsunuz?     sabit lot büyüklüğü ayarlarıyla başlayın. Sabit lot 0.01 | Çift başına tek pozisyon | Gelişmiş özellikler kapalı. Sistemin davranışını anlamak için ham ticaret mantığı. Geçmiş Performans Sinyali Detay Set Dosyası Adı Açıklama Orta Risk Darwinex Zero,  Hesap büyüklüğü  $100k Darwinex - Set Kurtar
GoldBaron XauUsd EA MT5
Mikhail Sergeev
4.5 (8)
«GoldBaron» - altın (XAUUSD) ticareti için geliştirilmiş tamamen otomatik bir ticaret robotudur. Gerçek hesapta 6 aylık ticaret sonucunda uzman %2000 kâr elde edebildi. Her ay uzman %60'tan fazla kâr elde etti. Ticaret uzmanını XAUUSD'NİN saatlik (H1) grafiğine ayarlamanız ve gelecekteki altın fiyatlarını tahmin etmenin gücünü görmeniz yeterlidir. Agresif bir başlangıç için 200 $ yeterlidir. Önerilen depozito 500$ 'dan başlar. Riskten korunma imkanı olan hesapları kullandığınızdan emin olun. Bir
Gold Neuron
Vasiliy Strukov
5 (9)
Gold Neuron XAUUSD için Gelişmiş Çoklu Strateji Alım Satım Sistemi Lütfen dikkat: Ayarlarda Tüm Stratejileri etkinleştirin, çünkü EA mevcut koşullarda en iyi stratejiyi bulmak için piyasayı tarayacaktır! Önerilen minimum bakiye: 0,01 lot için 300$ Örnek: 600$ bakiye için 0,02 lot, vb. Gold Neuron EA, özellikle M15 zaman diliminde Altın (XAUUSD) ticareti için tasarlanmış profesyonel çok stratejili bir Uzman Danışmandır. Sistem, farklı piyasa koşullarında yüksek olasılıklı işlem fırsatlarını tespi
Golden Hen EA
Taner Altinsoy
4.51 (49)
Genel Bakış Golden Hen EA , özellikle XAUUSD için tasarlanmış bir Uzman Danışmandır (Expert Advisor). Farklı piyasa koşulları ve zaman dilimlerinde (M5, M30, H2, H4, H6, H12, W1) tetiklenen dokuz bağımsız işlem stratejisini birleştirerek çalışır. EA, girişlerini ve filtrelerini otomatik olarak yönetecek şekilde tasarlanmıştır. EA'nın temel mantığı, belirli sinyalleri tanımlamaya odaklanır. Golden Hen EA grid, martingale veya ortalama (averaging) tekniklerini kullanmaz . EA tarafından açılan tüm
Gold Trade Pro MT5
Profalgo Limited
4.3 (37)
Tanıtımı başlat! 449$'dan sadece birkaç kopya kaldı! Sonraki fiyat: 599$ Son fiyat: 999$ 1 EA'yı ücretsiz alın (2 ticari hesap için) -> satın aldıktan sonra benimle iletişime geçin 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, Altın ticareti EA'ları kulübüne katılıyor, ancak büyü
AI Quantum Scalper
Lo Thi Mai Loan
5 (7)
AI Quantum Scalper — Akıllı Yürütmenin Evrimi Hassasiyet. Zeka. Çoklu Piyasa Ustalığı. SETFILE İNDİR  | GİRDİ KILAVUZU | KURULUM KILAVUZU Promotion: İndirimli fiyat: Promosyon süresi boyunca fiyat **her gün 50 USD artar**. Kademeli fiyatlandırma: İlk 100 müşteriden sonra fiyat **999.99 USD**’ye yükselir ve zamanla **4999.99 USD**’ye kadar kademeli olarak artar. Özel teklif: Bugün AI Quantum Scalper satın alarak **EA Titan Breaker** kazanma şansı elde edin (detaylar için özel mesaj gönderin). Li
Zenox
PETER OMER M DESCHEPPER
4.26 (31)
Flaş İndirim: 10 adet ürün %50 indirimli! Normal fiyat: 1349,99 USD. Güncel kalmak için ücretsiz herkese açık kanala buraya katılın! Canlı sinyal her %10 arttığında, Zenox'un özel kalması ve stratejinin korunması için fiyat artırılacaktır. Nihai fiyat 2.999 ABD doları olacaktır. Canlı Sinyal IC Markets Hesabı, kanıt olarak canlı performansı kendiniz görün! Kullanıcı kılavuzunu indirin (İngilizce) Zenox, trendleri takip eden ve on altı döviz çifti arasında riski dağıtan son teknoloji ürünü bir y
Mad Turtle
Gennady Sergienko
4.51 (89)
Sembol XAUUSD (Altın / ABD Doları) Zaman Aralığı H1-M15 (isteğe bağlı) Tek işlem desteği EVET Minimum Mevduat 500 USD (veya başka bir para biriminde eşdeğeri) Tüm brokerlarla uyumlu EVET (2 veya 3 basamaklı fiyatlandırma, tüm hesap para birimleri, semboller ve GMT zaman dilimi desteklenir) Önceden ayar yapmadan çalışır EVET Makine öğrenimine ilgi duyuyorsanız, kanala abone olun: Abone Ol! Mad Turtle Projesinin Ana Özellikleri: Gerçek Makine Öğrenimi Bu Expert Advisor (EA), herhangi bir GPT
PrizmaL Gravity
Vladimir Lekhovitser
5 (1)
Canlı işlem sinyali İşlem faaliyetlerinin herkese açık gerçek zamanlı takibi: https://www.mql5.com/tr/signals/2364406 Resmî bilgiler Satıcı profili Resmî kanal Kullanıcı kılavuzu Kurulum talimatları ve kullanım yönergeleri: Kullanıcı kılavuzunu aç PrizmaL Gravity, yapılandırılmış ve sadeleştirilmiş bir scalping ortamında sinir ağı eğitimi ile geliştirilmiş yeni nesil bir Expert Advisor’dır. Sistem, 2020 yılından günümüze kadar olan piyasa verileri üzerinde eğitilmiş olup, farklı volati
Filtrele:
Değerlendirme yok
Değerlendirmeye yanıt