LSTM Library

LSTM Library - Reti Neurali Avanzate per MetaTrader 5

Libreria Professionale di Reti Neurali per il Trading Algoritmico

LSTM Library porta la potenza delle reti neurali ricorrenti alle tue strategie di trading in MQL5. Questa implementazione di livello professionale include reti LSTM, BiLSTM e GRU con funzionalità avanzate tipicamente disponibili solo in framework specializzati di machine learning.

"Il segreto del successo nel Machine Learning per il trading risiede nel trattamento adeguato dei dati. Garbage In, Garbage Out – la qualità delle tue previsioni non sarà mai superiore alla qualità dei tuoi dati di addestramento."
— Dr. Marcos López de Prado, Advances in Financial Machine Learning

Caratteristiche Principali

  • Implementazione completa di LSTM, BiLSTM e GRU
  • Dropout ricorrente per una migliore generalizzazione
  • Algoritmi di ottimizzazione multipli (Adam, AdamW, RAdam)
  • Tecniche avanzate di normalizzazione
  • Sistema completo di valutazione delle metriche
  • Visualizzazione del progresso dell'addestramento
  • Supporto per dati sbilanciati con pesi delle classi

Specifiche Tecniche

  • Implementazione pura in MQL5 - nessuna dipendenza esterna
  • Ottimizzata per applicazioni di trading
  • Gestione e convalida degli errori completa
  • Supporto completo per salvare/caricare modelli addestrati
  • Documentazione estesa

Istruzioni per l'Integrazione

Per integrare la LSTM Library nel tuo Expert Advisor, segui questi passaggi:

1. Importazione Completa della Libreria

#import "LSTM_Library.ex5"
   // Informazioni sulla Libreria
   void GetLibraryVersion(string &version);
   void GetLibraryInfo(string &info);
   
   // Gestione dei Modelli
   int CreateModel(string name);
   int DeleteModel(int handle);
   
   // Costruzione dei Layer
   int AddLSTMLayer(int handle, int units, int input_size, int seq_len, bool return_seq);
   int AddLSTMLayerEx(int handle, int units, int input_size, int seq_len, bool return_seq, double recurrent_dropout);
   int AddGRULayer(int handle, int units, int input_size, int seq_len, bool return_seq);
   int AddBiLSTMLayer(int handle, int units, int input_size, int seq_len, bool return_seq);
   int AddBiLSTMLayerEx(int handle, int units, int input_size, int seq_len, bool return_seq, double recurrent_dropout);
   int AddDenseLayer(int handle, int input_size, int units, int activation);
   int AddDropoutLayer(int handle, double rate);
   int AddBatchNormLayer(int handle, int size);
   int AddLayerNormLayer(int handle, int size);
   
   // Compilazione e Addestramento
   int CompileModel(int handle, int optimizer, double lr, int loss);
   int SetClassWeights(int handle, double &weights[], int n_classes);
   int EnableConfusionMatrixTracking(int handle, int n_classes);
   int GetConfusionMatrix(int handle, int &confusion_matrix[]);
   int FitModel(int handle, double &X_train[], double &y_train[], int n_train, int input_dim,
             double &X_val[], double &y_val[], int n_val, int epochs, int batch);
   
   // Previsione e Valutazione
   int PredictSingle(int handle, double &input_data[], int input_size, double &output_data[]);
   int PredictBatch(int handle, double &X[], int n_samples, int input_dim, double &predictions[]);
   double EvaluateModel(int handle, double &X[], double &y[], int n_samples, int input_dim);
   double CalculateClassificationMetrics(double &y_true[], double &y_pred[], int n_samples, int n_classes,
                               double &precision[], double &recall[], double &f1[]);
   
   // Preprocessing dei Dati
   int CreateScaler();
   int DeleteScaler(int handle);
   int FitScaler(int handle, double &data[], int samples, int features);
   int TransformData(int handle, double &data[], double &transformed[], int samples, int features);
   int InverseTransform(int handle, double &transformed[], double &original[], int samples, int features);
   int FitTransformData(int scaler, double &data[], double &transformed[], int samples, int features);
   
   // Callback e Scheduler
   int AddEarlyStopping(int handle, int patience, double min_delta);
   int AddProgressBar(int handle, int epochs);
   int AddCosineScheduler(int handle, double base_lr, int T_0, int T_mult);
   int AddOneCycleLR(int handle, double max_lr, int total_steps);
   
   // Utilità
   int PrintModelSummary(int handle);
   int SetModelTrainingMode(int handle, int training);
   int GetModelTrainingMode(int handle);
   int SaveModel(int handle, string filename);
   int LoadModel(int handle, string filename);
   int SaveHistory(int handle, string filename);
   void CleanupAll();
   int GetActiveModelsCount();
   int GetActiveScalersCount();
#import

2. Inizializzazione in OnInit()

int model_handle = 0;

int OnInit()
{
   // Creare modello LSTM
   model_handle = CreateModel("TradingModel");
   if(model_handle <= 0)
      return INIT_FAILED;
      
   // Aggiungere layer
   if(AddLSTMLayer(model_handle, 32, 5, 10, false) <= 0)
      return INIT_FAILED;
      
   if(AddDropoutLayer(model_handle, 0.2) <= 0)
      return INIT_FAILED;
      
   if(AddDenseLayer(model_handle, 32, 1, 1) <= 0)
      return INIT_FAILED;
   
   // Compilare modello (ottimizzatore Adam, perdita MSE)
   if(CompileModel(model_handle, 1, 0.001, 0) <= 0)
      return INIT_FAILED;
   
   // Caricare modello esistente se disponibile
   if(FileIsExist("model.bin"))
      LoadModel(model_handle, "model.bin");
   
   return INIT_SUCCEEDED;
}

3. Pulizia in OnDeinit()

void OnDeinit(const int reason)
{
   if(model_handle > 0)
   {
      SaveModel(model_handle, "model.bin");
      DeleteModel(model_handle);
   }
   
   CleanupAll();
}

4. Utilizzo in OnTick()

void OnTick()
{
   // Preparare caratteristiche
   double features[50];  // Per esempio, 5 caratteristiche * 10 lunghezza sequenza
   
   // Riempire array di caratteristiche con dati di mercato
   // ...
   
   // Fare previsione
   double prediction[];
   if(PredictSingle(model_handle, features, ArraySize(features), prediction) > 0)
   {
      if(prediction[0] > 0.5)
      {
         // Segnale rialzista - piazzare ordine di acquisto
      }
      else
      {
         // Segnale ribassista - piazzare ordine di vendita
      }
   }
}

SFRUTTA IL POTERE DEL MACHINE LEARNING NEL TRADING

La LSTM Library è progettata per essere facilmente integrata nei tuoi EA e indicatori, fornendo capacità avanzate di machine learning direttamente in MetaTrader 5.

