LSTM Library

LSTM Library - Redes Neurais Avançadas para MetaTrader 5

Biblioteca Profissional de Redes Neurais para Trading Algorítmico

LSTM Library traz o poder das redes neurais recorrentes para suas estratégias de trading em MQL5. Esta implementação de nível profissional inclui redes LSTM, BiLSTM e GRU com recursos avançados tipicamente encontrados apenas em frameworks especializados de machine learning.

"O segredo do sucesso em Machine Learning para trading está no tratamento adequado dos dados. Garbage In, Garbage Out – a qualidade das suas previsões nunca será superior à qualidade dos seus dados de treinamento."
— Dr. Marcos López de Prado, Advances in Financial Machine Learning

Recursos Principais

  • Implementação completa de LSTM, BiLSTM e GRU
  • Dropout recorrente para melhor generalização
  • Múltiplos algoritmos de otimização (Adam, AdamW, RAdam)
  • Técnicas avançadas de normalização
  • Sistema abrangente de avaliação de métricas
  • Visualização do progresso de treinamento
  • Suporte para dados desbalanceados com pesos de classe

Especificações Técnicas

  • Implementação pura em MQL5 - sem dependências externas
  • Otimizada para aplicações de trading
  • Tratamento e validação abrangente de erros
  • Suporte completo para salvar/carregar modelos treinados
  • Documentação extensa

Instruções de Integração

Para integrar a LSTM Library ao seu Expert Advisor, siga estes passos:

1. Importação Completa da Biblioteca

#import "LSTM_Library.ex5"
   // Informações da Biblioteca
   void GetLibraryVersion(string &version);
   void GetLibraryInfo(string &info);
   
   // Gerenciamento de Modelos
   int CreateModel(string name);
   int DeleteModel(int handle);
   
   // Construção de Camadas
   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);
   
   // Compilação e Treinamento
   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);
   
   // Predição e Avaliação
   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[]);
   
   // Pré-processamento de Dados
   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);
   
   // Callbacks e Schedulers
   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ários
   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. Inicialização em OnInit()

int model_handle = 0;

int OnInit()
{
   // Criar modelo LSTM
   model_handle = CreateModel("TradingModel");
   if(model_handle <= 0)
      return INIT_FAILED;
      
   // Adicionar camadas
   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;
   
   // Compilar modelo (otimizador Adam, perda MSE)
   if(CompileModel(model_handle, 1, 0.001, 0) <= 0)
      return INIT_FAILED;
   
   // Carregar modelo existente se disponível
   if(FileIsExist("model.bin"))
      LoadModel(model_handle, "model.bin");
   
   return INIT_SUCCEEDED;
}

3. Limpeza em OnDeinit()

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

4. Uso em OnTick()

void OnTick()
{
   // Preparar características
   double features[50];  // Por exemplo, 5 características * 10 comprimento de sequência
   
   // Preencher array de características com dados do mercado
   // ...
   
   // Fazer predição
   double prediction[];
   if(PredictSingle(model_handle, features, ArraySize(features), prediction) > 0)
   {
      if(prediction[0] > 0.5)
      {
         // Sinal de alta - colocar ordem de compra
      }
      else
      {
         // Sinal de baixa - colocar ordem de venda
      }
   }
}

APROVEITE O PODER DO MACHINE LEARNING NO TRADING

A LSTM Library foi projetada para ser facilmente integrada em seus EAs e indicadores, fornecendo recursos avançados de machine learning diretamente no MetaTrader 5.

Siga o exemplo de código acima para começar a implementar previsões baseadas em redes neurais em seus sistemas de trading. O exemplo simples pode ser facilmente adaptado para suas necessidades específicas.

Explore os recursos avançados detalhados abaixo para aproveitar todo o potencial desta biblioteca em suas estratégias de trading.

Recursos Avançados Disponíveis

Variantes de Camadas Recorrentes

  • AddLSTMLayerEx() - LSTM com dropout recorrente para melhor generalização
  • AddBiLSTMLayerEx() - BiLSTM bidirecional com dropout recorrente

Normalização e Regularização

  • AddBatchNormLayer() - Normalização em batch para treinamento estável
  • AddLayerNormLayer() - Normalização por camada

