• Overview
  • Reviews (1)
  • Comments (10)
  • What's new

Blackjack Candle Count

5

BlackJack Counting EA


Ive included the main parameters you need to tweak the EA, the logic that was trained on AI (the bias) is hard coded.


To speed up the EA, printing of the running count is omitted. the logic is in place and working in the background.


Download the demo and test on GOLD H2 !


Any Questions please contact me. 








Background

I've always been captivated by the intricate dance between strategy, probability, and psychology inherent in games like chess, poker, and blackjack. At their core, these games aren't just about luck—they're strategic contests where understanding patterns, predicting outcomes, and outsmarting opponents provide immense satisfaction.

Chess, for example, exemplifies pure strategy. Each move opens or closes pathways, demands foresight, and requires players to anticipate their opponent’s intentions many steps ahead. Poker introduces psychological complexity, where success depends not just on cards dealt but also on reading opponents, bluffing convincingly, and managing risk.

However, my greatest fascination lies in blackjack, specifically the brilliant simplicity of the blackjack counting system. Unlike poker and chess, blackjack combines chance with strategic depth in a uniquely quantifiable manner.

The blackjack counting system, at its simplest, assigns numeric values to cards: low cards (2-6) are valued at +1, neutral cards (7-9) at 0, and high cards (10-Ace) at -1. Players track these values to maintain a running count throughout the game.

Why does this work? Fundamentally, blackjack becomes more favorable to the player when the deck is rich in high-value cards. A high count indicates that the deck has proportionally more tens and aces, increasing the odds of hitting a blackjack, improving the effectiveness of doubling down, and boosting the chances that the dealer will bust. By carefully keeping track of the running count, players gain a mathematical advantage, enabling informed decisions about when to bet big or play cautiously.

Casinos, however, are well aware of this advantage. They often counter card counters by taking defensive measures, such as banning suspected card counters from playing altogether or frequently reshuffling the decks, neutralizing any advantage gained from counting. Despite these precautions, the elegance of the counting system remains compelling, transforming blackjack from a game of chance into a calculated, intellectual challenge.


The blackjack counting system, at its simplest, assigns numeric values to cards: low cards (2-6) are valued at +1, neutral cards (7-9) at 0, and high cards (10-Ace) at -1. Players track these values to maintain a running count throughout the game.
Why does this work? Fundamentally, blackjack becomes more favorable to the player when the deck is rich in high-value cards. A high count indicates that the deck has proportionally more tens and aces, increasing the odds of hitting a blackjack, improving the effectiveness of doubling down, and boosting the chances that the dealer will bust. By carefully keeping track of the running count, players gain a mathematical advantage, enabling informed decisions about when to bet big or play cautiously.
Casinos, however, are well aware of this advantage. They often counter card counters by taking defensive measures, such as banning suspected card counters from playing altogether or frequently reshuffling the decks, neutralizing any advantage gained from counting. Despite these precautions, the elegance of the counting system remains compelling, transforming blackjack from a game of chance into a calculated, intellectual challenge.
This concept led me to a fascinating realization: could a similar counting logic be applied to financial trading? Imagine assigning positive and negative counts to various candle formations, moving average crosses, ATR values, and other indicators commonly used by traders. Just as a high positive count signals an advantageous moment in blackjack, a positive running count in trading could signal a buying opportunity, while a negative count could indicate a selling opportunity.
In fact, applying this blackjack-inspired counting method to trading provides two distinct edges: first, unlike casinos that reshuffle decks to eliminate counting advantages, financial markets never reshuffle historical candles or price action. Second, while a negative blackjack count typically forces you to stop betting or lose money, in trading, you can actively benefit from both positive and negative counts by adjusting your market position accordingly. This transforms trading into a dynamic game of continuous strategic advantage, directly inspired by the intellectual rigor of blackjack counting.


The Importance of a Running Count for Market Entry and Exit: Leveraging Blackjack Logic

Maintaining a running count is a crucial component in trading, particularly when determining optimal entry and exit points. Inspired by the blackjack counting strategy, the running count approach translates market signals into quantifiable numeric values, thereby offering clear, actionable insights.

Each market indicator—whether it be candle formations, moving average crosses, gaps, or volatility readings from Average True Range (ATR)—is assigned a numeric value. Positive signals increase the count, suggesting bullish conditions, while negative signals decrease it, signaling bearish conditions. This continuous count acts as a barometer for market sentiment, guiding traders on when to enter or exit positions effectively.

Why is this method so effective? Just like counting cards in blackjack provides a clear advantage in betting decisions, maintaining a running market count provides real-time clarity on market strength or weakness. A rising positive count indicates increasing bullish momentum, making it advantageous to enter or maintain long positions. Conversely, a declining or negative count suggests bearish momentum, signaling traders to exit long positions or initiate shorts.

Moreover, leveraging machine learning to enhance this counting system refines its effectiveness. Neural networks analyze historical data, continuously optimizing count assignments and biases, thus significantly improving the accuracy of trading signals. By integrating this advanced analytical power, traders ensure that the running count remains responsive and precise.




Running Count Blackjack Free EA

EA  Basic Setup -Inputs



Strategy Control Inputs