Segui l'esempio di codice sopra per iniziare a implementare previsioni basate su reti neurali nei tuoi sistemi di trading. L'esempio semplice può essere facilmente adattato alle tue esigenze specifiche.

Esplora le funzionalità avanzate dettagliate di seguito per sfruttare appieno il potenziale di questa libreria nelle tue strategie di trading.

Funzionalità Avanzate Disponibili

Varianti di Layer Ricorrenti

  • AddLSTMLayerEx() - LSTM con dropout ricorrente per una migliore generalizzazione
  • AddBiLSTMLayerEx() - BiLSTM bidirezionale con dropout ricorrente

Normalizzazione e Regolarizzazione

  • AddBatchNormLayer() - Normalizzazione batch per un addestramento stabile
  • AddLayerNormLayer() - Normalizzazione di layer

Gestione dei Dati Sbilanciati

  • SetClassWeights() - Imposta pesi per classi minoritarie
  • EnableConfusionMatrixTracking() - Monitoraggio dettagliato delle prestazioni per classe

Ottimizzazione Avanzata

  • AddCosineScheduler() - Tassi di apprendimento ciclici con warm restart
  • AddOneCycleLR() - Implementazione del One-Cycle Learning Rate

Valutazione Completa

  • PredictBatch() - Previsioni in batch per maggiore efficienza
  • EvaluateModel() - Valutazione completa su dati di test
  • CalculateClassificationMetrics() - Metriche dettagliate (precisione, recall, F1)

Preprocessing dei Dati

  • CreateScaler/FitScaler - Normalizzazione dei dati di input
  • TransformData/InverseTransform - Conversione tra scale

Requisiti

  • MetaTrader 5
  • Comprensione di base dei concetti di machine learning
  • Competenze intermedie di programmazione in MQL5

POTENZIA I TUOI SISTEMI DI TRADING

Trasforma le tue strategie e indicatori esistenti con la potenza dell'apprendimento automatico direttamente in MQL5. Questa integrazione diretta significa niente connessioni esterne, niente dipendenze Python e niente complessità API - solo pura potenza predittiva all'interno della tua piattaforma di trading.

Che tu stia sviluppando sistemi di previsione dei prezzi, previsione della volatilità o riconoscimento avanzato di pattern, LSTM Library fornisce la base per decisioni di trading veramente intelligenti che si adattano alle condizioni di mercato in evoluzione.

Parole chiave: Previsione Azioni LSTM, Previsione Prezzi LSTM, Trading con Reti Neurali, Deep Learning MQL5, Previsione Serie Temporali, Machine Learning Forex, Trading Criptovalute con IA, Riconoscimento Pattern di Mercato, Sistema di Trading BiLSTM, Analisi di Mercato GRU, Trading Algoritmico con IA, MQL5 Deep Learning, Previsione Direzione Prezzo, Machine Learning per HFT

