Nash Equilibrium

I am pleased to present to you a powerful EA, and everything about this EA is HUGE: profit, drawdown, number of orders, deposit.
EA trade all 28 symbols x 5 timeframes (M15,M30,H1,H4,D1), individual timeframes and currencies (not symbols) can be disabled.
Simple calculation: 28*5 = 140 signals to trade, and * 2 directions(buy/sell) = 280. If you are interested, read on.

1. How it was created:

EA was created when, after writing EA for manual basket trading, I was looking for an idea to automate it. Then I watched the movie “A Beautiful Mind” again and was inspired by the following scene. To understand how everything works, you just need to understand what John Nash is talking about in following scene:
https://www.youtube.com/watch?v=LJS7Igvk6ZM
THE BEST RESULT WOULD COME FROM EVERYONE IN THE GROUP DOING WHAT'S BEST FOR HIMSELF AND THE GROUP, that's how EA works.
I will explain grouping below. That is why buy and sell signals are not the most important thing. It is enough for them to be potentially profitable. What is important is managing groups (baskets and baskets in groups).

2. Minimum requirements:

Minimum deposit:  $5,000 for 1:500 leverage, $25,000 for 1:100 (the account must be able to handle a large number of positions, the EA will handle any number)
Maximum ping:      50 ms (30 ms is better than enough), small delays during closing work in favor of EA
Working time:        24 hours/5 days
Without meeting these conditions, it is a waste of your time and money.

3. Why cheap rent:

I set EA rent at a very low price for 6 months because it is not possible to perform backtests for all symbols in MT4. The only thing you can do is some optimization for take profit on one symbol (for reference), because everything is calculated for 28 currency pairs x 5 timeframes in real time anyway.
The EA rent is time-limited, and my suggestion is as follows: a) 2-3 months of learning and understanding, b) 3 months of real account, c) earn and buy. You just need to understand how it works and what the risks are and it is high.

4. Generating your own parameters:

The EA has the same SAFE, MODERATE, and AGGRESSIVE parameters encoded as in the following EA: Short Trend Reversal Using this EA, you can generate your own signal parameters (this EA was created for this purpose) and enter them into the ‘ReadFromFile.txt’ file.
The file with details will be created when you enable the Activity:ReadFromFile option for the first time on any timeframe.

5. EA as a manager:

Additionally, EA can work as an independent manager for your EA or supplement it. You need to apply logic for OrderMagicNumber(). Details can be found in the EA directory in the ‘ReserveMagic.txt’ file, which will be created after launching EA. If you attach my previous EA Short Trend Reversal to a chart opened with this EA, orders can be managed in manage mode (External or Main&External). The EAs are compatible.
You can send to EA from another EA/indicator/script EventChartCustom to close or open orders.

closing orders CustomEvents from other EA,indicator or script

char EAManageMode = 0; 0 - Main, 1 - External, 2 - Main&External
long currChartID = ChartID();
EventChartCustom(EAChartID,201,currChartID,EAManageMode,"M15"); /*close all M15*/ returned: EventChartCustom(currChartID,299,0,1,"M15");
EventChartCustom(EAChartID,202,currChartID,EAManageMode,"M30"); /*close all M30*/ returned: EventChartCustom(currChartID,299,0,2,"M30");
EventChartCustom(EAChartID,203,currChartID,EAManageMode,"H1");  /*close all H1*/  returned: EventChartCustom(currChartID,299,0,3,"H1");
EventChartCustom(EAChartID,204,currChartID,EAManageMode,"H4");  /*close all H4*/  returned: EventChartCustom(currChartID,299,0,4,"H4");
EventChartCustom(EAChartID,205,currChartID,EAManageMode,"D1");  /*close all D1*/  returned: EventChartCustom(currChartID,299,0,5,"D1");
EventChartCustom(EAChartID,200,currChartID,EAManageMode,"ALL"); /*close all ALL*/ returned: EventChartCustom(currChartID,299,0,0,"ALL");

open orders CustomEvents from other EA,indicator or script

char ManageMode = 0; //0 - Main, 1 - External, 2 - Main&External
char tf_idx;
switch(_Period) {
   case PERIOD_M15: tf_idx = 1; break;
   case PERIOD_M30: tf_idx = 2; break;
   case  PERIOD_H1: tf_idx = 3; break;
   case  PERIOD_H4: tf_idx = 4; break;
   case  PERIOD_D1: tf_idx = 5; break;
   default: break;
}
ushort EventID = (ushort)StringFormat("3%d%d",tf_idx,ManageMode);
long currChartID = ChartID();
double Lots = 0.01;
string trade_cmd = "STRONG,EUR,EURUSD"; //example
EventChartCustom(EAchartID,EventID,currChartID,Lots,trade_cmd); returned: EventChartCustom(currChartID,300,ChartID(),Lots,"STRONG,EUR,EURUSD");

6. GUI, CLI:

GUI resolution made for FullHD (1920x1080), I have no plans for 4k (if you buy, ask by PM), the GUI engine is my own creation.
You can see the clickables by typing in the command-line: show demo.
You can see the list of CLI by clicking ‘i’ on the top bar of the GUI. The list of commands is quite long and described in EA, so there is no need to describe everything here.

7. Events reading:

EA has the ability to send pending orders a few seconds before macroeconomic data readings and delete them after the reading. Data is downloaded from ForexFactory (HIGH IMPACT) automatically and in local mode uses a *.txt file. This functionality is only available to buyers, it is blocked in the rent version. In the rental version, pending orders for readings can be sent manually. You can see the commands by clicking ‘i’ on the top GUI bar.
Events do not work on VPS.