Tratamento de Dados Desbalanceados

  • SetClassWeights() - Define pesos para classes minoritárias
  • EnableConfusionMatrixTracking() - Monitora detalhadamente o desempenho por classe

Otimização Avançada

  • AddCosineScheduler() - Taxas de aprendizado cíclicas com warm restarts
  • AddOneCycleLR() - Implementação do One-Cycle Learning Rate

Avaliação Completa

  • PredictBatch() - Previsões em lote para maior eficiência
  • EvaluateModel() - Avaliação completa em dados de teste
  • CalculateClassificationMetrics() - Métricas detalhadas (precisão, recall, F1)

Pré-processamento de Dados

  • CreateScaler/FitScaler - Normalização de dados de entrada
  • TransformData/InverseTransform - Conversão entre escalas

Requisitos

  • MetaTrader 5
  • Entendimento básico de conceitos de machine learning
  • Habilidades intermediárias de programação em MQL5

POTENCIALIZE SEUS SISTEMAS DE TRADING

Transforme suas estratégias e indicadores existentes com o poder do aprendizado de máquina diretamente em MQL5. Esta integração direta significa sem conexões externas, sem dependências Python e sem complexidades de API - apenas poder preditivo puro dentro da sua plataforma de trading.

Se você está desenvolvendo sistemas de previsão de preços, previsão de volatilidade ou reconhecimento avançado de padrões, LSTM Library fornece a base para decisões de trading verdadeiramente inteligentes que se adaptam às condições de mercado em mudança.

Palavras-chave: Previsão de Ações LSTM, Previsão de Preços LSTM, Trading com Redes Neurais, Deep Learning MQL5, Previsão de Séries Temporais, Machine Learning Forex, Trading de Criptomoedas com IA, Reconhecimento de Padrões de Mercado, Sistema de Trading BiLSTM, Análise de Mercado GRU, Trading Algorítmico com IA, MQL5 Deep Learning, Previsão de Direção de Preço, Machine Learning para HFT