Prodotti consigliati
Tulips MT5
Kun Jiao
4.86 (7)
Descrizione della Strategia Tulip EA Strategia Principale Inseguimento di tendenza : Include protezione stop-loss, senza strategie rischiose come Martingale o grid Operazioni indipendenti long/short : Analisi dei pattern a candela per individuare punti di ingresso all'inizio dei trend Impostazioni dei Parametri Parametro Valore Predefinito / Descrizione Parametro di stabilità 5 (predefinito) Strumento di trading Oro (XAUUSD) Stop Loss/Take Profit SL 0.3%, TP 1.2% Dimensione lotto 0.01 (predefin
FREE
Custom Alerts MT5
Daniel Stein
5 (8)
Custom Alerts: Monitora più mercati e non perdere mai un setup importante Panoramica Custom Alerts è una soluzione dinamica per i trader che desiderano monitorare più strumenti da un unico punto centrale. Integrando i dati dei nostri strumenti principali — come FX Power, FX Volume, FX Dynamic, FX Levels e IX Power — Custom Alerts ti avvisa automaticamente degli sviluppi cruciali del mercato, senza dover passare continuamente da un grafico all'altro o rischiare di perdere opportunità importanti
Breakout bot
Giedrius Seirys
Breakout Bot is an automated trading robot designed for the MetaTrader 5 platform, specifically integrated with Bybit exchange for trading the GBPUSD+ currency pair. This bot effectively identifies market breakouts and executes trades based on predefined strategies, allowing efficient exploitation of market fluctuations. Key features: Automatic breakout detection and trade execution; Dynamic stop-loss and trailing stop management; Convenient and flexible risk management settings; Easy installati
Shawrie
Kevin Kipkoech
This Pine Script implements a Gaussian Channel + Stochastic RSI Strategy for TradingView . It calculates a Gaussian Weighted Moving Average (GWMA) and its standard deviation to form an upper and lower channel. A Stochastic RSI is also computed to determine momentum. A long position is entered when the price closes above the upper Gaussian band and the Stoch RSI K-line crosses above D-line . The position is exited when the price falls back below the upper band. The script includes commission, cap
NEXA Breakout Velocity NEXA Breakout Velocity è un sistema di trading automatico basato sulla logica di breakout di canale, combinata con filtro di momentum (ROC), filtro di volume e gestione del rischio basata su ATR. Il sistema è progettato per identificare fasi di espansione della volatilità, quando il prezzo rompe un intervallo con aumento di velocità e partecipazione. Tutti i segnali sono calcolati esclusivamente su candele chiuse. Viene mantenuta una sola posizione per simbolo alla volta.
FREE
EA Pro Risk Panel
Sayed Ali Ordibehesht
EA PRO Risk Panel — pannello di trading e gestione del rischio per MetaTrader 5 Crediti: Sviluppato da Sayed Ali Ordibehesht e AliReza Asefpour. Panoramica Il pannello consente di dimensionare il rischio, vedere l’anteprima degli ordini sul grafico ed eseguire ordini a mercato e pendenti con controlli chiari di volume, stop-loss e take-profit. Non fornisce segnali né garantisce profitti. Funzioni >> Ordini a mercato e pendenti Acquisto/Vendita a mercato con Bid/Ask correnti. Acquisto/Vendita
FREE
Steady Runner NP EA
Theo Robert Gottwald
2.5 (2)
Introducing Steady Runner NP EA (Free Version): Precision Trading for GBPUSD M5 What is Steady Runner NP EA? Steady Runner NP EA is a   mathematically designed Expert Advisor (EA)   exclusively crafted for the   GBPUSD M5 timeframe . Built with advanced algorithms and statistical models, this EA automates your trading strategy to deliver   precision, consistency, and discipline   in every trade. Whether you're a seasoned trader or just starting out, Steady Runner NP EA is your reliable par
FREE
Goliath Mt5
Nicolokondwani Biscaldi
Goliath MT5 - scalper fully automated Expert Advisor for medium-volatile forex markets P roperties: The Library trades 10 currency pairs (USDCHF, EURCHF, EURGBP, AUDUSD, USDCAD, GBPUSD, EURUSD, NZDUSD, CADCHF, EURAUD, EURCAD, AUDJPY) The Library does not use martingale The Library sets a fixed stop loss and take profit for all orders The Library only trades a user input volume The Library can be installed on any currency pair and any timeframe Recommendations: Before using on a real account, t
Dhokiyas Market Screener
Dhokiyas Money Map Investment Consultants - FZCO
Dhokiya's Market Screener Guida Utente Pannello di analisi multi simbolo per MetaTrader 5 con trading con un clic e panoramica tecnica completa Canale Ufficiale per Aggiornamenti Unisciti : Dhokiyas Supporto Messaggio diretto : Contact 1. Funzione del Prodotto Dhokiya's Market Screener è uno strumento di analisi tecnica multi simbolo per MetaTrader 5. Analizza più strumenti e mostra una possibile direzione operativa con un punteggio basato su molteplici conferme tecniche. È progettato per
RazorQuant AI
Steffen Schmidt
RAZORQUANT AI v3.7 (MT5 EA)  Purpose: Automated trading EA that combines classic technical filters with machine-learning signals and optional external AI (LLM) advice to decide BUY/SELL/HOLD and manage trades. Core trading + risk rules: Runs on a chosen timeframe (default M1 ), with MagicNumber , max trades per symbol/day , minimum minutes between trades , max spread , and daily loss limit (% of balance) . Position sizing supports fixed lot or risk-% . Technical filters (rule-based): Trend/MA s
Binance Library
Hadil Mutaqin SE
5 (1)
The library is used to develop automatic trading on Binance Spot Market from MT5 platform. Support all order types: Limit, Market, StopLimit and StopMarket Support Testnet mode Automatically display the chart on the screen Usage: 1. Open MQL5 demo account 2. Download Header   file and EA sample   https://drive.google.com/uc?export=download&id=1kjUX7Hyy02EiwTLgVi8qdaCNvNzazjln Copy Binance.mqh to folder \MQL5\Include Copy  BinanceEA-Sample.mq5 to folder \MQL5\Experts 3. Allow WebRequest from MT5
FridayGoldRush
Lukas Matthias Wimmer
TrendRushEA – Automated Expert Advisor for XAUUSD with Optional USD Strength Filter Short Description (EN): TrendRushEA is a fully automated MetaTrader 5 Expert Advisor designed specifically for trading Gold (XAUUSD) in strong bullish trends. It combines long-term trend confirmation with an optional USD strength filter based on EURUSD. The EA features dynamic risk management (1%–2% of account size), ATR-based SL/TP calculation, and a weekend-close function for trade protection. Detailed Descri
FREE
MarketPro toolkit
Johannes Hermanus Cilliers
Start earning profits by copying All trades are sent by our successful Forex trader & are extremely profitable. You can earn profits by copying trades daily Trial Period included You'll also get access to extremely powerful trading education which is designed in a simple way for you to become a profitable trader, even if you have no trading experience. https://ec137gsj1wp5tp7dbjkdkxfr4x.hop.clickbank.net/?cbpage=vip
FREE
Advisor for hedging trading or pair trading. A convenient panel allows you to open positions on the necessary trading instruments and lots. Automatically determines the type of trading account - netting or hedging. Advisor can close all its positions upon reaching profit or loss (determined in the settings). A negative value is required to control losses (for example, -100, -500, etc.). If the corresponding fields are 0, the EA will not use this function.   Settings: Close profit (if 0 here
Quantum Aurus X
Dmitriq Evgenoeviz Ko
Quantum Aurus X is an innovative trading ecosystem that combines a classic breakout algorithm (Breakout Engine) with modern machine learning methods to filter out market noise. The system is designed for professional trading in metals (Gold), indices, and volatile currency pairs. Intelligent neural network filter Unlike standard breakout advisors, Quantum Aurus X is equipped with the Neuro-Core V2 module. This is a pre-trained neural network (Perceptron) that analyzes market microstructure in r
Questo sistema offre un calcolo preciso del rischio per ogni operazione e una configurazione semplice del RR (rapporto rischio-rendimento), monitorando tutti i parametri di trading a colpo d'occhio. Semplifica l'apertura di nuovi ordini con esecuzione a un clic, gestisce le tue operazioni con chiusura parziale, Break-Even e altre funzioni utili per darti il pieno controllo su ogni trade - il tutto con un utilizzo intuitivo, ampie opzioni di personalizzazione, esecuzione rapidissima, controllo p
Boom 500 Players
Ignacio Agustin Mene Franco
Boom 500 Players - Professional Expert Advisor Overview Boom 500 Players is a specialized Expert Advisor (EA) optimized for trading the Boom 500 Index synthetic pair on the Deriv platform. This automated system has been designed with a high-frequency trading strategy that capitalizes on the unique characteristics of synthetic volatility indices. Backtesting Results Extensive backtesting conducted from January 2024 to November 2025 demonstrates exceptional performance: Total Return: $691.40 (+6
This EA has been developed, tested and traded live on NASDAQ M15 TF. Everything is ready for immediate use on real account. Very SIMPLE STRATEGY with only FEW PARAMETERS.  Strategy is based on  EXPANSION ON THE DAILY CHART .   It enters if volatility raise after some time of consolidation .  It uses  STOP   pending orders with  ATR STOP LOSS.   To catch the profits is a  TRAILING PROFIT  function in the strategy.  EA has been backtested on more than 10-year long tick data with 99% quality of mo
TradeGate
Alex Amuyunzu Raymond
TradeGate – Product Description / Brand Story “The gatekeeper for your trading success.” Overview: TradeGate is a professional MT5 validation and environment guard library designed for serious traders and EA developers who demand safety, reliability, and market-ready performance . In today’s fast-moving markets, even a small misconfiguration can cause EAs to fail initialization, skip trades, or be rejected by MQL5 Market. TradeGate acts as a smart gatekeeper , ensuring your EA only operates un
Echelon EA
Daniel Suk
5 (1)
Echelon EA – Chart Your Unique Trading Constellation Like the celestial guides that lead explorers through the vast universe, Echelon EA empowers you to create and optimize your very own trading strategies. This versatile system combines advanced grid and martingale techniques with cutting‐edge indicators, offering you an endless palette for designing a strategy that is truly your own. Craft Your Personal Strategy: Infinite Possibilities – Customize every parameter to build a trading system t
FREE
VIX Momentum Pro EA - Ürün açıklaması Genel bakış VIX Momentum Pro, VIX75 Sentetik Endeksleri için özel olarak tasarlanmış sofistike bir algoritmik ticaret sistemidir. Algoritma, sentetik volatilite piyasasında yüksek olasılıklı ticaret fırsatlarını tanımlamak için özel momentum tespit teknikleri ile birleştirilmiş gelişmiş çoklu zaman dilimi analizi kullanır. Ticaret stratejisi Expert Advisor, birden fazla zaman diliminde fiyat hareketlerini analiz eden kapsamlı momentum tabanlı bir yaklaşımla
Nesco
Gennady Sergienko
4.17 (29)
Ciao, sono   NESCO   / - Sono un esperto di robot completamente automatici e analizzo in modo indipendente il mercato e prendo decisioni commerciali. Alcune delle mie funzioni sono scritte utilizzando   GPT-4_COPILOT   e ottimizzate da   MQL5_CLOUD_NETWORK   . Ho il mio server per ricevere eventi finanziari nel mondo. Posso lavorare per te 24 ore su 24, 5 giorni su 7 senza il tuo intervento e avvisarti con un messaggio al telefono se è necessaria la tua attenzione; La mia caratteristica princ
Trend Strength Visualizer
Alexander Denisovich Jegorov
Trend Strength Visualizer A Simple Tool for Trend Analysis This indicator helps you quickly assess the strength of market trends using fast and slow moving averages. It’s designed to give you a clear visual representation of the trend, so you can make better trading decisions. ~Displays: Green Line : Strong uptrend (potential buying opportunities). Red Line : Strong downtrend (potential selling opportunities). ~Values That Can Be Changed: Fast MA period. Slow MA period. Line color for uptrend an
Modern Dark Chart Theme (MT4/MT5) Overview A clean dark-mode chart theme designed for clarity and reduced eye strain during long trading sessions. Lightweight and simple to apply. Key features - Dark background with clear candle contrast - Minimal visual noise - Works on all symbols and timeframes - No performance impact How to use Apply the theme to any chart. No additional configuration is required. Support If you need help with installation, contact via MQL5 private messages. Ratings and
FREE
KP TRADE PANEL EA is an EA MT5 facilitates various menus. KP TRADE PANEL EA is an EA skin care in MT5 is an EA that puts the system automatically in download EA MT5 to test with demo account from my profile page while some Trailing Stop Stop Loss require more than 0 features EA determines lot or money management calculates lot from known and Stop loss TS = Trailing stop with separate stop loss order Buy more AVR TS = Trailing stop plus
Void AI
Nestor Alejandro Chiariello
Salve trader, ho progettato questo strumento con rigore e risultati concreti, basato su diverse delle mie strategie precedenti, adattandolo al mercato Forex. È quindi adattato all'intelligenza artificiale del machine learning, ovvero l'IA leggerà i parametri e li applicherà alla mia strategia, imparando così a migliorare la qualità degli input. Dispone inoltre di un nodo dove è possibile recuperare le posizioni. Un'altra delle innovazioni che troverete è che tutto sarà incapsulato in modo virtu
NATS (Niguru Automatic Trailing Stop) will help you achieve more profits, by setting the trailing stop automatically. Pair this NATS application with EA, or can also be used as a complement to manual trading. A trailing stop is a powerful tool in trading that combines risk management and profit optimization.  A trailing stop is a type of market order that sets a stop-loss at a percentage below the market price of an asset, rather than a fixed number. It dynamically adjusts as the asset’s pric
FREE
Trend Teller
Ian Nganga Comba
Trend Teller è uno strumento dashboard potente e intuitivo, progettato per offrirti una panoramica completa della tendenza del mercato su tutte le principali coppie di valute e su tutti i timeframe — da M1 a MN1. Creato da trader per trader, questo strumento elimina le congetture dall'analisi del trend e ti aiuta a rimanere allineato con la direzione generale del mercato. Molti trader principianti faticano a identificare la direzione del mercato — e, sorprendentemente, anche i trader esperti a v
TradingTime
Mikita Kurnevich
TradingTime: Intelligent solution for inter-session trading In the dynamic world of Forex, where every minute can become decisive, a new generation algorithm - TradingTime - is presented. This Expert Advisor does not just automate trading, but rethinks the approach to working at the intersection of key market sessions, combining analytical accuracy and adaptability. Strategy based on the rhythm of the market TradingTime is based on in-depth analysis of transitional periods between trading sessio
AI News Strike EA
Mikoto Hamazono
1 (1)
In cosa è diverso rispetto ai normali EA per il news‑trading? La maggior parte degli EA reagisce solo all’orario programmato e poi “indovina” come reagirà il mercato. AI News Strike EA è diverso. Minuti prima della pubblicazione, l’IA effettua ricerche live e analizza il sentiment in tempo reale di oltre 100 paesi. Non opera solo più velocemente, ma in modo più intelligente. Basato su un’innovativa IA di web‑search in tempo reale Offerta di lancio Tutti gli acquirenti ricevono una licenza gratu
Gli utenti di questo prodotto hanno anche acquistato
Hello everyone! I am a professional MQL programmer , Making EAs, Indicators and Trading Tools for my clients all over the world. I build 3-7 programs every week but I seldomly sell any ready-made Robots. Because I am fastidious and good strategy is so few...  this EA is the only one so far I think its good enough to be published here.  As we all know, the Ichimoku indicator has become world popular for decades, but still, only few people knows the right way of using it, and if we check the clo
Applying these methods, I managed to arrive at a nuanced conclusion that is crucial to understanding the importance of unique strategies in contemporary trading. Although the neural network advisor showed impressive efficiency in the initial stages, it proved to be highly unstable in the long run. Various factors such as market fluctuations, trend changes, external events, etc. cause its operation to be chaotic and eventually lead to instability. With these experiences, I accepted the challenge
Ai Prediction MT5
Mochamad Alwy Fauzi
A free indicator for those who purchase the full version This indicator is created by this Ai, with your desired settings Artificial Intelligence at your service Have a complete artificial intelligence and use it in your codes This artificial intelligence is trained to tell you on each candle whether the market is moving up or down. In general, artificial intelligence can be used in all markets, all timeframes and all symbols However, due to the increasing complexity and decreasing accuracy of
快速关仓,无需任何操作。 当前版本的一键关仓主要针对的是来不及手动关仓的情况,目前是不分交易标的类别,是对所有的持仓进行关仓。 未来可能升级的方向: 1、分类别、分标的关仓。 适用场景:开了多个标的的仓位,并且波动不一,快速频繁的波动影响了整体的判断。 2、增加只关闭盈利仓位、只关闭亏损仓位。 适用场景:持仓较多,趋势发生变化。 个人建议:一般建议选择一键全部关仓,因为如果行情与持仓方向一致,只关闭盈利仓位无形就是扩大了亏损。如果行情方向与持仓方向相反,只关闭亏损仓位,当前已盈利的后面又会变为亏损,盈利无法变现。 3、按照仓位顺序由大到小关仓、按照仓位顺序由小到大关仓。 适用 场景:行情发生波动,对于未来行情判断把握不确定的,可根据自己需求选择仓位关仓顺序,由大到小关仓的话,可以避免亏损的进一步扩大。 4、减小仓位量,保持绝对的安全距离。 适用 场景:对未来趋势相对确定,不想错过当前行情,但是认为当前持仓体量又有点大,想降低仓位。
[Gold Intelligent Trading EA | Risk Control is Steady, Profit Breakthrough] The intelligent trading EA, which is customized for the fluctuation characteristics of gold, takes the hard-core trading system as the core, and each order is derived from the accurate judgment of market trends and supporting pressures by quantitative models, so as to eliminate subjective interference and make trading decisions more objective and efficient. Equipped with multi-dimensional risk control system, dynamic s
Automatic Replenishment Trading Within a Defined Range The EA operates only within the predefined price range . When an order is closed, filled, or cancelled (reducing the total number of orders), the EA will automatically place new orders to maintain the continuous operation of the trading strategy. This EA is designed for ranging / sideways market conditions . You can control the total number of orders using Max Orders . Example: Max Orders: 8 Active trades: 2 Pending Buy Limit orders: 6 In t
Automatic Replenishment Trading Within a Defined Range The EA operates   only within the predefined price range . When an order is   closed, filled, or cancelled   (reducing the total number of orders), the EA will   automatically place new orders   to maintain the continuous operation of the trading strategy. This EA is   designed for ranging / sideways market conditions . You can control the total number of orders using   Max Orders . Example: Max Orders:   8 Active trades:   2 Pending Sell L
WalkForwardOptimizer MT5
Stanislav Korotky
3.78 (9)
WalkForwardOptimizer library allows you to perform rolling and cluster walk-forward optimization of expert advisers (EA) in MetaTrader 5. To use the library include its header file WalkForwardOptimizer.mqh into your EA source code, add call provided functions as appropriate. Once the library is embedded into EA, you may start optimization according to the procedure described in the User guide . When it's finished, intermediate results are saved into a CSV file and some special global variables.
Here   is   the   English translation   of   your   description   for   the EA   (Expert   Advisor): --- This   is a   time -based   automatic trading   EA . It allows   you   to   set the   exact   time   for trading , down   to   the   second , and   specify the   maximum number   of   orders . You   can choose   to   place   either   buy   or   sell   orders . It   is possible to   set take   profit and   stop   loss   points . Additionally , you can   specify   how   long after   placing  
Questa libreria ti consentirà di gestire le operazioni utilizzando qualsiasi tuo EA ed è molto facile da integrare su qualsiasi EA, cosa che puoi fare tu stesso con il codice script menzionato nella descrizione e anche esempi demo su video che mostrano il processo completo. - Ordini con limite di posizionamento, limite SL e limite di take profit - Ordini di mercato, mercato SL, mercato TP - Modifica ordine limite - Annulla Ordine - Interroga gli ordini - Cambia leva, margine - Ottieni inf
Native Websocket
Racheal Samson
5 (6)
An   easy to use, fast,  asynchronous   WebSocket library  for MQL5. It supports: ws://   and   wss://  (Secure "TLS" WebSocket) text   and   binary   data It handles: fragmented message  automatically (large data transfer) ping-pong   frames  automatically (keep-alive handshake) Benefits: No DLL required. No OpenSSL installation required. Up to 128 Web Socket Connections from a single program. Various Log Levels for error tracing Can be synchronized to MQL5 Virtual Hosting . Completely native t
TupoT3
Li Guo Yin
突破交易策略:智能风控系统升级版‌ 当价格突破关键阻力位时,往往意味着趋势的质变时刻。我们的突破交易策略通过三重智能系统——‌动态阈值识别‌、‌量能验证机制‌和‌自适应止损算法‌,帮助交易者精准捕捉这些跃迁机会。 ‌核心优势‌: ‌智能预警‌:实时监测200+技术指标,自动标记潜在突破位 ‌风险对冲‌:突破失败时自动触发0.5秒内止损,保护本金安全 ‌多周期验证‌:结合日线/4小时/1小时数据过滤假信号 ‌实战案例‌: 2025年第二季度,该策略在现货黄金市场实现连续23次有效突破,平均持仓周期缩短至4.7小时,收益率达传统趋势策略的3.2倍。 ‌智能风控系统‌: ‌动态止盈‌:根据ATR指标自动调整止盈位,锁定利润的同时保留上行空间 ‌分级止损‌:首次突破失败后自动切换至1:1盈亏比保护模式,二次突破确认后恢复原策略 本EA依下图设置做黄金1小时图线,经长时期实盘验证年利润达到30多倍,修改参数可以用作比特币和纳斯达克指数都有很好的收益。
The library is dedicated to help manage your trades, calculate lot, trailing, partial close and other functions. Lot Calculation Mode 0: Fixed Lot. Mode 1: Martingale Lot (1,3,5,8,13) you can use it in different way calculate when loss=1 ,when profit=0. Mode 2: Multiplier Lot (1,2,4,8,16) you can use it in different way calculate when loss=1 ,when profit=0. Mode 3: Plus Lot (1,2,3,4,5) you can use it in different way calculate when loss=1 ,when profit=0. Mode 4: SL/Risk Lot calculate based on s
Friends, join us! Ask questions and connect with like-minded traders: MetaCOT Public Group MetaCOT Information Channel: news, CFTC reports, and signals: MetaCOT Channel Here’s to successful trading and new profitable signals for us all! Attention! Recently, certain countries have been blocking access to the cftc.gov website. As a result, users in these countries are giving the product low ratings. MetaCOT has always adhered to the highest quality standards and is in no way associated with th
This is a simplified and effective version of the library for walk forward analysis of trading experts. It collects data about the expert's trade during the optimization process in the MetaTrader tester and stores them in intermediate files in the "MQL5\Files" directory. Then it uses these files to automatically build a cluster walk forward report and rolling walk forward reports that refine it (all of them in one HTML file). Using the WalkForwardBuilder MT5 auxiliary script allows building othe
OrderBook History Library
Stanislav Korotky
3 (2)
Order Book, known also as Market Book, market depth, Level 2, - is a dynamically updated table with current volumes of orders to buy and to sell specific financial instument at price levels near Bid and Ask. MetaTrader 5 provides the means for receiving market book from your broker, but in real time only, without access to its history. The library OrderBook History Library reads market book state in the past from archive files, created by OrderBook Recorder . The library can be embedded into you
BitMEX Trading API
Romeu Bertho
5 (1)
Cryptocurrency analysis has never been easier with Crypto Charts for MetaTrader 5. Now, trading on BitMEX has never been easier with BitMEX Trading API for MetaTrader 5. BitMEX Trading API library was built to be as easy to use as possible. Just include the library into your Expert Advisor or Script, call the corresponding methods and start trading! Features Trade on BitMEX and BitMEX Testnet. Build and automate your strategies. Concern more with the trading strategy logic and less with the co
Teclado trader, é uma BIBLIOTECA que você pode chamar no OnChartEvent para abrir posição de compra/venda/zerar, os botões padrões são: V = venda C = compra Z = zerar posições a mercado S = zerar posições opostas e depois a mercado X = zerar posições opostas Além da função de teclado, é possível mostrar os estados do ExpertAdvisor usando o MagicId, com informação de: lucro mensal, semanal, diario, e posição aberta, para isto use o OnTick, ou qualquer outro evento (OnTimer / OnTrade / OnBookEven
Gold plucking machine   Gold plucking machine is an Expert Advisor designed specifically for trading gold. The operation is based on opening orders using the Fast and Slow lines indicator, thus the EA works according to the "Trend Follow" strategy, which means following the trend. Use grid strategy to place orders without stop loss operation, so please make sure the account has sufficient funds. magic number      -  is a special number that the EA assigns to its orders. Lot Multiplier        - 
The library is used to develop automatic trading on Binance Futures Market from MT5 platform. Support Binance Futures USD-M and COIN-M Support Testnet mode Support all order types: Limit, Market, StopLimit, StopMarket, StopLoss and TakeProfit Automatically display the chart on the screen Usage: 1. Open MQL5 demo account 2. Download Header file and EA sample https://drive.google.com/uc?export=download&id=17fWrZFeMZoSvH9-2iv4WDJhcyxG2eW17 Copy BinanceFutures.mqh to folder \MQL5\Include Copy  Bina
MT4/5通用交易库(  一份代码通用4和5 ) #ifdef __MQL5__      #define KOD_TICKET ulong      #define KOD_MAGIC   long #else        #define KOD_TICKET long      #define KOD_MAGIC   int #endif class ODLIST; #import "K Trade Lib Pro 5.ex5"       //祝有个美好开始,运行首行加入    void StartGood() ;    //简单开单    long OrderOpen( int type, double volume, int magic, string symbol= "" , string comment= "" , double opprice= 0 , double sl= 0 , double tp= 0 , int expiration= 0 , bool slsetmode= false , bool tpsetmode= false );    //复杂开单
If you're a trader looking to use Binance.com and Binance.us exchanges directly from your MetaTrader 5 terminal, you'll want to check out Binance Library MetaTrader 5. This powerful tool allows you to trade all asset classes on both exchanges, including Spot, USD-M   and COIN-M futures, and includes all the necessary functions for trading activity. Important: you need to have source code to properly implement the library. With Binance Library MetaTrader 5, you can easily add instruments from Bi
1. What is this The MT5 system comes with very few optimization results. Sometimes we need to study more results. This library allows you to output more results during backtest optimization. It also supports printing more strategy results in a single backtest. 2. Product Features The results of the optimized output are quite numerous. CustomMax can be customized. The output is in the Common folder. It is automatically named according to the name of the EA, and the name of the same EA will be au
T5L Library is necessary to use the EAs from TSU Investimentos, IAtrader and others. It contains all the functions framework needed to Expert Advisors working properly.  ツ - The Expert Advisors from  TSU Investimentos does not work without this library,  the T5L library can have updates during the year - At this Library you will find several funcionalities like order sends, buy and sell, trigger entry points check, candlestick analyses, supply and demmand marking and lines, and much more. 
AO Core
Andrey Dik
3.67 (3)
AO Core is the core of the optimization algorithm, it is a library built on the author's HMA (hybrid metaheuristic algorithm) algorithm. Pay attention to the MT5 Optimization Booster product , which makes it very easy to manage the regular MT5 optimizer . An example of using AO Core is described in the article: https://www.mql5.com/ru/articles/14183 https://www.mql5.com/en/blogs/post/756510 This hybrid algorithm is based on a genetic algorithm and contains the best qualities and properties of p
EA Toolkit
Esteban Thevenon
EA Toolkit   is a library that allows any developer to quickly and easily program Advisor experts. It includes many functions and enumerations such as trailing stop, lot, stop loss management, market trading authorisations, price table updates, trading conditions and many more. Installation + Documentation : You will find all the information to install this library and the documentation of its functions on this GitHub : https://github.com/Venon282/Expert-Advisor-Toolkit WARNING : The installat
GetFFEvents MT5 I tester capability
Hans Alexander Nolawon Djurberg
Want to get all events like Previous/Forecast/Actual values for each news to analyze/predict it? By this simple library you can do it easily,Just import/integrate the library into your system,then get all possible values for each news   Even In Strategy Tester   . Note: Please add the address " https://www.forexfactory.com/ " of news feed at your MT5 tab > Tools > Options > Expert Advisors > Check Allow web request for listed URL. Since the WebRequest() function can't be called from indicator ba
A Simple Moving Average (SMA) is a statistical indicator used in time series analysis. This indicator represents the arithmetic mean of a sequence of values over a specific period of time. SMA is used to smooth short-term fluctuations in data, helping to highlight the overall trend or direction of changes. This aids analysts and traders in better understanding the general dynamics of the time series and identifying potential trends or changes in direction.  More information you can find in Wiki 
Hello everyone! I am a professional MQL programmer , Making EAs, Indicators and Trading Tools for my clients all over the world. I build 3-7 programs every week but I seldomly sell any ready-made Robots. Because I am fastidious and good strategy is so few...  this EA is the only one so far I think its good enough to be published here.  As we all know, the Ichimoku indicator has become world popular for decades, but still, only few people knows the right way of using it, and if we check the clo
Applying these methods, I managed to arrive at a nuanced conclusion that is crucial to understanding the importance of unique strategies in contemporary trading. Although the neural network advisor showed impressive efficiency in the initial stages, it proved to be highly unstable in the long run. Various factors such as market fluctuations, trend changes, external events, etc. cause its operation to be chaotic and eventually lead to instability. With these experiences, I accepted the challenge
Altri dall’autore
Big Player Range
Thalles Nascimento De Carvalho
5 (3)
BigPlayerRange – Il miglior indicatore per MT5 BigPlayerRange è considerato il miglior indicatore per Mini Indice e Mini Dollaro su MetaTrader 5. Questo strumento essenziale evidenzia le zone strategiche di azione dei grandi player, offrendo un’analisi tecnica istituzionale di altissima precisione. Come usare BigPlayerRange: Questo indicatore mostra zone di acquisto (linea verde) e di vendita (linea rossa). Quando il prezzo chiude fuori da queste aree, è probabile un movimento di tendenz
Tape Hunter
Thalles Nascimento De Carvalho
Tape Hunter – Il tuo radar Sforzo vs Risultato su MT5 Tape Hunter è l’indicatore definitivo per i trader che vogliono vedere il vero gioco dei prezzi su MetaTrader 5. Mostra in modo chiaro e intuitivo i volumi aggressivi di acquisto e vendita basati sul POC (Point of Control), permettendoti di visualizzare lo sforzo del mercato e il risultato reale di ogni candela. ️ Perché è importante? Non tutti i volumi muovono il prezzo! Tape Hunter evidenzia se lo sforzo (volume aggressivo) sta davv
VWAP FanMaster
Thalles Nascimento De Carvalho
3.5 (2)
VWAP FanMaster: Padroneggia la strategia del pullback con precisione! VWAP FanMaster è l'indicatore definitivo per i trader che cercano entrate precise e pullback efficaci . Combina la potenza del VWAP (Prezzo Medio Ponderato per il Volume) con le linee Fibonacci Fan , fornendo una mappa chiara delle zone di interesse nel mercato. Caratteristiche principali Semplice ma potente : Basta spostare le linee verticali e l'indicatore traccerà automaticamente VWAP e le linee Fibonacci Fan .
FREE
Swing Point Volume
Thalles Nascimento De Carvalho
Swing Point Volume, the indicator that signals weakness and strength at the tops and bottoms. This indicador can be for used the Wyckoff Method. Information provided; - Swing on customized ticks. - Volume and points in each balance sheet. - Percentage of Displacement. - Sound alert option on top and bottom breaks. - Volume in ticks and Real Volume. - Volume HL (extreme) or (opening and closing) - Customized volume shapes.
Book Data Binance
Thalles Nascimento De Carvalho
Book Data Binance! Hai mai immaginato di avere accesso al libro degli ordini della tua criptovaluta preferita, con dettagli su prezzi, volumi e analisi degli squilibri, anche se il tuo exchange non offre accesso al DOM? Con Book Data Binance, questa possibilità diventa realtà! Questo script in MQL5 è stato sviluppato appositamente per i trader di criptovalute che cercano una comprensione approfondita delle dinamiche di mercato. Caratteristiche principali: Accesso diretto al libro
FREE
Imbalance DOM Pro
Thalles Nascimento De Carvalho
5 (1)
Imbalance DOM Pro: Potenzia le tue operazioni con l'imbalance del book HAI ACCESSO AL BOOK SU MT5? VUOI PORTARE IL TUO TRADING A UN LIVELLO SUPERIORE? Se fai trading basato sul flusso degli ordini, Imbalance DOM Pro può rivoluzionare la tua analisi. Perfetto per scalper e trader a breve termine, questo strumento identifica gli squilibri nel book degli ordini, offrendo opportunità di trading preziose per entrate e uscite rapide e precise. Cogli opportunità nei piccoli movimenti di prezzo
Volume Flow Binance
Thalles Nascimento De Carvalho
Volume Flow Binance! Hai mai immaginato di poter accedere ai times and trades della tua criptovaluta preferita, con dettagli sul flusso dei volumi e sull'analisi dei movimenti di prezzo, anche se il tuo broker non offre un accesso completo alla cronologia delle transazioni? Con Volume Flow Binance , ora è realtà! Questo script in MQL5 è stato progettato per i trader di criptovalute che cercano una visione dettagliata della dinamica del mercato in tempo reale. Caratteristiche princ
FREE
Cumulative Volume Bands
Thalles Nascimento De Carvalho
CVB Cumulative Volume Bands: Potenzia le tue operazioni con il volume accumulato! CVB Cumulative Volume Bands è un indicatore avanzato progettato per i trader che cercano segnali precisi basati sul volume accumulato. Utilizzando bande di volume accumulato, questo indicatore offre letture chiare delle pressioni di acquisto e vendita nel mercato, aiutando a identificare inversioni e forti movimenti dei prezzi. Cumulative Volume Bands for MT5 ! Caratteristiche principali: Analisi
Footprint Hunter
Thalles Nascimento De Carvalho
Footprint Hunter – Il tuo radar Sforzo vs Risultato su MT4 Tape Hunter è l’indicatore definitivo per i trader che vogliono vedere il vero gioco dei prezzi su MetaTrader 4. Mostra in modo chiaro e intuitivo i volumi aggressivi di acquisto e vendita basati sul POC (Point of Control), permettendoti di visualizzare lo sforzo del mercato e il risultato reale di ogni candela. ️ Perché è importante? Non tutti i volumi muovono il prezzo! Tape Hunter evidenzia se lo sforzo (volume aggressivo) sta
Atr Projection
Thalles Nascimento De Carvalho
L'indicateur ATR Projeção se distingue comme un outil robuste dans l'analyse technique, conçu pour fournir des informations précises sur les limites potentielles des mouvements de prix sur les marchés financiers. Son approche flexible permet aux utilisateurs de personnaliser de manière intuitive les métriques d'analyse, en s'adaptant aux besoins spécifiques de chaque actif négocié. Fonctionnement personnalisable : Par défaut, l'ATR Projeção fonctionne en considérant 30 % de la moyenne des 100
Box Weis Wave
Thalles Nascimento De Carvalho
5 (1)
Eleva la Tua Analisi con il Weis Wave Box ! Se cerchi precisione e chiarezza nelle tue operazioni , il Weis Wave Box è lo strumento ideale. Questo indicatore avanzato di onde di volume offre una visualizzazione chiara della dinamica tra sforzo e risultato nel mercato, essenziale per i trader che utilizzano la lettura del flusso e del volume. Caratteristiche principali: Onde di volume personalizzabili – regola in ticks per allinearti alla tua strategia. Storico regolabile – analizza pe
Long Short Pro
Thalles Nascimento De Carvalho
Indicatore Long & Short - Versione Pro: Sblocca il Potenziale Illimitato della Tua Analisi di Mercato! Nessuna Limitazione per Qualsiasi Attivo La versione Pro dell’indicatore Long & Short ti offre la libertà totale di utilizzarlo su qualsiasi strumento finanziario. Niente più limitazioni – applica lo stesso indicatore a tutti i tuoi attivi preferiti! Senza Limitazioni Approfitta di tutte le funzionalità dell’indicatore senza alcuna restrizione. La versione Pro offre un’esperienza c
AI Channel
Thalles Nascimento De Carvalho
AI Channel | Indicatore MT5 con intelligenza artificiale per canali di prezzo AI Channel: Strumento avanzato di analisi tecnica basato sull’intelligenza artificiale AI Channel è uno strumento potente che utilizza l’intelligenza artificiale per analizzare i canali di prezzo nei mercati finanziari. In questa sezione esploreremo come questo indicatore rivoluzionario possa aiutare investitori e trader a prendere decisioni più informate e strategiche. Cos’è l’indicatore AI Channel? AI Ch
Didi Index Volume
Thalles Nascimento De Carvalho
Presentiamo il Didi Index Volume, un indicatore di analisi tecnica sviluppato dal trader brasiliano Odir Aguiar, che si distingue per il suo approccio avanzato e potente nell'individuazione delle opportunità nei mercati finanziari. Disponibile su diverse piattaforme, il Didi Index Volume è diventato uno strumento essenziale per i trader che cercano informazioni precise e preziose per le loro strategie di trading. L'indicatore combina il rinomato Didi Index, creato da Odir Aguiar, con l'intellig
TimeChannel
Thalles Nascimento De Carvalho
The "Timechannel" is a powerful technical analysis tool designed specifically for traders who want to gain deeper and more accurate insights into price movements across multiple timeframes (multi-timeframe). This indicator is an essential addition to the toolbox of any serious trader seeking to make informed and data-driven trading decisions. Key Features: Advanced Multi-Timeframe Analysis : Timechannel allows traders to analyze price movements on different timeframes simultaneously. This is cr
Master OBV
Thalles Nascimento De Carvalho
MasterOBV: Domina le Tendenze di Mercato con Precisione! MasterOBV è un indicatore di analisi tecnica che combina volume , correlazione positiva e una Media Mobile (MA) per affinare l'identificazione delle tendenze sui mercati finanziari. Funzionalità Principali: Volume Intelligente: Analizza il volume delle transazioni per identificare cambiamenti significativi nella forza della tendenza. Correlazione Positiva: Include asset correlati per ottenere una visione più ampia e precisa, ra
VolaMetrics VSA
Thalles Nascimento De Carvalho
VolaMetrics VSA | Un Potente Alleato nell'Analisi Tecnica Il VolaMetrics VSA è un indicatore di analisi tecnica che combina il metodo Volume Spread Analysis (VSA) con un'analisi dettagliata del volume delle transazioni . Progettato per identificare e tracciare i movimenti significativi dei prezzi , il VolaMetrics VSA utilizza l'interazione tra volume e spread dei prezzi per fornire intuizioni preziose che possono aiutare nelle decisioni di trading. Fondamenti della Volume Spread Analysis (VSA
SwingVolumePro
Thalles Nascimento De Carvalho
Panoramica SwingVolumePro è un indicatore avanzato e versatile, progettato per essere utilizzato su una vasta gamma di strumenti finanziari e per supportare diversi stili di trading. Basato su un'analisi rigorosa di volume e prezzo, fornisce segnali chiari e precisi che consentono ai trader di tutti i livelli di prendere decisioni informate basate su dati di alta qualità. SwingVolumePro.PDF Caratteristiche principali Versatilità: SwingVolumePro può essere applicato a vari asset, tra
CVD SmoothFlow Pro
Thalles Nascimento De Carvalho
CVD SmoothFlow Pro - Analisi del Volume Illimitata per Qualsiasi Attivo! CVD SmoothFlow Pro è la soluzione definitiva per i trader che cercano un'analisi del volume precisa e illimitata. Utilizzando il calcolo del Cumulative Volume Delta (CVD) con filtraggio avanzato del rumore, la versione Pro offre la flessibilità e la precisione necessarie per operare su qualsiasi strumento finanziario. Cosa offre CVD SmoothFlow Pro? Analisi Chiara : Filtra il rumore di mercato e mette in risalto i movi
Cumulative Vol Bands
Thalles Nascimento De Carvalho
CVB Cumulative Volume Bands: Potenzia le tue operazioni con il volume accumulato! CVB Cumulative Volume Bands è un indicatore avanzato progettato per i trader che cercano segnali precisi basati sul volume accumulato. Utilizzando bande di volume accumulato, questo indicatore offre letture chiare delle pressioni di acquisto e vendita nel mercato, aiutando a identificare inversioni e forti movimenti dei prezzi. Caratteristiche principali: Analisi del Volume Accumulato : Rileva i punt
ZigWave Oscillator
Thalles Nascimento De Carvalho
ZigWave Oscillator: Potenzia le tue operazioni con oscillatori e ZigZag! Il ZigWave Oscillator è lo strumento perfetto per i trader che cercano precisione e chiarezza nell'analisi del mercato finanziario. Questo indicatore combina la forza degli oscillatori con la semplicità visiva dello ZigZag, aiutandoti a identificare le migliori opportunità di acquisto e vendita con rapidità ed efficienza. Perché scegliere il ZigWave Oscillator? Analisi precisa degli oscillatori : Integra RSI, Will
Times and Sales Pro
Thalles Nascimento De Carvalho
Times and Sales Pro: Ottimizza le tue operazioni con il Disequilibrio nel Flusso delle Transazioni Opportunità in Piccole Variazioni di Prezzo Times and Sales Pro è uno strumento essenziale per gli analisti che operano il flusso degli ordini attraverso Times and Trades . Ideale per gli scalper, è stato progettato per coloro che desiderano sfruttare piccole fluttuazioni di prezzo con alta precisione. Con calcoli avanzati, l'indicatore identifica i disequilibri nelle transazioni, fornendo
Mini Indice Composition
Thalles Nascimento De Carvalho
Mini Índice Composition: A Revolução na Análise do Mini Índice! O Mini Índice Composition é um indicador inovador que monitora em tempo real as principais ações que compõem o mini índice, trazendo uma visão quantitativa poderosa sobre o fluxo de ordens do mercado! Como Funciona? Diferente de outros indicadores que utilizam apenas dados históricos, o Mini Índice Composition faz uma leitura ao vivo das ordens que entram e saem das ações, pesando o impacto direto no mini índice. Com
Radar DI
Thalles Nascimento De Carvalho
Radar DI – Indicador de Taxa de Juros para Mini Índice e Mini Dólar com Exportação CSV e Integração IA Radar DI é um indicador especializado que transforma as variações da taxa de juros DI (Depósitos Interfinanceiros) em sinais operacionais estratégicos para os ativos mini índice (WIN) e mini dólar (WDO) . NOVA FUNCIONALIDADE: Exportação CSV + Integração com IA Agora o Radar DI permite exportar todos os dados em formato CSV , incluindo: Variações dos DIs Variação do Mini Índice (WIN)
Cvd Divergence
Thalles Nascimento De Carvalho
CVD Divergence – Analisi Professionale del Flusso Ordini e delle Divergenze CVD Divergence è un indicatore tecnico progettato per rilevare divergenze affidabili tra il prezzo e il Cumulative Delta Volume (CVD). Identifica con precisione i momenti in cui il flusso reale degli ordini non conferma il movimento del prezzo, rivelando possibili inversioni, esaurimento del momentum e manipolazioni istituzionali. L’indicatore combina la lettura del volume aggressivo con l’analisi strutturale del prezzo,
Filtro:
Nessuna recensione
Rispondi alla recensione