8. Modes (group description):

each buy/sell signal generates 4 players
example: EURUSD sell signal
dual: (4 orders) (higher risk, greater DD movements, greater profit)
        EA sends two SELL orders and recognizes them as:        WEAK EUR and STRONG USD
                                    + 2 x opposite pending BUY STOP: STRONG EUR and WEAK USD
single: (2 orders) (lower risk, smaller DD movements, smaller profit)
        EA sends one SELL order but recognizes it as:              WEAK EUR or STRONG USD
                                + 1 x opposite pending BUY STOP:   STRONG EUR or WEAK USD
The following groups are created from the above example:
group(-1): or groupM15,groupM30,... ‘Group Mxx orders (all orders)’ (I call it clearing the table)
    - groups all orders regardless of direction, simple (sum of orders) * (Group Mxx profit per order)
    - rarely reaches TakeProfit but it depends on the TakeProfit set for TF (difference: Mxx Profit per order and Group Mxx orders) (averaging mode has a big impact, but it is very risky)
group0: (per timeframe, main group)
    - STRONG OR WEAK on each timeframe has its own TakeProfit and these are entered all the time: Mxx Profit per order
group1:
    - (STRONG, WEAK for all orders) is created from group0 (per timeframe) and has its own TakeProfit but has additional execution conditions (group definition and orders are for more than 1 timeframe)
group1ext:
    - groups the two above STRONG&WEAK, with similar conditions, and one of group1 cannot be empty (also depends on group definition and the difference between TP group1 and group1ext) (table clearing)
groupN: (table clearing):
    - I have never seen TP execution (left side of the GUI) you can combine and display groups (-1) in any configuration.