Produtos recomendados
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
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
Custom Alerts: Monitore vários mercados e não perca nenhuma oportunidade importante Visão geral Custom Alerts é uma solução dinâmica para traders que desejam monitorar configurações potenciais em vários instrumentos a partir de um único local. Integrando dados de nossas ferramentas principais — como FX Power, FX Volume, FX Dynamic, FX Levels e IX Power — o Custom Alerts notifica automaticamente sobre movimentos importantes do mercado, sem a necessidade de alternar entre diversos gráficos ou pe
Molo kumalo
James Ngunyi Githemo
Trading Forex with our platform offers several key advantages and features: Real-time Data : Stay updated with live market data to make informed decisions. User-Friendly Interface : Easy-to-navigate design for both beginners and experienced traders. Advanced Charting Tools : Visualize trends with interactive charts and technical indicators. Risk Management : Set stop-loss and take-profit levels to manage your risk. Multiple Currency Pairs : Access a wide range of forex pairs to diversify your tr
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
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
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
EagleFX10
Youssef Wajih Saeed I Said It Here
Summary EagleFX is a fully automated Expert Advisor (EA) for MetaTrader 5 that executes high-precision, algorithmic trading strategies 24/7 across multiple instruments   Investopedia HandWiki . It removes emotion from decision-making, rigorously backtests every signal, dynamically adjusts risk parameters, and leverages advanced machine-learning-inspired memory modules to continuously refine its performance   Investopedia Investopedia . Continuous, Emotionless Execution EagleFX operates around t
Good Monday MT5
Konstantin Kulikov
4.5 (2)
The expert trades at the opening of the market after the weekend, focusing on the price gap (GAP). Various sets of settings are ready (trading against or towards the GAP). At the same time, various options are available in the expert settings, allowing you to create your own unique sets yourself.    >>> Chat <<< Currency pairs for which the sets have been developed: GBPUSD, AUDUSD, NZDUSD, USDCAD, EURGBP, EURCHF, GBPCAD, GBPAUD, AUDCHF, AUDJPY, AUDNZD, CHFJPY, CADJPY, NZDJPY, NZDCHF, EURUSD, G
Tulips MT5
Kun Jiao
4.86 (7)
Descrição da Estratégia Tulip EA Estratégia principal Seguimento de tendência : Com stop-loss, sem estratégias arriscadas como Martingale ou grid. Negociações independentes (compra/venda) : Analisa padrões de candlestick para entrar no início de tendências. Parâmetros Parâmetro Padrão / Descrição Parâmetro de estabilidade 5 (padrão) Ativo Ouro (XAUUSD) Stop Loss / Take Profit SL 0.3%, TP 1.2% Tamanho do lote 0.01 (padrão) Gerenciamento automático 0.01 lote por $10 000 de saldo Período gráfico M
FREE
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
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
VIX Momentum Pro EA - Descrição do produto Visão geral VIX Momentum Pro é um sistema de negociação algorítmica sofisticado projetado exclusivamente para Índices Sintéticos VIX75. O algoritmo emprega análise avançada de múltiplos prazos combinada com técnicas proprietárias de detecção de momentum para identificar oportunidades de negociação de alta probabilidade no mercado de volatilidade sintética. Estratégia de negociação O Expert Advisor opera com uma abordagem abrangente baseada em momentum
Dumangan MT5
Jose Lagayan
Introducing Dumangan MT5 - The Philippine God Of Harvest (MT4 Version -  https://www.mql5.com/en/market/product/98661 ) Experience the abundance of successful trades with Dumangan MT5, our new Expert Advisor available on MQL5.com. Named after the revered Philippine God of Harvest, Dumangan, this tool embodies the essence of reaping profits from the fertile ground of the markets, just like Dumangan blessed the fields with bountiful crops. A Focused Strategy with Customizable Settings Dumangan MT5
FREE
Market book tester
Aliaksandr Hryshyn
1 (1)
Usando dados do livro de pedidos no testador de estratégia Características principais: Uso simultâneo de vários símbolos, até 7 peças Visualização DOM Com a visualização das carteiras de pedidos, está disponível simulação em tempo real, bem como aceleração ou desaceleração Trabalhando com a biblioteca: Este produto também requer um utilitário para salvar dados: https://www.mql5.com/en/market/product/71642 Utilitário de controle de velocidade: https://www.mql5.com/pt/market/product/81409 Incluir
FREE
MetaCOT 2 CFTC ToolBox MT5
Vasiliy Sokolov
3.67 (3)
MetaCOT 2 CFTC ToolBox is a special library that provides access to CFTC (U.S. Commodity Futures Trading Commission) reports straight from the MetaTrader terminal. The library includes all indicators that are based on these reports. With this library you do not need to purchase each MetaCOT indicator separately. Instead, you can obtain a single set of all 34 indicators including additional indicators that are not available as separate versions. The library supports all types of reports, and prov
The MetaCOT 2 CFTC ToolBox Demo is a special version of the fully functional MetaCOT 2 CFTC ToolBox MT5 library. The demo version has no restrictions, however, unlike the fully functional version, it outputs data with a delay. The library provides access to the CFTC (U.S. Commodity Futures Trading Commission) reports straight from the MetaTrader terminal. The library includes all indicators that are based on these reports. With this library you do not need to purchase each MetaCOT indicator sepa
FREE
FridayGoldRush
Lukas Matthias Wimmer
1 (1)
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
EvoTrade EA MT5
Dolores Martin Munoz
4.04 (23)
EvoTrade: O Primeiro Sistema de Trading Autoaprendizado do Mercado Permita-me apresentar o EvoTrade, um consultor de trading único desenvolvido com tecnologias de ponta em visão computacional e análise de dados. Este é o primeiro sistema de trading autoaprendizado no mercado, operando em tempo real. O EvoTrade analisa as condições do mercado, ajusta estratégias e se adapta dinamicamente às mudanças, oferecendo precisão excepcional em qualquer ambiente. O EvoTrade utiliza redes neurais avançadas,
K Trade Lib5
Kaijun Wang
2 (1)
MT4/5通用交易库(  一份代码通用4和5 ) #import "K Trade Lib5.ex5"    //简单开单    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 );    //复杂开单    void SetMagic( int magic, int magic_plus= 0 ); void SetLotsAddMode(int mode=0,double lotsadd=0);    long OrderOpenAdvance( int mode, int type, double volume, int step, int magic, string symbol= "" , string comm
FREE
Exact Time — detailed time on the seconds chart. The utility shows the opening time of the selected candle. This is necessary when working with seconds charts. For example, it can be used on a seconds chart built using the Seconds Chart utility. Inputs Base corner — the chart corner to which an object Is attached. X distance — the horizontal distance from the chart corner. Y distance — the vertical distance from the chart corner. Text font — font name Font size — font size Color — text color
FREE
Smart FVG Stats
- Md Rashidul Hasan
The  Smart FVG Statistics Indicator  is a powerful MetaTrader 5 tool designed to automatically identify, track, and analyze Fair Value Gaps (FVGs) on your charts. Love it? Hate it? Let me know in a review! Feature requests and ideas for new tools are highly appreciated. :) Try "The AUDCAD Trader": https://www.mql5.com/en/market/product/151841 Key Features Advanced  Fair Value Gap  Detection Automatic Identification : Automatically scans for both bullish and bearish FVGs across specified histo
FREE
Best Scalper XAUUSD 30min
Bruno Alexandre Azevedo Dantas
Este robô foi criado exclusivamente para operar no ouro (XAUUSD) e funciona melhor em timeframes médios (M30, H1) . Diferente de scalpers tradicionais, o Best Scalper XAUUSD 30min foca em reversões de tendência , utilizando indicadores avançados como RSI, Bandas de Bollinger e Price Action . A estratégia é baseada em detectar níveis críticos de suporte e resistência , onde o mercado tem uma grande probabilidade de inverter a tendência. Ele combina essa análise com volatilidade intradiária , gar
FREE
Chart Navigator Pro
ELITE FOREX TRADERS LLC
Introducing the   Elite Chart Navigator   — your ultimate MetaTrader 5 Expert Advisor designed to revolutionize multi-symbol trading with seamless chart navigation and superior usability. Product Overview The   Elite Chart Navigator EA   is a sophisticated trading utility enabling rapid switching between multiple trading pairs through an intuitive on-chart button interface. Built for professional traders managing numerous instruments, this EA dramatically improves workflow efficiency, ensuring
FREE
Templerfx Nightmare is an EA that uses artificial intelligence technology to analyze data of many indicators. EA will have the best option to enter orders. The biggest difference of Templerfx Nightmare  is that the EA can control the Risk:Reward ratio much better than other EAs.That is possible because of a set of indicators to control entry points and manage open orders.  This EA is specifically designed to maximize trading opportunities on (Rise 300 Index ) pair on the M15 timeframe on a spec
Gold Scalping Matrix MT5
Mohamed Abdulmohsen Mohamed Saeed Ali
The Gold Scalping Matrix is an advanced trading algorithm designed to capitalize on market action and price reversals in the gold market. This innovative bot employs real time market behavior trading strategy, intelligently placing buy and sell orders at predetermined intervals around the current market price.  *Key Features:* 1. *Psychological Analysis*: The bot leverages market sentiment indicators to identify potential reversal points, allowing it to predict shifts in investor behavior and
TrailingFusion
Christos Iakovou
FusionTrailing EA – Your Ultimate Weapon for Market Domination! Transform your trading and crush every market move with the most advanced trailing stop system available. FusionTrailing EA delivers unstoppable power with its dual-mode setup: • Fusion Mode: Automatically sets a bulletproof stop loss using a maximum loss threshold and activates smart trailing
FREE
Overview Are you tired of complex manual calculations, emotional execution errors, and the constant fear of risking too much? The Advanced Trade Manager (ATM) is your all-in-one solution, a professional-grade Expert Advisor for MetaTrader 5 designed to give you institutional-level control over every aspect of your trade. From flawless risk calculation to intelligent, one-click execution, the ATM EA streamlines your entire trading process, allowing you to focus on your strategy, not the mechanics
FREE
EA Pro Risk Panel
Sayed Ali Ordibehesht
EA PRO Risk Panel — painel de negociação e gestão de risco para MetaTrader 5 Créditos: Desenvolvido por Sayed Ali Ordibehesht e AliReza Asefpour. Visão geral O EA PRO Risk Panel dimensiona o risco, pré-visualiza ordens no gráfico e executa ordens a mercado e pendentes com controles claros de volume, stop loss e take profit. Não fornece sinais e não garante lucro. Recursos >> Ordens a mercado e pendentes Buy/Sell a mercado com Bid/Ask atuais. Buy/Sell pendente a partir de uma linha de entrada
FREE
Dual Watch MT5
Part-time Day Trader
Many traders analyze two timeframes to confirm trade setups. With Dual Watch FX, you can monitor two timeframes per symbol — neatly displayed as mini-charts within a single chart panel. The panel supports 14 symbols and includes built-in indicators. A subtle shading system between the upper and lower chart sets helps your eyes focus on one symbol at a time, reducing distractions and making it easier to concentrate on the chart that matters. Why Dual Charts Matter: Traders often watch two tim
FREE
Os compradores deste produto também adquirem
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
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
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.
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
Esta biblioteca permitirá que você gerencie negociações usando qualquer um de seus EA e é muito fácil de integrar em qualquer EA que você mesmo pode fazer com o código de script mencionado na descrição e também exemplos de demonstração em vídeo que mostram o processo completo. - Pedidos Place Limit, SL Limit e Take Profit Limit - Ordens Place Market, SL-Market, TP-Market - Modificar ordem de limite - Cancelar pedido - Consulta de pedidos - Mudança de alavancagem, margem - Obter informaçõe
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
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
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
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
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
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        - 
Gold plucking machine S   Gold plucking machine  S Gold plucking machine S   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
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 );    //复杂开单
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 é necessaria para o uso dos robos da TSU Investimentos, nele você tera todo o framework de funções para o funcionamento correto dos nossos Expert Advisors para MetaTrader 5  ツ . -   O Robos  Expert Advisors da TSU Invesitmentos não funcionarão sem esta biblioteca de funções, o T5L library podera receber atualizações e melhorias ao longo do tempo. - Na biblioteca que voçê encontrará f uncionalidades diversas como envio de ordens, compra e venda, verificação de gatilhos de entradas, an
AO Core
Andrey Dik
3 (2)
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
Essa biblioteca é usada para classificar matrizes de chave e valor, geralmente precisamos classificar valores. como na linguagem python sorted(key_value.items(), key = lambda kv:(kv[ 1 ], kv[ 0 ])) função de importação Exemplo de cenários de uso 1. As ordens do Grid EA são classificadas de acordo com o preço de abertura void SortedByOpenPride()   {    long     OrderTicketBuffer[];    double   OpenPriceBuffer[];    for ( int i = PositionsTotal ()- 1 ; i>= 0 ; i--)      {        if (m_positio
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 
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
Introducing "TG Risk Service Manager" — your comprehensive toolkit for swift and precise risk management and lot size calculations in the dynamic world of trading. Designed to streamline development processes and enhance trading strategies, this indispensable library equips developers with essential tools for optimizing risk assessment and trade profitability. Metatrader4 Version |  All Products  |  Contact   Key Features: Efficient Lot Size Calculation : Harness the power of precise lot size c
Introducing "TG Trade Service Manager" — your all-in-one solution for seamless trade management in both MQL4 and MQL5 environments. With a focus on speed, reliability, and convenience, this powerful library simplifies the complexities of trade execution and management, empowering developers with a single interface for enhanced efficiency. Metatrader4 Version   |   All Products   |   Contact   Key Features: Unified Interface : TG Trade Service Manager" provides a unified interface for   MQL4   an
The following library is proposed as a means of being able to use the OpenAI API directly on the metatrader, in the simplest way possible. For more on the library's capabilities, read the following article: https://www.mql5.com/en/blogs/post/756098 The files needed to use the library can be found here: Manual IMPORTANT: To use the EA you must add the following URL to allow you to access the OpenAI API as shown in the attached images In order to use the library, you must include the following Hea
This trailing stop application will helping trader to set the trailing stop value for many open positions, that apply a grid or martingale strategy as a solution. So if you apply a grid or martingale strategy (either using an EA or trading manually), and you don't have an application to set a trailing stop, then this application is the solution. For EAs with a single shot strategy, just use the FREE trailing stop application which I have also shared on this forum.
Mais do autor
Box Weis Wave
Thalles Nascimento De Carvalho
5 (1)
Eleve Sua Análise com o Weis Wave Box ! Se você busca precisão e clareza em suas negociações , o Box Weis Wave é a ferramenta ideal. Este indicador avançado de ondas de volume oferece uma visualização clara da dinâmica entre esforço e resultado no mercado, essencial para traders que utilizam leitura de fluxo e volume. Recursos em Destaque: Ondas de Volume Customizáveis – ajuste em ticks para alinhamento com sua estratégia. Histórico Ajustável – analise períodos específicos com mais pr
Footprint Hunter
Thalles Nascimento De Carvalho
Footprint Hunter – Seu Radar de Esforço vs Resultado no MT4 O Footprint Hunter é o indicador definitivo para traders que querem enxergar o verdadeiro jogo por trás dos preços no MetaTrader 4. Ele mostra de forma clara e intuitiva o volume de agressão de compra e venda, baseado no POC (Point of Control), dando a você a capacidade de visualizar o esforço do mercado e o resultado real em cada candle. ️ Por que isso importa? Nem todo volume gera movimento! O Footprint Hunter destaca se o es
Big Player Range
Thalles Nascimento De Carvalho
5 (3)
BigPlayerRange — Melhor Indicador para Mini Índice e Mini Dólar | MT5 Descubra o poder do BigPlayerRange , considerado o melhor indicador para mini índice e mini dólar no MetaTrader 5. Esta ferramenta essencial destaca zonas estratégicas de atuação dos grandes players, proporcionando análise técnica institucional com altíssima precisão. Como Funciona na Prática: O BigPlayerRange desenha duas faixas horizontais baseadas em volume institucional: Faixa Verde — Região onde compradores instit
VWAP FanMaster
Thalles Nascimento De Carvalho
4 (1)
VWAP FanMaster: Encontre as Melhores Oportunidades com Precisão! O VWAP FanMaster é o indicador definitivo para traders que buscam entradas precisas e pullbacks eficientes . Ele combina o poder do VWAP (Volume Weighted Average Price) com as linhas de Fibonacci Fan , fornecendo um mapa claro das zonas de interesse no mercado. Principais Recursos Simples e poderoso : Basta mover as linhas verticais para traçar automaticamente o VWAP e as linhas de Fibonacci Fan . Estratégia eficiente
FREE
Tape Hunter
Thalles Nascimento De Carvalho
Tape Hunter – Seu Radar de Esforço vs Resultado no MT5 O Tape Hunter é o indicador definitivo para traders que querem enxergar o verdadeiro jogo por trás dos preços no MetaTrader 5. Ele mostra de forma clara e intuitiva o volume de agressão de compra e venda, baseado no POC (Point of Control), dando a você a capacidade de visualizar o esforço do mercado e o resultado real em cada candle. ️ Por que isso importa? Nem todo volume gera movimento! O Tape Hunter destaca se o esforço (volume a
Volume Flow Binance
Thalles Nascimento De Carvalho
Volume Flow Binance! Já imaginou ter acesso ao times and trades da sua criptomoeda preferida, com detalhes sobre o fluxo de volumes e análise de movimentação de preços, mesmo que sua corretora não ofereça acesso ao histórico completo de negociações? Com o Volume Flow Binance , isso agora é realidade! Este script em MQL5 foi desenvolvido para traders de criptomoedas que buscam uma visão detalhada das dinâmicas do mercado em tempo real. Características Principais: Acesso direto ao t
FREE
Book Data Binance
Thalles Nascimento De Carvalho
Book Data Binance! Já imaginou ter acesso ao book de ofertas da sua criptomoeda preferida, com detalhes de preços, volumes e análise de imbalance, mesmo que sua corretora não ofereça acesso ao DOM? Com o Book Data Binance, isso agora é realidade! Este script em MQL5 foi especialmente desenvolvido para traders de criptomoedas que buscam uma visão aprofundada das dinâmicas do mercado. Características Principais: Acesso direto ao livro de ofertas de qualquer criptomoeda disponível no
FREE
Cumulative Volume Bands
Thalles Nascimento De Carvalho
CVB Cumulative Volume Bands: Potencialize Suas Operações com Volume Acumulado! O CVB Cumulative Volume Bands é um indicador avançado projetado para traders que desejam insights precisos baseados em volume acumulado. Utilizando bandas de volume acumulado, este indicador oferece uma leitura clara das pressões de compra e venda no mercado, ajudando a identificar reversões e movimentos fortes. Cumulative Volume Bands for MT5 ! Principais Características: Análise de Volume Acumula
Swing Point Volume
Thalles Nascimento De Carvalho
Swing Point Volume , o indicador que sinaliza fraqueza e força nos topos e fundos. Este indicador pode ser usado no Método Wyckoff. Informações fornecidas; - Swing em ticks customizados. - Volume e pontos em cada Swing realizado. - Porcentagem de Deslocamento.  - Opção de Alerta sonoro nas rupturas de topos e fundos. - Volume em ticks e Real Volume. - Volume HL(extremos) ou (abertura e fechamentos) - Formas de volume customizadas.
Atr Projection
Thalles Nascimento De Carvalho
O Indicador ATR Projeção se destaca como uma ferramenta robusta na análise técnica, projetada para fornecer insights precisos sobre os limites potenciais de movimentação dos preços no mercado financeiro. Sua abordagem flexível permite aos usuários customizar as métricas de análise de forma intuitiva, adaptando-se às necessidades específicas de cada ativo operado. Funcionamento Personalizável: Por padrão, o ATR Projeção opera considerando 30% da média dos últimos 100 candles. Essa flexibilidade p
Long Short Pro
Thalles Nascimento De Carvalho
Long & Short Indicador - Versão Pro: Desbloqueie o Potencial Ilimitado da Sua Análise de Mercado! Sem Restrições para Qualquer Ativo A versão Pro do Indicador Long & Short oferece total liberdade para usá-lo em qualquer ativo financeiro. Sem mais restrições - aplique o mesmo indicador a todos os seus ativos favoritos! Sem Restrições Desfrute de todas as funcionalidades do indicador sem qualquer limitação. A versão Pro proporciona uma experiência completa e ilimitada, permitindo que
AI Channel
Thalles Nascimento De Carvalho
AI Channel | Indicador MT5 com Inteligência Artificial AI Channel: O Futuro da Análise Técnica com Inteligência Artificial O AI Channel é uma poderosa ferramenta que utiliza inteligência artificial para a análise de canais de preço no mercado financeiro. Nesta sessão, vamos explorar como esse indicador revolucionário pode auxiliar investidores e traders na tomada de decisões mais informadas e estratégicas. Vamos lá! O que é o indicador AI Channel? O AI Channel é um indicador desenvol
Didi Index Volume
Thalles Nascimento De Carvalho
Apresentamos o Didi Index Volume, um indicador de análise técnica desenvolvido pelo trader brasileiro Odir Aguiar, que se destaca pela sua abordagem avançada e poderosa na identificação de oportunidades no mercado financeiro. Disponível em diversas plataformas, o Didi Index Volume se tornou uma ferramenta essencial para traders em busca de insights precisos e informações valiosas para suas estratégias de negociação. O indicador combina o conceituado Didi Index, criado por Odir Aguiar, com o u
TimeChannel
Thalles Nascimento De Carvalho
O "Timechannel" é uma poderosa ferramenta de análise técnica projetada especificamente para traders que desejam obter insights mais profundos e precisos sobre os movimentos de preços em vários intervalos de tempo (multi timeframe). Este indicador é uma adição essencial para a caixa de ferramentas de qualquer trader sério que busca tomar decisões de negociação informadas e baseadas em dados. Principais Recursos: Análise Multi timeframe Avançada: O Timechannel permite que os traders analisem os mo
Master OBV
Thalles Nascimento De Carvalho
MasterOBV: Domine as Tendências do Mercado com Precisão! O MasterOBV é um indicador de análise técnica que combina volume , correlação positiva e uma Média Móvel (MA) para refinar a identificação de tendências nos mercados financeiros. Principais Funcionalidades: Volume Inteligente: Analisa o volume de negociações para identificar mudanças significativas na força da tendência. Correlação Positiva: Incorpora ativos correlacionados para uma visão mais abrangente e precisa, reforçando
VolaMetrics VSA
Thalles Nascimento De Carvalho
VolaMetrics VSA | Um Aliado Poderoso na Análise Técnica O VolaMetrics VSA é um indicador de análise técnica que combina a metodologia Volume Spread Analysis (VSA) com uma análise detalhada do volume de negociações . Desenvolvido para identificar e acompanhar movimentos importantes de preços , o VolaMetrics VSA utiliza a interação entre volume e variação dos preços para fornecer insights valiosos que podem ajudar na tomada de decisões de trading. Fundamentos da Volume Spread Analysis (VSA)
SwingVolumePro
Thalles Nascimento De Carvalho
Visão Geral O SwingVolumePro é um indicador avançado e versátil, projetado para ser aplicado a uma ampla gama de ativos financeiros e para suportar diferentes estilos de operação. Desenvolvido com base em uma análise rigorosa de volume e preço, ele oferece sinais claros e precisos que permitem que traders de todos os níveis tomem decisões informadas com base em dados de alta qualidade.    SwingVolumePro.PDF Principais Características Versatilidade de Uso: O SwingVolumePro é aplicável
CVD SmoothFlow Pro
Thalles Nascimento De Carvalho
CVD SmoothFlow Pro - Análise de Volume Ilimitada para Qualquer Ativo! O CVD SmoothFlow Pro é a solução definitiva para traders que buscam uma análise de volume precisa e ilimitada. Utilizando o cálculo de Cumulative Volume Delta (CVD) com filtragem avançada de ruídos, a Versão Pro oferece a flexibilidade e precisão necessárias para operar em qualquer ativo financeiro. O que o CVD SmoothFlow Pro oferece? Análise Clara : Filtra ruídos e destaca movimentos de volume significativos em qualquer
Imbalance DOM Pro
Thalles Nascimento De Carvalho
5 (1)
Imbalance DOM Pro: Potencialize Suas Operações com o Desequilíbrio do Book VOCÊ TEM ACESSO AO BOOK DE OFERTAS NO MT5? QUER ELEVAR SEU OPERACIONAL A UM NOVO NÍVEL? Se você é um trader que utiliza o fluxo de ordens para tomar decisões, o Imbalance DOM Pro pode transformar sua análise. Desenvolvido especialmente para scalpers e operadores de curto prazo, ele identifica desequilíbrios no book de ofertas , revelando oportunidades valiosas para operações rápidas e precisas. Aproveite Oportunid
Cumulative Vol Bands
Thalles Nascimento De Carvalho
CVB Cumulative Volume Bands: Potencialize Suas Operações com Volume Acumulado! O CVB Cumulative Volume Bands é um indicador avançado projetado para traders que desejam insights precisos baseados em volume acumulado. Utilizando bandas de volume acumulado, este indicador oferece uma leitura clara das pressões de compra e venda no mercado, ajudando a identificar reversões e movimentos fortes. Principais Características: Análise de Volume Acumulado : Detecte os pontos de pressão com b
ZigWave Oscillator
Thalles Nascimento De Carvalho
ZigWave Oscillator: Potencialize Suas Operações com Osciladores e ZigZag! O ZigWave Oscillator é a ferramenta perfeita para traders que buscam precisão e clareza na análise do mercado financeiro. Este indicador combina a força dos osciladores com a simplicidade visual do ZigZag, ajudando você a identificar as melhores oportunidades de compra e venda com rapidez e eficiência. Por que escolher o ZigWave Oscillator? Análise precisa de osciladores : Integre RSI, Williams %R ou CCI para cap
Times and Sales Pro
Thalles Nascimento De Carvalho
Times and Sales Pro: Potencialize Suas Operações com o Fluxo de Negociações Oportunidades em Pequenos Movimentos de Preço O Times and Sales Pro é uma ferramenta essencial para analistas que operam o fluxo de ordens a partir do Times and Trades . Ideal para scalpers, ele foi desenvolvido para quem busca aproveitar pequenas oscilações de preço com alta precisão. Com um cálculo avançado, o indicador identifica desequilíbrios nas negociações, fornecendo sinais valiosos para entradas e saída
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)
Filtro:
Sem comentários
Responder ao comentário