These inputs determine how the EA behaves with respect to opening extra trades and the sensitivity of signals.

  • input bool enableAdditionalTrades = true;
    Purpose: Enables (or disables) the ability to open extra trades if the trading bias (running total) increases significantly.
    When enabled: The EA can add to an existing position if the signal grows stronger.

  • input double additionalTradeGap = 300.0;
    Purpose: Defines the minimum price gap (in pips, converted to points internally) that must be met between consecutive additional trades.
    Usage: Helps avoid rapid re-entry or “whipsaw” when the price hasn’t moved enough from the previous additional entry.

  • input double additionalTradeThreshold = 3;
    Purpose: Sets the minimum increase in the running total (i.e., the cumulative bias from recent bars) required to trigger an additional trade.
    Usage: Ensures that an extra trade is only taken when the signal’s strength increases by at least this amount compared to the previous trade signal.


    Running Total Configuration

    These parameters control how the EA calculates the bias (or signal strength) by summing the contributions from multiple bars.

    • input int runningTotalBars = 13;
      Purpose: Defines the number of previous bars used to compute the running total of bias values.
      Usage: A larger number smooths out random fluctuations; a smaller number makes the EA more sensitive to recent moves.

    • input double minCountThreshold = 7;
      Purpose: Sets the minimum sum of bias (from the recent bars) required to trigger a new trade.
      Usage: Helps filter out weak or indecisive market conditions.

    • input double maxCountThreshold = 0;
      Purpose: Establishes an upper limit for the bias—if the running total exceeds this threshold, the EA would skip the trade.
      Usage: When set to 0, it’s effectively turned off; if a nonzero value is provided, it prevents trading in overly strong conditions where the bias might be excessively high.

    Trade and Risk Management Inputs

    These settings determine your trade size and risk thresholds.

    • input double fixedLotSize = 0.1;
      Purpose: Defines the fixed number of lots to trade for each order.
      Usage: This is the base volume that will be normalized later to comply with the broker’s volume settings.

    • input int stopLossPoints = 850;
      Purpose: Specifies the stop loss distance in points (a “point” being the minimal price movement defined by the broker’s symbol settings).
      Usage: Determines how far from the entry price the stop loss is placed to limit potential losses.

    • input bool useTrailingStop = true;
      Purpose: Enables (or disables) a trailing stop mechanism.
      Usage: When enabled, the EA will adjust the stop loss during the life of the trade, potentially locking in profits as the market moves favorably.

    • input double takeProfitPercent = 6;
      Purpose: Sets the take profit threshold as a percentage gain relative to the account balance.
      Usage: When equity reaches this percentage above the balance, the EA will close all trades to secure profits.

    • input double maxDrawdownPercent = 1;
      Purpose: Defines the maximum allowable drawdown (as a percentage below the account balance) before all trades are closed.
      Usage: Acts as a safety mechanism to limit losses in adverse market conditions.

    • input int MagicNumber = 123452;
      Purpose: Provides a unique identifier for all trades executed by this EA.
      Usage: Distinguishes these orders from those placed manually or by other EAs running on the same account.

    Single Candle Patterns – Bias and Detection Thresholds

    These inputs set bias values for signals generated by certain single-candle patterns and determine detection criteria.

    • input double biasPinBar = 0.5;
      Purpose: Assigns a bias score for detecting a Pin Bar pattern (a reversal candle with a long tail).
      Usage: A Pin Bar contributes positively or negatively to the trading signal depending on its context.

    • input double biasInvertedHammerBull = 3;
      Purpose: Sets the bias for an Inverted Hammer pattern in a bullish scenario, where a long upper wick may signal a reversal.

    • input double biasWideRangeBull = -3.5;
      Purpose: Assigns a bias to wide-range bullish candles (a large candle body compared to the overall range), which can indicate strong momentum.

    • input double biasMarubozuBull = -1;
      Purpose: Determines the bias for a Marubozu candle—a candle with little or no wicks that indicates strong directional conviction.

    • input double minPinBodyRatio = 0.11;
      Purpose: The minimum ratio of the candle body to the full range required for a candle to qualify as a Pin Bar or hammer pattern.

    • input double dojiBodyThresholdRatio = 0.1;
      Purpose: Establishes the maximum body-to-range ratio for a candle to be considered a Doji.
      Usage: Ensures that only candles with very little body (indicative of market indecision) are flagged.

    Two Candle Patterns – Bias Settings

    These inputs are used for patterns involving two consecutive candles.

    • input double biasBullEngulfing = -1.5;
      Purpose: Sets the bias for a bullish engulfing pattern where a bullish candle completely engulfs a previous bearish candle.

    • input double biasInsideBarBull = 1;
      Purpose: Provides a positive bias for an inside bar pattern, where the current candle’s range is entirely within the previous candle’s range.

    • input double biasHaramiBull = 0;
      Purpose: Defines the bias for a bullish Harami pattern—a small bullish candle contained within a larger bearish candle.
      Usage: A zero value means it has a neutral impact on the signal.

    • input double biasPiercing = 3.5;
      Purpose: Assigns a bias for a Piercing pattern. This is a bullish reversal pattern where a bullish candle closes above the midpoint of a prior bearish candle.

    Three Candle Patterns – Bias and Detection Thresholds

    These inputs apply to signals derived from three-candle formations.

    • input double biasMorningStar = 2;
      Purpose: Bias for a Morning Star pattern (a three-candle bullish reversal that often includes a doji), indicating a shift in momentum.

    • input double biasThreeWhiteSoldiers = 4.5;
      Purpose: A strong bullish bias when three consecutive bullish candles (Three White Soldiers) are detected.

    • input double biasThreeInsideUp = 5;
      Purpose: Bias for a “Three Inside Up” pattern, where an inside pattern confirms bullish reversal.

    • input double biasThreeBarBullRev = 3;
      Purpose: Sets a bias for a custom-defined three-bar bullish reversal pattern.

    • input double biasUpsideGapTwoCrows = 3;
      Purpose: Although named with a “crows” reference, it is associated with bearish gap patterns involving two candles.
      Usage: The setting suggests that such a formation contributes a specific bias to the overall signal.

    Gap Patterns – Open-Close Based Bias Settings

    These inputs address gap patterns by comparing open/close prices, offering additional signals.

    • input double biasGap_OC_Up_BullBull = -1;
      Purpose: Bias value for a gap up scenario where bullish conditions continue (both previous and current candles are bullish).

    • input double biasGap_OC_Up_BullBear = -2;
      Purpose: Bias for a gap up pattern that reverses into bearish behavior.

    • input double biasGap_OC_Down_BullBull = 2;
      Purpose: Bias for a gap down that continues bullish momentum, an unusual situation where market structure might imply a retracement.

    • input double biasGap_OC_Down_BullBear = -3;
      Purpose: Bias for a gap down leading to bearish continuation.

    Gap Patterns – High-Low Based Bias Settings

    These settings consider gaps in the high-low range rather than open-close levels.

    • input double biasGap_HL_Up_BullBull = -2.5;
      Purpose: Bias for a bullish confirmation in a gap up scenario based on the high-low range.

    • input double biasGap_HL_Up_BullBear = -5;
      Purpose: A stronger bearish bias in a gap up scenario when conditions reverse.

    • input double biasGap_HL_Down_BullBull = -1.5;
      Purpose: Bias for gap down with bullish continuation.

    • input double biasGap_HL_Down_BullBear = 0.5;
      Purpose: A mild bias for gap down scenarios that turn bearish.

    Pattern Group Enable/Disable Flags

    These boolean switches let you choose which sets of pattern analyses to run. Disabling a group can simplify the decision-making process if you wish to focus on particular patterns.

    • input bool analyzeSingleCandlePatterns = true;
      Enables or disables the detection of single-candle patterns.

    • input bool analyzeTwoCandlePatterns = true;
      Controls whether two-candle pattern detection is active.

    • input bool analyzeThreeCandlePatterns = true;
      Toggles the analysis for three-candle patterns.

    • input bool analyzeGapPatterns = true;
      Determines if gap-based patterns are to be included in the trading signal.


    MA Cross Visualization Settings (Moving Average Filter)

    These inputs configure two moving averages used as a filter to further confirm trade signals.

    Fast Moving Average (MA1)

    • input bool InpUseMAFilter = true;
      Purpose: Enables or disables the moving average filter entirely.
      Usage: When enabled, the EA will only take a trade if the fast MA is in the desired relation to the slow MA.

    • input string FAST and related text strings ( MA1_TEXT , MA1_TEXT_2 ):
      Purpose: Provide labels or visual separators for the fast MA settings when displayed on the chart.

    • input ENUM_TIMEFRAMES MA1_TIMEFRAME = PERIOD_CURRENT;
      Purpose: Sets the timeframe on which the fast MA is calculated (by default, the current chart’s timeframe).

    • input ENUM_MA_METHOD MA1_MODE = MODE_SMA;
      Purpose: Defines the method used for the fast MA calculation (Simple Moving Average in this case).

    • input int MA1_PERIOD = 60;
      Purpose: Specifies the period (number of bars) to calculate the fast MA.

    • input int MA1_SHIFT = 0;
      Purpose: Allows shifting the fast MA forward or backward relative to the price bars.

    • input ENUM_APPLIED_PRICE MA1_APPLIED_PRICE = PRICE_CLOSE;
      Purpose: Chooses the price data (e.g., close, open, high, low) that is fed into the fast MA calculation.

    Slow Moving Average (MA2)

    • input string SLOW, MA2_TEXT, MA2_TEXT_2 :
      Purpose: Similar to the fast MA strings, these are used for labeling and visual organization for the slow MA settings.

    • input ENUM_TIMEFRAMES MA2_TIMEFRAME = PERIOD_CURRENT;
      Purpose: Sets the timeframe for the slow MA calculation.

    • input ENUM_MA_METHOD MA2_MODE = MODE_SMA;
      Purpose: Determines the method for the slow MA (again using a simple moving average).

    • input int MA2_PERIOD = 155;
      Purpose: Sets the number of bars used in calculating the slow MA. Typically, a longer period is chosen than for the fast MA.

    • input int MA2_SHIFT = 0;
      Purpose: Allows for adjusting the alignment of the slow MA.

    • input ENUM_APPLIED_PRICE MA2_APPLIED_PRICE = PRICE_CLOSE;
      Purpose: Selects which price to use (here, the closing price) for calculating the slow MA.

    Summary

    Each setting has been carefully designed to control either the:

    • Trade Execution and Management: (lot size, stop loss, trailing stops, risk limits, extra trade conditions)

    • Signal Generation: (candlestick pattern biases and thresholds, running total calculation)

    • Market Filtering: (moving average filter for trade confirmation)

    By adjusting these inputs, you can fine-tune the strategy’s sensitivity, risk profile, and market condition adaptability.

    This thorough explanation should help you—and any end user—understand the purpose and function of every configuration parameter in the EA.








    Reviews 1
    worldofhunger
    979
    worldofhunger 2025.04.10 20:05 
     

    Great EA, it trades like a professional trader, with SL and higher time frame trading it is a winner in many aspects, the logic behind it is amazing and the author is professional and responsive, thank you for making such a great EA, really like it :)

    Recommended products
    NeonCircle
    Ivan Zhigalov
    NeonCircle This Expert Advisor (EA) is the culmination of my 10+ years of trading experience, offering a straightforward yet effective trading system optimized for the M15 timeframe on the following currency pairs: AUDCAD , AUDNZD , and NZDCAD . While these pairs are pre-optimized, feel free to adjust the settings for any additional instruments you wish to trade. THE SETTINGS FOR THIS EA ARE ATTACHED IN THE FIRST COMMENT!!! Trading Strategy Overview The EA operates without the use of indicators
    Trend WIN B3
    JETINVEST
    5 (4)
    Trend WIN B3 is a professional trading system created for the MT5 platform and optimized to work with MINI FUTURE INDEX (WIN) on B3 in BRAZIL. The system uses Fuzzy Logic in several timeframes (1M, 5M, 15M, 30M, H1, H4, D1) to identify the price trend, applying weights in each timeframe according to the calculations made. After identified the trend, the system positions a STOP order (BUY or SELL) according to the average volatility, and when the position is opened, the EA conducts the trade thro
    Magic EA MT5
    Kyra Nickaline Watson-gordon
    Magic EA is an Expert Advisor based on Scalping, Elliot Waves and with filters such as RSI, Stochastic and 3 other strategies managed and decided with the robot smartly. Large number of inputs and settings are tested and optimized and embedded in the program thus inputs are limited and very simple. Using EA doesn't need any professional information or Forex Trading Knowledge. EA can trade on all symbols and all time frames, using special and unique strategies developed by the author. The EA w
    Seasonal Pattern Trader
    Dominik Patrick Doser
    Disclaimer : Keep in mind that seasonal patterns are not always reliable. Therefore, thoughtful risk management is crucial to minimize losses.  Seasonal patterns in the financial world are like a well-guarded secret that successful investors use to their advantage. These patterns are recurring price movements that occur during specific periods or around special events. Additionally, there are also intraday patterns that repeat. For example, Uncle Ted from Forex Family suggests examining previou
    Black Jack mt5
    Vitalii Zakharuk
    Forex Bot Black Jack   is a reliable trend-following trading algorithm designed to automate trading on the Forex market. Trading on the Forex market is complex and dynamic, requiring significant time, effort, and experience for successful participation. However, with the development of trading bots, traders now have the ability to automate their strategies and take advantage of market trends without spending countless hours on data analysis. Forex Bot Black Jack   is a trading bot that uses adv
    BitcoinRobotMT5
    Murodillo Eshkuvvatov
    Live signal: 2 000 000$ https://www.mql5.com/en/signals/2288221 Why Bitcoin trading 1.   Elite Precision Precision – Redefining Trading Cutting-edge algorithms fine-tuned for pinpoint execution. Smart setups crafted to navigate risks and seize opportunities. 2. Adaptive Market Strategies with Real-Time Price Movement Markets shift—but Bitcoin Robot is built to adapt instantly: Trading in trending, volatile, or ranging conditions. Captures breakouts, reversals, and price surges before they hap
    Santa Scalping MT5
    Morten Kruse
    3.33 (3)
    Santa Scalping is a fully automated Expert Advisor with no use of martingale. Night scalping strategy. The SMA indicator filter are used for entries. This EA can be run from very small accounts. As small as 50 EUR. General Recommendations The minimum deposit is 50 USD,  default settings reccomend for eurusd m5 gmt +2 . Please use max spread 10 if you will not have orders change it to -1. Use a broker with good execution and with a spread of 2-5 points. A very fast VPS is required, preferably wi
    The One Bar Breaout EA System is a breakout strategy that has a lot of potential due to the high profit margins. It is designed in such a way that it tries to follow the strongest trend of the day and maximizes profits through innovative trailing methods. This can bring you a lot of profit in a short time, even with a low win rate. Once set up correctly, it can run profitably for months. This works best for large markets like ES (US500), NQ (NAS100) or commodities like gold, silver, etc. There
    TSO Price Channel MT5
    Dionisis Nikolopoulos
    TSO Price Channel is complete trading strategy focused on creating profit from market volatility. The system takes advantage of the intrinsic tendency of the market to reach its periodic maximum and minimum levels. By allowing the use of multiple instruments, the exposure of the system to any single instrument is reduced. Complete strategy including fully integrated positive and negative management. Works on any instrument. No pending orders placed. Any account size - $1,000+ is recommended. Ba
    USDJPY    H1 Check out the Gold version https://www.mql5.com/en/market/product/136716          Advanced Moving Average Martingale EA for MT5 This powerful Expert Advisor combines a flexible moving average crossover strategy with advanced money and risk management tools. Customize your fast/slow MAs, enable trend filtering, and choose to open or close trades on crossovers. Supports both fixed lot and percentage-based risk modes. Includes a Martingale system with configurable multiplier and sa
    FREE
    EMAGapCtrend
    Eadvisors Software Inc.
    O Robô Trader EMAGap faz operações de curto prazo no timeframe 1min buscando as pequenas variações do mercado no instrumento: Mini-índice(B3), utiliza nova tecnologia de trade, os resultados no intraday são íncríveis.    Versão exclusiva para os instrumentos WIN$ e IND$ (Mini-índice B3).  Estratégia utilizada: média móvel e volatilidade. Lote Inicial: Versão Mini-índice, a partir de 1 lote. Versão Bra50, a partir de 0.05 Mini-Lotes. StopLoss e Take Profit Ajustáveis. Gerenciamento de risco: (
    One Milion
    Krym ʿYd Ahmd Abrahym
    Expert Million Way From $500 to $1 million in 4 years More than one well-studied risk strategy The expert allows from the first $500 Hello Million Dollars Without any fatigue, we are in the era of artificial intelligence Your opportunity is now available for automated trading You can now achieve all your dreams with the strongest market strategy now with the Expert Million Dollars
    EverGrowth Pro MT5
    Canberk Dogan Denizli
    The current price of   $619   is a testament to our commitment to providing you with an affordable entry point to experience the power and potential of EverGrowth!!! However, we must emphasize that the price of EverGrowth will increase significantly in the near future, reflecting its true value and results it delivers.   The next price for EverGrowth is set at $775, $970, $1200, $1500. As such, it is in your best interest to seize this limited introductory offer promptly and secure your copy at
    Goldbot One MT5
    Profalgo Limited
    4.7 (10)
    LAUNCH PROMO: Only a few copies left at current price! Final price: 990$ NEW: Buy Goldbot One and choose 1 EA for free!! (for 2 trade accounts) JOIN PUBLIC GROUP:   Click here Ultimate Combo Deal   ->   click here LIVE SIGNAL Introducing   Goldbot One , a highly sophisticated trading robot engineered for the gold market. With its focus on breakout trading, Goldbot One leverages both support and resistance levels to identify prime trading opportunities. This expert advisor is crafted for trade
    SilverPulse AI
    Babak Alamdar
    3.64 (14)
    Diversify your trading with new instruments, your portfolio will be stronger  Live Signal 1    Live Signal2 This price is temporary for the duration of the promotion and will be raised shortly Final Price: 5000 $ There are only a few copies left at the current price, the next price is -->> 745 $ Welcome to the SilverPulse AI Hey, I'm SilverPulse AI! This is the first smartest robot that trades Silver or XAG with full pairs like XAGUSD, XAGEUR, and XAGAUD! I check the news every single day an
    TopBottomEA MT5
    lizhi fu
    4.38 (16)
    TopBottomEA advantage: the first support for small capital work EA, real trading more than 4 years; this EA based on volatility adaptive mechanism, only one single at a time, each single with a stop-loss, an average of about 4 orders per day, holding a single length of about 12 hours. New on the EA activity price: $598, every three days up $100, price process: 398 --> 498 --> 598...... Up to the target price of $ 4999. If you encounter installation and EA backtesting problems, please contact us
    Robot Titan Rex
    Cesar Juan Flores Navarro
    Asesor Experto (EA) totalmente automático, opera sin ayuda del usuario, se llama Titan T-REX Robot (TTREX_EA),actualizado a la versión 2, diseñado a base de cálculos matemáticos y experiencia del diseñador plasmado en operaciones complejas que tratan de usar todas las herramientas propias posibles. Funciona con todas las criptomonedas y/o divisas del mercado Forex. No caduca, ni pasa de moda ya que se puede configurar el PERIODO desde M1..15, M30, H1.... Utiliza Scalping de forma moderada busca
    Crash300 Automatic
    Ignacio Agustin Mene Franco
    Hello community, this time I come to present Crash300 AutoMatic It is a line of bot/EA dedicated to synthetic indices from the broker Deriv, each of the bots will carry out a different strategy to obtain greater profitability in the market simply by modifying the parameters as shown in the image! And its respective temporality Always do the backtesting in real ticks since it is based on the live market This bot has the strategy of Bolinger bands Rsi Stochastic All already configured with thei
    IKAN MFX In the volatile world of financial markets, finding the best trading opportunities and minimizing risks is always a significant challenge for every investor. That’s why we developed IKAN (Intelligent Knowledge Automated Navigator) , an advanced automated trading system. IKAN is not just a tool but a perfect combination of artificial intelligence and years of trading experience. With the ability to analyze millions of data points per second, IKAN can identify market trends, predict price
    No Marti No Party MT5
    Agus Santoso
    5 (1)
    MT4 Version :   https://www.mql5.com/en/market/product/90395 MT5 version :  https://www.mql5.com/en/market/product/99545 Introducing the "No Marti No Party" Expert Advisor (EA): the epitome of aggressive trading strategies. This EA is not for the faint-hearted, as it operates on a high-risk, high-reward principle that can either lead to substantial gains or significant losses. The name says it all – Martingale strategy is at the core of this EA. It's designed to aggressively double down on los
    Gold Clad
    Gayathiri Gopalakrishnan
    RAW /ECN WITH TIGHT SPREAD GOLD CLAD Expert Advisor – Precision Trading for XAUUSD on the 30-Minute Timeframe (RAW/ECN) Unlock the power of automated trading with the GOLD CLAD Expert Advisor, a cutting-edge trading solution designed specifically for XAUUSD (Gold) on the 30-minute timeframe. Whether you’re a seasoned trader or a newcomer to the world of forex, GOLD CLAD offers you the ultimate edge in precision, reliability, and performance. Why Choose GOLD CLAD? Designed for Gold (XAUUSD) : GO
    Royal Radiante EURUSD
    Mr Jeeraphat Lommahadthai
    Royal Radiante is an automated scalping robot that uses a very advanced Logic, Proprietary Indicator, Alot of Technical analysis.  Tested and Proven itself on real accounts with a Good Realistic risk-to-reward ratio. The Logic in this strategy is the core of its performance , Even with bad optimization this strategy will still be very profitable! This strategy does not use Any High & Risky Methods like Martingale / Grid Systems. This Strategy will not have high equity Downdraw ever! due to NO in
    fully automated EA designed to trade FOREX only. Expert showed stable results  with  low drawdown . EA designed to trade on 1H (One Hour) Chart. use of support or resistance as stop lose , by using different time frame can give a bigger stop lose. support or resistance levels are formed when a market’s price action reverses and changes direction, leaving behind a peak or trough (swing point) in the market. Support and resistance levels can carve out trading ranges.  Renko  designed to filter out
    IRB Scalper Pro
    Ahmed Alaoui Chrifi
    The strategy: EA strategy is inspired from a profitable strategy of Mr Rob Hoffman (One of the best traders in the world with multiple prizes on manual trading) . 1.Entry: The EA search for IRB bars (Inventory retracement bar), and place sell pending order or buy pending order according to the trend confirmed by the calculation of a 20 EMA slope degree. We believe that most of IRB Bar are caused by huge institutions (Hedge funds …), so the idea is to take benefits from their very profitable robo
    EURUSD 1min scalper
    Catalin Adelin Iovan
    Features An amazing scalper created for EURUSD 1 min time frame. Compared to the 5 min version https://www.mql5.com/en/market/product/54412#!tab=overview , this one is a higher risk/ reward . Just like the 5 min version, this one needed more than 500h of optimization . It was made in mind for IC markets MQL5 platform, an adapted for their data, but I suppose it must works on other brookers as well. I will also publish soon the MT4 version for IC markets as well. Description Strategy is made fro
    | Fully-automated Smart Money Concept (ICT) inspired trading solution with multi-strategy capabilities | Built by a grid trader >> for grid traders.  This is MT5 version, click  here  for  Blue CARA MT4  (settings and logics are same in both versions)     Real monitoring signal  -->  Cara Gold Intro Blue CARA EA   ('CARA') - short for  C omprehensive  A lgorithmic   R esponsive   A dvisor is a next-gen  multi-currency    multi-timeframe  EA base on the widely known (and perhaps the most popul
    Apolo AI MT5
    Nestor Alejandro Chiariello
    APOLO AI - Advanced Algorithmic Trading System **Revolutionary Innovation in Automated Trading with AI** Apolo AI represents the cutting edge in algorithmic trading systems, fusing advanced Artificial Intelligence with years of professional trading experience. This system has been meticulously designed to operate on the USDCAD pair, demonstrating exceptional results with documented growth from 10k to 40k in annual backtests and similar results on live accounts. ## Cutting-Edge Technology -
    Adreno M15
    Fabriel Henrique Dosta Silva
    Características Principais: • Configuração Personalizável: Permite ajustar parâmetros como a Média Móvel Exponencial (EMA) e o MACD de forma simples, para que o EA se alinhe à sua estratégia. • Interface Intuitiva: Uma interface projetada para facilitar a configuração, tornando o processo rápido e acessível, mesmo para traders com menos experiência. • Indicadores Técnicos: Suporte para indicadores como EMA e MACD, fornecendo uma análise técnica sólida. • • Segurança e Gerenciamento de Risco: O
    Xauusd gold
    Victor Jacobus Daniel Coetzee
    This expert adviser have and risk management and it works best on a 1hour time frame the account to start trade need to be at least 300$ to make profit  draw down is at 24.2% profit making is at 76.8% out of all the trades you can also run it on a 15 time frame  1-month grow is on 76%  please remember always if it takes losses it part of trading  please let me know if you struggle i am here to help and making better EA
    Brent Oil
    Babak Alamdar
    3.67 (9)
    “Two Expert Advisors, One Price: Fueling Your Success!”  Brent Oil Scalping Expert + Brent Oil Swingy Expert in one Expert Advisor   Live signal This price is temporary for the duration of the promotion and will be raised shortly Final Price: 5000 $ There are only a few copies left at the current price, the next price is -->> 1120 $ Welcome to the Brent Oil Brent Oil expert advisor is a powerhouse, engineered to master the volatile energy markets with precision and agility. Brent Oil is not
    Buyers of this product also purchase
    Plaza
    Anton Kondratev
    4 (19)
    PLAZA EA  is a Multi-Currency, Flexible, Fully Automated and Multi-Faceted Open Tool for Identifying Vulnerabilities in the Market for GOLD ! Not    Grid   , Not    Martingale   , Not     AI     , Not     Neural Network , Not Arbitrage . Default Settings for One Сhart   XAUUSD or GOLD H1 PLAZA GUIDE Signals Commission Broker Refund Updates My Blog Only 2 Copies of 10 Left  for 595 $ Next Price 1190 $ Each position always has a   Fixed SL+TP   and  Virtual   Deal Profit Tracking . Any Profit Tra
    Golden Algo
    Ramethara Vijayanathan
    4.64 (39)
    Golden Algo – The Ultimate AI-Powered Expert Advisor for Gold Traders Golden Algo Expert Advisor is a powerful trading system designed specifically for XAUUSD (Gold). It combines technical indicators with real-time market data—including the US Index and market sentiment—to generate precise trade signals. Each signal is then filtered through an advanced OpenAI-powered process to ensure only high-probability trades are executed. By blending technical analysis, fundamental insights, and artificial
    Beatrix Inventor MT5
    Azil Al Azizul
    4.92 (53)
    Introducing my new Expert Advisor Beatrix Inventor, Beatrix Inventor EA uses the concept of following trends in conducting market analysis. Analyzing market trends with the main indicators Bollinger Band and Moving Average, when entering transactions, this EA also considers the Orderblock zone which makes the analysis more accurate. The algorithm used in developing this EA is a reliable algorithm both in entry and managing floating minus. This EA is designed to be used on the XAUUSD / GOLD pair
    PrizmaL Gold
    Vladimir Lekhovitser
    4.92 (26)
    Live signal Live signal Blueberry Standard Live signal Blueberry Raw Find out more here:   https://www.mql5.com/en/users/prizmal/seller Keep an eye out for the latest news, updates, and developments by subscribing to the official  PrizmaL Channel! PrizmaL Gold – Advanced Trading Robot with Proven Championship Performance. PrizmaL is a high-performance trading robot that secured 2nd place in the World Championship of Trading Robots (MetaQuotes Automated Trading Championship 2008). Designe
    Quantum Emperor MT5
    Bogdan Ion Puscasu
    4.86 (388)
    Introducing   Quantum Emperor EA , the groundbreaking MQL5 expert advisor that's transforming the way you trade the prestigious GBPUSD pair! Developed by a team of experienced traders with trading experience of over 13 years. IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. ***Buy Quantum Emperor EA and you could get Quantum Wizard or Quantum StarMan or Quantum Gold Emperor for free !*** Ask in private for more details
    AiQ
    William Brandon Autry
    4.7 (20)
    Introducing AIQ—The Evolution of Autonomous Trading Intelligence I'm proud to present AIQ (Autonomous Intelligence), the next generation of AI-powered trading technology. Building on the foundation that made Mean Machine GPT revolutionary, AIQ introduces a groundbreaking multi-tier API redundancy system with automated fallback protocols, combined with advanced breakout/reversion techniques that capitalize on market inefficiencies with zero slippage execution. AIQ harnesses the power of cutting-
    Quantum Bitcoin EA
    Bogdan Ion Puscasu
    5 (54)
    Quantum Bitcoin EA : There is no such thing as impossible, it's only a matter of figuring out how to do it! Step into the future of Bitcoin trading with Quantum Bitcoin EA , the latest masterpiece from one of the top MQL5 sellers. Designed for traders who demand performance, precision, and stability, Quantum Bitcoin redefines what's possible in the volatile world of cryptocurrency. IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup i
    Aura Neuron MT5
    Stanislav Tomilov
    4.97 (29)
    Aura Neuron is a distinctive Expert Advisor that continues the Aura series of trading systems. By leveraging advanced Neural Networks and cutting-edge classic trading strategies, Aura Neuron offers an innovative approach with excellent potential performance. Fully automated, this Expert Advisor is designed to trade currency pairs such as XAUUSD (GOLD). It has demonstrated consistent stability across these pairs from 1999 to 2023. The system avoids dangerous money management techniques, such as m
    Aura Bitcoin Hash
    Stanislav Tomilov
    5 (6)
    Aura Bitcoin Hash EA is a distinctive Expert Advisor that continues the Aura series of trading systems. By leveraging advanced Neural Networks and cutting-edge classic trading strategies, Aura BTC offers an innovative approach with excellent potential performance. Fully automated, this Expert Advisor is designed to trade currency pair BTCUSD (Bitcoin). It has demonstrated consistent stability across these pairs from 2017 to 2025. The system avoids dangerous money management techniques, such as m
    GbpUsd Robot MT5
    Marzena Maria Szmit
    4.9 (105)
    The GBPUSD Robot MT5 is an advanced automated trading system meticulously designed for the specific dynamics of the   GBP/USD   currency pair. Utilizing advanced technical analysis, the robot assesses historical and real-time data to   identify potential trends , key support and resistance levels, and other relevant market signals specific to GBP/USD.  The Robot opens positions  every day,  from Monday to Friday, and  all positions are secured  with Take Profit, Stop Loss, Trailing Stop, Break-E
    Way To Stars MT5
    Wei Tu
    4.69 (26)
    Way To Stars is an automated trading system based on the classic night scalping logic, designed to capture short-term opportunities during the lowest volatility periods of the market. Nighttime trading tends to have lower noise and weaker trends, making it suitable for high-frequency and precise operations. This type of strategy has existed in the field of algorithmic trading for over two decades. Way To Stars inherits this mature framework and rebuilds its algorithm to fully adapt to current
    Dax Killer
    Pablo Dominguez Sanchez
    5 (2)
    After 6 Years of Successful Manual Trading, My Strategies Are Now Available as Expert Advisors! Introducing the DAX Killer EA – a trading system built for the DAX Index from years of hands-on experience, extensive testing, and a steadfast commitment to secure, strategic trading. NO GRID, NO MARTINGALE, TIGHT SL EVERY TRADE. ONE TRADE PER DAY .   NO LOT MULTIPLIER.  The price of the EA will increase by $100 with every 10 purchases. ICTRADING LIVE SIGNAL   DAX Killer Public   Chat   Group   IMPOR
    Big Forex Players MT5
    Marzena Maria Szmit
    4.77 (94)
    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
    Gold Fighter MT5
    Thi Ngoc Tram Le
    5 (10)
    Join our Giveaway: Buy now for a chance to win one of 8 prop challenge fees (up to $1187). Contact me via MQL5 messaging immediately after purchase to confirm participation. Only 12 orders left—act fast! Winners will be randomly selected. Live Signal . Only 2 spots left at $599 – Price increases to $624 soon. Gold Fighter MT5 is an Expert Advisor designed for trading Gold (XAU/USD) Using AI models from xAI and OpenAI as trend-filtering feature to optimize trade entries. It's built for stabili
    PrizmaL Scalper
    Vladimir Lekhovitser
    5 (2)
    Live signal Find out more here:   https://www.mql5.com/en/users/prizmal/seller PrizmaL Scalper - Intraday Scalping for XAUUSD This trading algorithm is designed for speculative trading in the spot gold market XAUUSD. It employs advanced market microstructure analysis techniques, reacting to price impulses and liquidity in real time. The algorithm is not subject to swaps, making it particularly effective for active intraday trading. Optimized risk management and dynamic adaptation to volatil
    Quantum Queen MT5
    Bogdan Ion Puscasu
    4.99 (93)
    Hello, traders! I am Quantum Queen, the newest and a very powerful addition to the Quantum Family of Expert Advisors. My specialty? GOLD. Yes, I trade the XAUUSD pair with precision and confidence, bringing you unparalleled trading opportunities on the glittering gold market. I am here to prove that I am the most advanced Gold trading Expert Advisor ever created. IMPORTANT! After the purchase please send me a private message to receive the installation manual and the setup instructions. Live
    Scalping Robot MT5
    Marzena Maria Szmit
    4.42 (55)
    Introducing our advanced Scalping Forex Robot. The scalping algorithm is built to spot high-probability entry and exit points, ensuring that every trade is executed with the highest chance of success within the M1 timeframe . The best pair to use with the Scalping Robot is XAUUSD .This robot is perfect for traders who prefer the scalping method and want to take advantage of rapid price movements without having to manually monitor the charts. It is suitable for both beginners looking for an autom
    Mean Machine
    William Brandon Autry
    5 (36)
    Introducing Stage 7.0—A Revolutionary Leap in AI Trading Technology I'm proud to announce my most significant update yet: Stage 7.0. This groundbreaking release introduces AI Position Management, which dynamically modifies Take Profit and Stop Loss levels in real-time, ensuring optimal position management with priority handling across all symbols. Stage 7.0 harnesses the power of cutting-edge AI models, including DeepSeek R1 and OpenAI's O3 mini, delivering enhanced reasoning capabilities acros
    EvoTrade EA MT5
    Dolores Martin Munoz
    5 (16)
    EvoTrade: The First Self-Learning Trading System on the Market Allow me to introduce EvoTrade —a unique trading advisor built using cutting-edge technologies in computer vision and data analysis. It is the first self-learning trading system on the market, operating in real-time. EvoTrade analyzes market conditions, adapts strategies, and dynamically adjusts to changes, delivering exceptional precision in any environment. EvoTrade employs advanced neural networks, including Long Short-Term Memory
    Bitcoin Robot MT5
    Marzena Maria Szmit
    4.58 (103)
    The Bitcoin Robot MT5 is engineered to execute Bitcoin trades with unparalleled efficiency and precision . Developed by a team of experienced traders and developers, our Bitcoin Robot employs a sophisticated algorithmic approach (price action, trend as well as two personalized indicators) to analyze market and execute trades swiftly with M5 timeframe , ensuring that you never miss out on lucrative opportunities. No grid, no martingale, no hedging, EA only open one position at the same time. Bit
    SmartChoise
    Gabriel Costin Floricel
    4.37 (38)
    SmartChoise EA – Neural Network–Powered Trading System for XAU/USD (Gold) on M1 Timeframe This EA is built for long-term, controlled growth—understanding and aligning it with your risk tolerance is key to its success. Uses a neural network–based engine that continuously analyzes real-time market data to adapt trading strategies according to current market conditions. This approach helps optimize trade entries, improve risk control, and manage exposure intelligently. Unlike systems that rely on m
    Synthara MT5
    Herlina Sari
    4.75 (4)
    ONLY 2 COPIES OUT OF 10 LEFT AT $499, NEXT PRICE $699 Synthara MT5 EA is Fully Automated Expert Advisor specifically designed to run on the XAUUSD/GOLD pair.  Hello everyone, I am currently launching the newest and best product from its predecessor. Synthara MT5 EA is more selective and accurate in signal entry and better in managing existing transactions. Synthara MT5 EA analyzes markets based on trends, overbought and oversold zones and price action. Synthara MT5 EA Live Signal with Default Se
    The Infinity EA MT5
    Abhimanyu Hans
    3.64 (50)
    Contact me for discount before purchasing! AI-Driven Technology with ChatGPT Turbo Infinity EA is an advanced trading Expert Advisor designed for GBPUSD, XAUUSD and AUDCAD. It focuses on safety, consistent returns, and infinite profitability. Unlike many other EAs, which rely on high-risk strategies such as martingale or grid trading. Infinity EA employs a disciplined, profitable scalping strategy based on neural network embedded over machine learning, data analytics AI based technology provid
    Zen Flow 2
    Hamza Ashraf
    4.04 (23)
    LAUNCH PROMO: Final price: 1,700$ Only 2 copies left at $399. Next price will be $499 Get 1 EA for free (for 2 trade accounts) -> contact me after purchase Instruction Blog Link to Channel Welcome to ZenFlow! ZenFlow is an advanced EA designed to adapt to changing market trends with precision and speed. It is optimized to trade the XAUUSD( or GOLD) symbol and should be run on only one chart. This EA uses a sophisticated trend-following strategy combined with a momentum-based indicator that ide
    Eagle Odyssey MT5
    Azil Al Azizul
    4.8 (5)
    Introducing Eagle Odyssey EA with excellent capabilities in automatic trading whose analysis is based on the orderblock concept. Order blocks are often formed in response to significant market moves driven by institutions. When a large order is placed in the market (such as buying or selling a large amount of an asset), the price tends to move to a certain level to "fill" that order. Once this process happens, the area where the institutional order took place acts as a level of support or resist
    Eternal Engine is an advanced EA that integrates multiple indicators with grid and Martingale strategies. Its core feature is precise entry point control, enabling it to perform exceptionally well even in complex market environments. Eternal Engine EA offers numerous trading opportunities, is not sensitive to spreads, and ensures accurate execution of every trade through strict entry point management. The strategy has been proven in live trading, providing over a year of low-drawdown real-time s
    Monic
    Vladimir Lekhovitser
    5 (4)
    Live signal Find out more here:   https://www.mql5.com/en/users/prizmal/seller The strategy uses an averaging trading approach, relying on the Stochastic Oscillator and Bollinger Bands as the main indicators. It consistently implements dynamic take-profit and stop-loss levels for each trade. Optimization was conducted using 14 years of data (from 2010 to 2024) on the IC Markets server with a Standard account type. Recommendations: Currency Pair: AUDCAD Minimum Deposit: $500 USD Account: H
    King Sniper EA
    Ivan Bebikov
    5 (6)
    Monitoring of real trading Advisor -  https://www.mql5.com/en/signals/2264971 My other products    -      click here Keep in mind that the results on different brokers may differ, I recommend testing on your broker before using it (you can ask me for a list of recommended brokers in the PM). Read the blog post with the description of the adviser before starting work and if you have any additional questions, write to me in the PM. A fully automatic Expert Advisor that does not require additional
    AlphaFlow EA MT5
    Dolores Martin Munoz
    4.27 (11)
    Alpha Flow EA: Elevate Your Trading to New Heights Introducing Alpha Flow EA —a state-of-the-art trading advisor designed to transform your trading experience through strategic precision, adaptability, and advanced market analysis. Built with proprietary trading algorithms and deep market insights, Alpha Flow EA delivers exceptional performance across diverse trading environments, helping you stay ahead of market trends. Real Signal XAUUSD:  View Live Signal Real Signal EURUSD:  View Live Signa
    AI Quantum Perceptor X MT5
    Dolores Martin Munoz
    5 (1)
    Quantum Perceptor X An intelligent execution algorithm built not for theory — but for the reality of the market. Quantum Perceptor X is not just another expert advisor. It is a self-directed trading system governed in real time by the DeepSeek engine — a cognitive AI module that monitors capital behavior and helps the system adapt dynamically to market conditions. Unlike traditional bots based on indicators or backtest-optimized templates, Quantum Perceptor X uses a minimalist yet highly intell
    More from author
    The Wormhole time frame indicator for MetaTrader 5 (MT5) is not just another trading tool—it’s your competitive edge in the financial markets. Designed with both novice and professional traders in mind, the Wormhole transforms how you analyze data and make decisions, ensuring you stay ahead of the curve. Why You Need the Wormhole Indicator Outsmart the Competition: The ability to view two timeframes on the same chart simultaneously means you’re always one step ahead. No more switching between ch
    FREE
    Dual Timeframes
    Scott Adam Meldrum
    Dual Time Frame Indicator – Candles in Candles Overview The Candles-in-Candles Indicator is a multi-time frame visualization tool designed to enhance market structure analysis by overlaying higher time frame candles onto a lower time frame chart. Instead of switching between time frames, traders can see how smaller candles behave inside larger ones, improving trade precision, trend identification, and price action clarity. Unlike standard multi-time frame indicators, this tool allows users to se
    FREE
    Dual Time Frame Indicator – Candles in Candles for MT4 Overview The Candles-in-Candles Indicator is a multi-time frame visualization tool designed specifically for MT4. It overlays higher time frame candles onto your lower time frame chart, allowing you to see how smaller candles behave within larger ones. This approach enhances market structure analysis, sharpens trend identification, and clarifies price action—without the need to switch between charts. How It Works Select Your Lower Time Fram
    FREE
    Perfect Trade Everytime - Why You Need This Trading Assistant EA Why You Need This Trading Assistant EA 1️⃣ Why This EA is a Game-Changer for Traders Trading is about timing, precision, and risk management . The difference between success and failure often comes down to how efficiently you execute your trades and manage your risk . This EA is designed to make trading effortless , ensuring that every trade is structured, controlled, and optimized for long-term profitability . What Makes This E
    FREE
    The Wormhole time frame indicator for MetaTrader 5 (MT5) is not just another trading tool—it’s your competitive edge in the financial markets. Designed with both novice and professional traders in mind, the Wormhole transforms how you analyze data and make decisions, ensuring you stay ahead of the curve. Why You Need the (free) Wormhole Indicator Outsmart the Competition: The ability to view two timeframes on the same chart simultaneously means you’re always one step ahead. No more switching be
    FREE
    Move TakeProfit - Instructions for Use How to Use Drag and Drop Click and drag the script onto the chart at the price where you want to set the new TakeProfit level. Drop the script at your desired price level. Confirmation Popup After dropping the script, a confirmation box will appear. It will display the number of positions being modified and the exact TakeProfit price. Click "Yes" to proceed or "No" to cancel. Automatic TakeProfit Update If confirmed, the script will update the TakeProfit fo
    FREE
    Move StopLoss - Instructions for Use How to Use Drag and Drop Click and drag the script onto the chart where you want to set the new StopLoss level. Drop the script at your desired price level. Confirmation Popup After dropping the script, a confirmation box will appear. It will display the number of positions being modified and the exact StopLoss price. Click "Yes" to proceed or "No" to cancel. Automatic StopLoss Update If confirmed, the script will update the StopLoss for all open positions on
    FREE
    Filter:
    worldofhunger
    979
    worldofhunger 2025.04.10 20:05 
     

    Great EA, it trades like a professional trader, with SL and higher time frame trading it is a winner in many aspects, the logic behind it is amazing and the author is professional and responsive, thank you for making such a great EA, really like it :)

    Reply to review
    Version 1.6 2025.04.10
    Added new Input (second delay for SL requests sent to broker)
    Version 1.5 2025.04.10
    Removed Confusing Settings - Set Default Bias
    Version 1.3 2025.04.07
    New Bias Settings added