As you can read above, you can only choose the appropriate TakeProfit. Without backtesting on all symbols, it is impossible to set this with 100% certainty (don't  forget what D. Trump did in 2025, it is impossible to generate perfect settings).

9. Settings:

settings affecting risk:
 - Initial Lots,
 - Averaging Method,
 - Averaging steps,
 - TF activity,
 - Pending rules1,
 - Pending rules2

Enable GUI GUI ON/OFF
GUI 3D 3D ON/OFF
Start/Stop (Broker Time) Start/Stop trading
BrokerOffset (remember saving time change) difference between local and broker time (it is safer to set it manually)
Initial Lots do not change if you have previously enabled averaging and have open orders
Pending Lots Initial Lots, Same as previous opened order
Averaging Method NONE, simple: Initial Lots*(cnt+1), fibo: Initial Lots * fibo[cnt] e.g. [1,1,2,3,...]
Averaging steps array size for averaging method, max 7
Enable Factor for calculations ONLY after switch from averaging
Manual limits noLimits, byTotalOrders, byMarginLvL, byTotalAndMargin, byTotalOrMargin
EA working mode DualMode, SingleMode (description above)
Disable order distance limits disabling distance limits for new orders, 3rd signal parameter
        Timeframe settings (groups0, trading signals):
Enable TF enabling TF trading TF=(M15, M30, H1, H4, D1)
TF base MagicNumber min 4digits, different for each TF (leave default)
TF Profit per order group0, (0 disabling)
Group TF orders group(-1), all orders
Group TF Profit per order group(-1) profit per order
TF activity Safe, Moderate, Aggressive, ReadFromFile (read description above)
        Group Baskets (group1, group1ext):
Group all STRONG enable/disable grouping STRONG orders (group1)
Group all WEAK enable/disable grouping WEAK orders (group1)
Group all STRONG&WEAK enable/disable grouping STRONG&WEAK orders(group1ext)
Group definition minimal orders in groups1 to close TakeProfit
STRONG TakeProfit for STRONG basket (group1)
WEAK TakeProfit for WEAK basket (group1)
Optimization for backtesting only, sets the same TP for both of the above
STRONG&WEAK TakeProfit for STRONG&WEAK baskets (group1ext)
Add D1 to STRONG&WEAK groups Add D1 orders to calculations
        Group Timeframes (groupN):
Group timeframes set1-set11 grouping groups(-1), groupsN
Group set1-set11 profit per order TP for created groupsN
        Pending settings:
Save/Restore pendings OFF, SaveToFile, InternalArray. save/restore pending orders for overnight spread. on VPS, EA uses an internal array
Save after StopTrading [min] (0 = OFF)
Restore before StartTrading [min] (0 = OFF)
Save/Restore behavior for external pendings: Do Not Touch, Save/Restore As Is, Take Ownership
Delete old Pending distance delete pendings if distance is more than N pips
Open Pending rules1 (if other pending exist): Reject When Pending Exist, Move Existing, Add Even When Pending Exist
Open Pending rules2 (if other buy or sell exist): Reject When Opened Exist, Add If Below Highest/Above Lowest, Add Even When Opened Exist
        AutoEvents (buyers only):
AutoEvents enable/disable, events are downloaded directly from ForexFactory with below settings. events do not work on VPS
Timeframe timeframe to trade
Distance place pending orders with N pips distance
Expiration[s] expiration is coded, max 23m:59s converted to seconds
Before[s] place pending orders N seconds before, max 23m:59s converted to seconds
        Manage settings:
Coma separated list excluded baskets here you can disable baskets. disabling more than two does not make sense. exaple:CHF,JPY
EA suffix usefull for multiple instances, max 5letters
External EA OrderComment() part of the text is enough to recognize
Manage mode Main, External, Main&External
External pendings delete behavior DoNotTouch: if true and Manage Mode is External or Main&External EA will not delete pending orders from external EA
External ChartEvents receiver enable/disable receiving CustomChartEvents to close or open orders from other EA or indicator
        Notification/Alerts/Logs:        there is no need to describe
Send heartbeat every N hours (0 disable), sends a push notification “Alive and Kicking” every N hours
        Graphics settings:        there is no need to describe, fonts: Arial Narrow, Arial Nova, Bahnschrift (check if you have it installed)

10. Indicator for analysis:      https://www.mql5.com/en/code/65634

11. External indicator with prohibited import dll (you need it for some features):

#property copyright     "https://www.mql5.com/en/market/product/Nash Equilibrium"
#property link          "https://www.mql5.com/en/market/product/154150"
#property description   "NashEquilibrium ChartEvents"
#property version       "1.00"
#property strict
#property indicator_chart_window

#import "user32.dll"
   int GetParent(int hWnd);
   int SetWindowPos(int hWnd,int hWndInsertAfter ,int X,int Y,int cx,int cy,int uFlags);
   int MoveWindow(int hWnd,int X,int Y,int nWidth,int nHeight,int bRepaint);
#import
#import "shell32.dll"
   int ShellExecuteW (int hwnd, string lpOperation, string lpFile, string lpParameters, string lpDirectory, int nShowCmd);
#import
//----------
int OnInit(void)  {
   return(INIT_SUCCEEDED);
}
//----------
void OnDeinit(const int reason) {
}
//----------
int OnCalculate(const int rates_total,
                const int prev_calculated,
                const datetime &time[],
                const double &open[],
                const double &high[],
                const double &low[],
                const double &close[],
                const long &tick_volume[],
                const long &volume[],
                const int &spread[]) {
   return(rates_total);
}
//----------
void OnChartEvent(const int id, const long &lparam, const double &dparam, const string &sparam) {  int customEventID,parent;
   if(id>CHARTEVENT_CUSTOM) {//Print(lparam," | ",dparam," | "sparam);
      customEventID = id - CHARTEVENT_CUSTOM;
      switch(customEventID) {
         case 1: parent = GetParent((int)ChartGetInteger(0,CHART_WINDOW_HANDLE));         SetWindowPos(parent,0,0,0,(int)lparam,(int)dparam,0x0002); break; //GUI ON
         case 2: parent = GetParent((int)ChartGetInteger(0,CHART_WINDOW_HANDLE));         SetWindowPos(parent,0,0,0,(int)lparam,(int)dparam,0x0002); break; //GUI OFF
         case 3: ShellExecuteW(NULL, "open", "explorer",TerminalInfoString(TERMINAL_DATA_PATH)+"\\MQL4\\Files\\"+sparam, NULL, 1);     break;
         case 4: ShellExecuteW(NULL, "open", "notepad", TerminalInfoString(TERMINAL_DATA_PATH)+"\\MQL4\\Files\\"+sparam, NULL, 1);     break;
         default: break;
      }
      if(customEventID>=11 && customEventID<40) {
         int Width = 282,Height = 363;
         long chartID = lparam;
         parent = GetParent((int)ChartGetInteger(chartID,CHART_WINDOW_HANDLE));
         int _X = (int)ObjectGetString(chartID,"X",OBJPROP_TEXT);
         int _Y = (int)ObjectGetString(chartID,"Y",OBJPROP_TEXT);
         MoveWindow(parent,_X,_Y,Width,Height,true);
      }
      else if(customEventID==100) {
         Print(sparam);
         //Your commands
      }
   }
}

12. At the end

Finally, if you have read this far, I would be very grateful for any suggestions for improvements. I can also add additional entry signals (they must work on all timeframes and symbols). MACD divergence I will add and inform.
Prodotti consigliati
Aurus Gold
Dmitriq Evgenoeviz Ko
"Aurus Gold" is a program that can automatically analyze and trade on the foreign exchange market (Forex) without human intervention. This innovative tool for decisions about buying or selling currency pairs. the full list for your convenience is available https://www.mql5.com/ru/users/pants-dmi/seller The main task of Aurus Gold is to maximize profits and minimize risks for investors. It is able to work around the clock, based on predetermined parameters and trading rules. The main benefits
The Gold Titan
Viktoriia Liubchak
The Gold Titan is an automated trading advisor for the MetaTrader platform, developed specifically for the XAU/USD (gold) instrument. It analyzes market data and executes trades based on predefined parameters, supporting traders in their decision-making process. Key Features: • Optimized for XAU/USD Designed with the volatility of gold in mind, making it suitable for trading the gold/US dollar pair. • Combined Market Analysis Uses a mix of technical indicators, price action patterns, and volume
The Arrow Scalper
Fawwaz Abdulmantaser Salim Albaker
1 (2)
Dear Friend..  I share with you this simple Expert Adviser .. it is full automatic  this Expert Adviser following the trend of the pair you install on or any stocks or indices , it is works like that: - when the trend on H4 chart show a start of up trend the expert will wait till the 15M & 1H charts show an up trend the EA will open a buy order directly , and do the same for down trend and open a sell order the buy or sell  order lot size and take profit and stop loss will measured manually  by
FREE
SFire Gold EA
Jacques Scholtz Fourie
This EA is a grid-based trading system. It incorporates several advanced features to manage trades dynamically and adapt to market conditions. Here's a summary of its functionality: I am happy to provide my settings file. Recomendation would be to run on a 20 000 cent account. Key Features: 1. Grid Trading Strategy:    - The EA uses a grid-based approach to open buy and sell trades at predefined price intervals.    - It dynamically adjusts the grid levels based on market conditions and risk se
MT4 Time-Based Auto Close System EA ​ is an intelligent time-algorithm-based automated order management trading tool. Utilizing a high-tech decision-making engine, it automatically executes precise closing operations when preset holding periods expire, designed to help traders maintain strict trading discipline and avoid emotional interference   . Core Closing Modes The five core closing modes you mentioned form the cornerstone of this EA's strategic logic, allowing flexible configuration base
Basket Recovery System : is useful for trading multiple pair on a single account, single chart. Functions Of this Ea with a simple click on a button in any Symbol row, this Utilities will, Open new Order, Set Lot, Close Order, Reverse Order, Add new Symbol, Delete Symbol, with a simple click on a Navigation Button, this Utilities will, Select all Symbol Available on Broker, ReSet Symbol Lots, Close all Order, Set Low Risk for all Symbol, Remove all Pair with spread above 2two.
FREE
Set TP & SL by Price – Auto Order Modifier for MT4 Imposta automaticamente livelli precisi di TP e SL su qualsiasi ordine ️ Compatibile con tutti i simboli e gli EA, filtrabile per simbolo o magic number Questo Expert Advisor consente di impostare Take Profit (TP) e Stop Loss (SL) utilizzando valori di prezzo esatti (es: 1.12345 su EURUSD). Nessun pip o punto — solo controllo preciso e mirato su tutti gli ordini, anche con filtri per simbolo o numero magico. Funzionalità principali:
TSO Loss Management
Dionisis Nikolopoulos
TSO Loss Management is an Expert Advisor that incorporates advanced mechanics to eliminate losses from losing trades. Adapts to diverse market conditions and micromanages each position to cover losses as fast as possible and with minimum risk. It uses all the tools of the TSO Signal Builder EA - almost infinite entry/exit strategies. Add negative management to any strategy (manual or automated) to eliminate losing trades. No pending orders placed. Any account size - $1,000+ is recommended. Allow
Semi Auto Recovery Zone
Sirinya Pakkaman
5 (1)
Details of each condition Type 1. Set no use Hedging Martingale, to open the order by yourself only through the push button. TP and SL follow setting. Set Setting_Hedging =false;     Use_Signal =false;  Type 2. Semi Auto Recovery Zone You have to open the order by yourself only through the push button. If in the wrong direction and Set true on Hedging Martingale, EA will fix the order with the zone system by use Hedging Martingale Set Setting_Hedging =true;     Use_Signal =false;  Type 3. Use
NewsCatcher Pro
Evgeniy Scherbina
4.71 (14)
NewsCatcher Pro opens both pending and market orders based on data from the mql5.com calendar. In live mode, NewsCatcher Pro automatically downloads the calendar, opens orders, trails and closes orders. NewsCatcher Pro can trade any event from the calendar with any symbol available in MetaTrader, including Gold, Oil and cross-rates. To change the default symbol, go to the event view you want to change it for. NewsCatcher Pro uses two strategies: Strategy 1 (pending orders): the advisor opens two
Razor MT 4
Anton Kondratev
5 (1)
Razor EA    è un sistema completamente automatizzato e       Aprire       Sistema con       Protezione dai prelievi       E       Fisso       SL. Only 7 Copies of 10 Left  for 745$  Next Price 1990 $   Segnali Guida Rimborso della Commissione Aggiornamenti Il mio blog Not Simple    Grid,     Not     Martingale, Not AI , Not Neural Network. Default Settings for One chart    AUDCAD     M15 (Supports 1OHLC mode for weak PCs)  Questa è una strategia multivaluta per tre coppie di valute AUDCAD, AUDN
C eight five
Steve Zoeger
This is an fully automated Forex EA  Can be used with TP and SL settings with trailing stop as Martingale The robot works on all Currency Pairs and all Time Frames. The higher the Frame so higher the possibility of the trade accuracy. Be aware that using a different Broker can result in different results . I wish everyone who purchases the EA maximum sucess and good trading results Please trade carefully and responsibly. Thank you and Happy trading everyone
Aurum Syna
Dmitriq Evgenoeviz Ko
AURUM SYNA is a professional algorithmic trading system designed specifically for gold (XAUUSD). The robot's architecture is focused on the H1 timeframe, where gold exhibits the most structured and reproducible price patterns. The system is based on multilayer neural network logic with adaptive memory, which analyzes the market not by individual signals, but as a single dynamic space. The algorithm evaluates momentum strength, market phase, internal volatility, and the likelihood of continued mo
The Expert Advisor works on sharp price movements; it can apply open position locking and pyramiding. Virtual stops are used (take profit, trailing stop), to limit losses, order locking and stop loss are used in% of balance. At the same time, several dozens of orders can be opened and the advisor will need free funds to exit the locks and close all positions for total profit, this should be taken into account when choosing the number of instruments for trading. The work of the adviser does not
grid under control is an EA that opens an orders buy or sell or both, if the market moves an adverse move the EA will open new trade if the first trade is to buy the EA will open buy or if the first trade is to sell the EA will open sell after trade step as you insert in parameters take a look for the pictures and controller the EA is very simple and easy to use try it for free.
Multicurrency Scalper
Corentin Petitgirard
5 (3)
Hello everyone, Today I want to share with you a sclaping strategy who can works on many currency pair timeframe M1 . Multicurrency Scalper is not a spread sensitive scalper . Multicurrency Scalper is an expert with a backtest around 67% of winrate . Multicurrency Scalper is very easy to use . Multicurrency Scalper do not use any dangerous strategy . Multicurrency Scalper can work on XAUUSD, EURUSD, GBPUSD, USDJPY, AUDCAD, EURCHF and many others. This expert is free because results are variab
FREE
Der rebound EA handelt vollautomatisch  Du bekommst hier einen tollen EA mit extra Zubehör, Kostenlos ! Er verwendet keine gefährlichen Strategien wie Martingale oder Gritter usw. Bei diesem EA kannst du vieles nach deinen Wünschen, oder nach meinem Set einstellen. Zusätzlich hat er einen News Filter, er pausiert die trades während der eingestellten Zeit. Zusätzlich erhöht er auf Wunsch die lots Grösse automatisch. Der Backtest und die trades wurden mit Fusion Markets gemacht Hebel 1:500 Zer
FREE
This EA is a breakthrough EA. When the monitoring market changes rapidly, fluctuates rapidly in one direction, and exceeds the set threshold, the EA will quickly place an order and quickly adopt a mobile stop loss strategy to complete capital preservation and profitability. Advantages of this EA: 1. The transaction is very fast to the closing of the position, and it is never procrastinated. 2. After the transaction, the accuracy rate is very high. 3. Place an order with compound interest, and th
Spd EA
David Binka Kumatse
THE PRODUCT This Spd Expert is an EA to be used on multiple chosen pairs simultaneously. Every order has a TP and an SL, so there is nothing to fear. You just have to be patient as EA trades to grow your account. After purchasing the EA, you can also message me for my optimized settings.    Recommended TimeFrame is 1H TRADE PLAN Consider a recommended minimum starting capital of $100 and an initial lotsize of 0.01 yielding a minimum profit of $20 over 12 months of trading on a single pair. Then
Semi Martingale EA EA features: - EA helps to open recovery trades after the first trade placed by the trader. - This EA works well with other EA. - Trader is allow to open first trade based on his analysis, which increase the chances of closing the trades with Take Profit. - EA has fake take profit setting to confuse broker. - EA has trailing stoploss function, allow trader to maximize profit. - EA open recovery trade only at the opening of new candle if criteria are met. - Take Profit can be
Winter
Ivan Akimov
Принцип работы советника основан на открытии сделок при получении сигнала от своих индикаторов. Закрытие происходит при поступлении противоположного сигнала. Настройки упрощены до минимума, можно выставить только рабочий лот. Советник настроен на работу на паре EUR/USD, таймфреймы  M5, M15, M30, H1 Советник не  использует в торговле, мартингейл и усреднение. Мониторинг советника   https://www.mql5.com/ru/signals/795297
Breaking News
David Zouein
3.67 (3)
Breaking News Expert Advisor is a state-of-the-art news trading system. The EA analyzes the market during the most critical news announcement periods and determines the entry levels based on the finding of price fluctuations during that periods. The direction of the trade is determined by the EA's clever adaptive system. The unique clever way the EA auto-manages your trades cuts drawdowns to the minimum enabling you to start with a low balance like $50. The EA has a minimum set of inputs for sim
Project IG MT4
Ruslan Pishun
1.78 (9)
The EA is not a scalper. The EA uses a strategy based on the breakdown of local support and resistance levels, also uses the reverse and rebound from support and resistance levels.  The EA is based on the original author's strategy. Real monitoring:   https://www.mql5.com/en/signals/author/profi_mql Detailed description of the strategy here:  https://www.mql5.com/ru/blogs/post/728430 This is a link for general discussion of the EA:  https://www.mql5.com/ru/blogs/post/728430 Hidden Take profit,
EA Excess
Svyatoslav Kucher
EA Excess  - автоматический советник использующий в качестве сигнала для входа сравнение волатильности нескольких периодов, и при определенном превышении ее значения открывает сделки, если дополнительные фильтры активированы и также находятся на нужных значениях. Советник имеет возможность настройки торговли в определенное время, и дополнительную возможность увеличения лотности ордера, или серии ордеров после убытков. ВАЖНО:  обратите внимание на параметры GMT! Для того, чтобы получить корректны
SIDEWAYS TRADER PRO EA   - è un sistema avanzato di trading a griglia a doppia coppia! Il robot si adatta automaticamente alle condizioni di mercato.   M5  timeframe! Scarica i file EA Set_files per test e trading: NZDCAD Set_file AUDNZD Set_file Caratteristiche distintive dell'EA: - I punti di ingresso e di uscita vengono regolati automaticamente dall'EA in base alla volatilità del mercato. - L'Expert Advisor può gestire ordini di acquisto e vendita su ciascuna coppia contemporaneamente. - L
Ksm: Smart Solution for Automated Forex Trading Ksm is a tool designed for automating Forex trading, using modern methods of time-series data analysis to work with multiple currency pairs across different timeframes. Key Features and Benefits Multi-currency support : Ksm enables trading across multiple currency pairs, helping traders adapt their strategies to various market conditions. New currency pairs can be easily added. Time-series data analysis : Utilizing advanced algorithms, Ksm analyzes
Bonebreaker Core System is a fixed-lot, long-only position management EA for XAU symbols , using a Core + Satellites structure with individual take-profits . Overview Bonebreaker Core System is an MT4 Expert Advisor designed for XAU instruments and long-only operation. It uses a two-layer position structure: Core : a single base position intended to remain open during price swings Satellites : additional fixed-lot positions that place individual take-profits to realize partial gains while the co
ImpulsVolume
IGOR KIRIANEN
This EA trades both with a stop loss, so it can trade without it, with an increase in the lot (martingale) and without an increase in the lot (without a martingale). The advisor trades in the continuation of the impulse. It has a number of filtering indicators. This Expert Advisor is not afraid of large spreads (there is protection), it also has protection from the maximum lot and has trading from the percentage of the deposit. There are two types of Martingale (by adding from the original lot,
ATTENTION : The Tiger Security EA can not be tested in the MT4 strategy tester !!!  TigerSecurity EA  robot is a fully automated robot for  Forex trade.  TigerSecurity EA  is a combination numerous special trend strategy ,that It provides the possibility the best entries of the trade . TigerSecurity EA robot is designed  for medium and long term trading ,the robot will help you deal with and manage emotions ,and you don't need worry about news release any more !!  The trend is the key ,the Tige
Uses of EA - Trailingstop: Move stoploss continuously. - Breakeven: Move the stoploss once. Custom parameters: All OrderOpenTime:     + true: acts on all order     + false: only affect the order opened since EA run All OrderType:     + true: acts on all order.     + false: only the order is running (Buy, Sell) TraillingStop: true (Use), false (do not use)     TrailingStop Save (Point)     TraililngStop Distance (Point) BreakEven: true (Use), false (do not use)     BreakEven Save (Point)     Brea
FREE
Gli utenti di questo prodotto hanno anche acquistato
Big Forex Players MT4
MQL TOOLS SL
4.72 (43)
We proudly present our cutting-edge robot, the  Big Forex Players EA  designed to maximize your trading potential, minimize emotional trading, and make smarter decisions powered by cutting-edge technology. The whole system in this EA took us many months to build, and then we spent a lot of time testing it. This unique EA includes three distinct strategies that can be used independently or in together. The robot receives the positions of the  biggest Banks  (positions are sent from our database t
AI Forex Robot MT4
MQL TOOLS SL
4.29 (17)
AI   Forex Robot - The Future of Automated Trading. AI Forex Robot is powered by a next-generation   Artificial Intelligence   system based on a hybrid LSTM Transformer neural network, specifically designed for analyzing XAUUSD, EURUSD   and BTCUSD price movements on the Forex market. The system analyzes complex market structures, adapts its strategy in   real time   and makes data-driven decisions with a high level of precision. AI Forex Robot is a modern, fully automated system powered by   ar
XG Gold Robot MT4
MQL TOOLS SL
4.32 (38)
The XG Gold Robot MT4 is specially designed for Gold. We decided to include this EA in our offering after   extensive testing . XG Gold Robot and works perfectly with the   XAUUSD, GOLD, XAUEUR   pairs. XG Gold Robot has been created for all traders who like to   Trade in Gold   and includes additional a function that displays   weekly Gold levels   with the minimum and maximum displayed in the panel as well as on the chart, which will help you in manual trading. It’s a strategy based on  Price
Aura Black Edition
Stanislav Tomilov
4.6 (20)
Aura Black Edition è un EA completamente automatizzato progettato per negoziare solo ORO. L'esperto ha mostrato risultati stabili su XAUUSD nel periodo 2011-2020. Non sono stati utilizzati metodi pericolosi di gestione del denaro, nessuna martingala, nessuna griglia o scalping. Adatto a qualsiasi condizione di brokeraggio. EA addestrato con un perceptron multistrato La rete neurale (MLP) è una classe di rete neurale artificiale (ANN) feedforward. Il termine MLP è usato in modo ambiguo, a volte l
Exorcist Projects
Ivan Simonika
3 (1)
Exorcist Bot   is a multi-currency, multi-functional advisor that works on any time frame and in any market conditions. - The robot’s operation is based on an averaging system with a non-geometric progression of constructing a trading grid. - Built-in protection systems: special filters, spread control, internal trading time limitation. - Construction of a trading network taking into account important internal levels. - Ability to customize the aggressiveness of trading. - Working with pending
Algo Capital Trader
Jimitkumar Narhari Patel
Algo Capital Advanced Market Intelligence Trader: Empowering Traders with Integrity and Insight Algo Capital proudly introduces its inaugural state-of-the-art Advanced Market Intelligence Trader - engineered to transform your trading experience through precision, adaptability, and advanced market intelligence. Powered by proprietary algorithms and deep market research, this solution is designed to deliver consistent, high-quality performance across diverse market conditions. Why Algo Capital?
Pharaoh Gold
Dmitriq Evgenoeviz Ko
Pharaoh Gold  is carefully designed for effective trading of gold and any currency assets with an emphasis on reducing risks and increasing potential profits. Trading is carried out by pending orders in the direction of the trend. the full list for your convenience is available https://www.mql5.com/ru/users/pants-dmi/seller The advisor is able to adapt to the constantly changing market dynamics, identifying statistically significant price patterns with a high degree of forecasting accuracy. Th
AI Prop Firms MT4
MQL TOOLS SL
5 (3)
AI Prop Firms - Intelligent Automation Built for   Prop Trading Firms . AI Prop Firms is an advanced fully automated Forex trading system powered by   Artificial Intelligence , developed specifically to operate within the strict rules and evaluation models of prop trading firms. The system is designed to trade under controlled risk conditions while   maintaining consistency , stability, and compliance with prop firm requirements. AI Prop Firms uses intelligent market analysis logic that continu
Fundamental Hunter – The Smart Money Tracking Expert Advisor You buy a unique opportunity not an EA. Early buyers get the power first... at a price they'll never get back. Next price will be:   $1200   |   2/10   spot remains Next price will be: $1600 | 10/10 spot remains Next price will be: $2000   | 10/10 Final price: $2400 Live result If you are looking for an Expert Advisor that goes beyond indicators and actually understands the market through real economic data , Fundamental Hunter is
Forex Dream X – Trend-Based Expert Advisor with Smart Risk Management Broker (Recommended):   https://one.exnesstrack.org/a/lmeqq9b7 Forex Dream X is a fully automated Expert Advisor designed to trade in the direction of the market trend using a combination of price action, volatility filtering, and moving average logic. The EA focuses on disciplined entries, strict risk control, and automatic lot sizing based on account balance and user-defined risk percentage. The system is optimized to
Introducing   Trade Vantage : Professional Market Analyst Trade Vantage   is a highly effective analytical tool that uses a specialized algorithm for trading on the Forex and cryptocurrency markets. Its operating principle is based on price analysis for a certain time interval, identifying the strength and amplitude of price movements using a unique indication system. When a trend loses its strength and changes direction, the expert closes the previous position and opens a new one. The bot also
IL       Opening Range Breakout Master   è un sistema di trading algoritmico professionale progettato per capitalizzare sui concetti di trading istituzionale come       ICT (Inner Circle Trader), Smart Money Concepts (SMC) e strategie basate sulla liquidità   . Questo consulente esperto automatizza il rilevamento e l'esecuzione di       breakout di apertura dell'intervallo (ORB)       durante le principali sessioni globali del Forex, tra cui       Londra, New York, Tokyo e Midnight Killzones   ,
Trillion Pips GridX EA
Sivaramakrishnan Natarajan
Trillion Pips GridX EA - Grid and Hedging Expert Advisor Trillion Pips GridX EA is a fully automated Expert Advisor for MetaTrader 4 that uses grid trade management, progressive lot scaling, and optional hedging logic to manage trades under various market conditions. This EA is intended for experienced traders who fully understand the risks associated with grid and martingale style trading systems. Strategy Overview Grid Trading Logic The EA opens sequential trades at defined price intervals to
Big Hunter
Mehdi Sabbagh
5 (1)
The Multi Strategy Trading Robot This automated trading robot always uses stop loss. Big Hunter is specially designed to trade gold , but you can test it on other pairs since you have the access to the parameters. The robot uses different strategies like swing trading ,  momentum trading , position trading and more. It's backtested for the last 10 years under the harshest, simulated market conditions. Each trade has  unique SL, TP, Trailing stop, and breakeven. These parameters are variable a
### Forex Hedging Expert Advisor: No Loss Strategy #### Overview The Forex Hedging Expert Advisor (EA) with a No Loss Strategy is an advanced automated trading system designed to mitigate risk and protect against adverse market movements. The core principle behind this EA is to implement a sophisticated hedging strategy that aims to lock in profits and minimize losses in volatile forex markets. This EA is ideal for traders who seek a robust, risk-averse trading solution that maintains capital
Btcusd Grid
Ahmad Aan Isnain Shofwan
1 (1)
BTCUSD GRID EA è un programma automatizzato progettato per utilizzare la strategia di grid trading BTCUSD GRID EA è molto utile sia per i principianti che per i trader esperti.   Sebbene esistano altri tipi di bot di trading che puoi utilizzare, la natura logica della strategia di grid trading rende facile per i bot di trading di criptovalute eseguire scambi automatizzati senza problemi.   BTCUSD GRID EA è la migliore piattaforma in assoluto da utilizzare se stai cercando di provare un bot di t
Gold Lady
Dmitriq Evgenoeviz Ko
1 (1)
The Gold Lady Expert Advisor for gold trading in the MetaTrader 4 (MT4) platform is an automated trading system specifically designed for gold (XAU/USD) trading. Such advisors typically use algorithms to execute trades based on technical analysis and other market data. the full list for your convenience is available https://www.mql5.com/ru/users/pants-dmi/seller The advisor employs neural networks to analyze market data in real time, skillfully adapting to changing conditions and issuing highl
Historical Pattern MT5: Gli 8 Pilastri del Vantaggio Statistico   SMETTI DI INDOVINARE. FAI TRADING CON I DATI. Matematica Pura. Zero Indicatori. Vantaggio Istituzionale. Siamo onesti. La maggior parte dei trader fallisce perché combatte la battaglia sbagliata. Fissano grafici a 5 minuti, disegnano linee casuali e si affidano alla speranza. Nel frattempo, le Istituzioni — Banche, Hedge Fund e Algoritmi — operano basandosi su   Fatti Strutturali . Se fai trading basandoti su una "sensazione", sei
GridSync Pro
Thushara Dissanayake
GridSync Pro       è un       sofisticato EA di trading su griglia       progettato per       MetaTrader 4       che combina       esecuzione completamente automatizzata       con       flessibilità di trading manuale   . Questo       EA della rete intelligente       implementa un       strategia di griglia avanzata non-martingala       con       controlli precisi di gestione del rischio   , inclusi       obiettivi di profitto giornalieri, limiti di perdita e trailing stop       per proteggere i
Three Little Birds
Ahmad Aan Isnain Shofwan
️ THREE LITTLE BIRDS EA Forgiato dalla perdita. Perfezionato dal dolore. Rilasciato con uno scopo. ️ STRUTTURA. NON SPECULAZIONE. Three Little Birds EA non è solo un altro robot di trading. È un motore forgiato in battaglia, creato attraverso anni di veri fallimenti e progettato per una missione:   proteggere, recuperare e far crescere il tuo capitale, quando il mercato diventa crudele. Combina   tre potenti strategie   in perfetta sincronia: Grid on Loss con Martingala   : asso
Gold Bullion
Armin Heshmat
Gold Bullion EA   is   VIP ,   It    was developed by   ENZOFXEA   team in Germany with experienced traders with   more than 15 years   of trading experience.The indicators used in expert have nothing to do with the standard indicators in the market and are completely derived from strategy. All Trade Have StopLoss Always Behind Order An expert based on    (GOLD , XAUUSD   ) This Expert  is Day Trader and  Breakout strategy NOTE Default EA setting is correct    Time Frame :  Daily  D1 first depo
Benefit EA
Vsevolod Merzlov
Benefit EA is a non-indicative flexible grid adviser with special entry points that provide a statistical advantage, revealed through the mathematical modeling of market patterns. The EA does not use stop loss. All trades are closed by take profit or trailing stop. It is possible to plan the lot increments. The "Time Filter" function is set according to the internal time of the terminal as per the displayed time of the instrument's server, not the operating system (can match). This function allo
Meat EA
Roman Kanushkin
5 (1)
The Meat EA is a fully automatic, 24-hour trading system. It trades based on analysis of market movement on the basis of a built-in indicator and the Moving Average trend indicator. The system is optimized for working with the EURUSD currency pair on the M30 timeframe. It is recommended to use an ECN/STP broker with low spread, low commission and fast execution. Signal monitoring Working currency pair/timeframe: EURUSD M30. Advantages never trades against the market; the higher the risk, the hi
PointerX
Vasja Vrunc
PointerX is based on its own oscillator and built-in indicators (Pulser, MAi, Matsi, TCD, Ti, Pi) and operates independently. With PointerX you can create your own strategies . Theoretically all indicator based strategies are possible, but not martingale, arbitrage, grid, neural networks or news. PointerX includes 2 Indicator Sets All Indicator controls Adjustable Oscillator Take Profit controls Stop Loss controls Trades controls Margin controls Timer controls and some other useful operations. T
Milch Cow Hedge
Mohamed Nasseem
MILCH COW HEDGE V1.12 EA is primarily a Hedging Strategy. Expert support is to seize every opportunity in any direction. Not just opens the deals, but chooses the right time to close the open positions to begin trading again. We recommend the use of an expert with a pair of high volatility for the currency, such as GBPAUD, AUDCAD Testing expert during the period from 01.01.2016 until 09.12.2016 profit doubled four times to account Experts interface allows the user to directly trading open order
Forebot
Marek Kvarda
This robot uses a custom hidden oscillating indicator and also analyzes the market response. It traded mostly at the time of higher volatility. It works with several pending orders with different size of volume and their position actively modifies. It uses advanced money management. TradingMode setting can also meet the conditions FIFO. It is successful in different markets and different timeframes. Best results are achieves with a broker with the spread to 5 points on EURUSD. Is necessary a br
Avato
Nikolaos Bekos
The Avato is one of our standalone tools. (A Signal based on it will also be provided on Mt4 Market in the future). It is designed around a combined form of hedging and martingale techniques and uses sophisticated algorithms and filters to place the trades. It uses Stop loss and Take profit levels while Lot size is calculated automatically following the according multiplier settings. We consider it a toolbox for every seasoned trader. Made with Gold market in mind, it can be tested in other inst
AreaFiftyOne
Valeri Balachnin
Area 51 EA generates signals on different strategies. Has different money management strategies and dynamic lot size function. When a position is opened, it is equipped with a take profit and a stop loss. If the position becomes profitable, a dynamic stop loss based on the specified values (TrailingStep and DistanceStep) will be set for it and constantly trailed. This allows you to always close positions in profit.  If you want, that your manual opened positions will be handled by the EA, so you
Note : the spread value,  the broker's slippage and the VPS speed affect the Expert Advisor trading results. Recommendations: gold with spread up to 3, USDJPY with spread up to 1.7, EURUSD with spread up to 1.5. Results will be better with better conditions. The Ping value between VPS and the broker server should be below 10 ms. In addition, the smaller the broker's stop-level requirement, the better; 0 is the best. The Expert Advisor is based on a breakthrough system and carefully controls all
Milch Cow Extra
Mohamed Nasseem
EA is primarily a Hedging and Multiples Strategy. It support to seize every opportunity in any direction as MILCH COW MIX but with multiple profit results without increasing the risk. Milch Cow Mix EA starts to open Hedge at first level only But EA opens Hedge at every level Not just opens the deals, but chooses the right time to close the open positions to begin trading again. We recommend the use of an expert with a pair of high volatility for the currency, such as GBPAUD, AUDCAD Experts inter
Altri dall’autore
Short Trend Reversal
Tomasz Adrian Bialous
This EA is a part of my other EA Nash Equilibrium . If you activate this EA on a chart created from Nash Equilibrium, orders can be managed by Nash Equilibrium with Manage mode (External or Main&External). EAs are compatible. With this EA you can build a good profitable system. The EA was created to test signals for the Nash Equilibrium EA, but when I saw the backtest results, I thought I would add a few lines and put it on the market. It works on any classic currency pair /you just need to find
Filtro:
Nessuna recensione
Rispondi alla recensione