VolumeLeaders Levels

================================================================================
              VL LEVELS INDICATOR - USER GUIDE
              VolumeLeaders Institutional Trade Levels for MetaTrader 5
================================================================================

WHAT IS THIS INDICATOR?
-----------------------
This indicator displays VolumeLeaders institutional  dark pools trade levels on your MT5 charts. These levels represent price points where significant institutional
trading activity has occurred, ranked by dollar volume. They represent level of support and resistance.

DISCLAIMER:

This is an Unofficial product with no tie with the www.volumeleaders.com platform. I have a personal subscription to www.volumeleaders.com, and best usage of this indicator can only be achieved if you are subscribed too to the platform.


================================================================================
                         QUICK START GUIDE
================================================================================

STEP 1: FIND YOUR MT5 DATA FOLDER
---------------------------------
The indicator reads level files from a special "Files" folder in MetaTrader 5.

To find this folder:
  1. Open MetaTrader 5
  2. Click: File -> Open Data Folder
  3. Navigate to: MQL5 -> Files
  4. Create a new folder called: VL_Levels

Your path should look like:
  [MT5 Data Folder]/MQL5/Files/VL_Levels/

Common locations:
  Windows: C:\Users\[YourName]\AppData\Roaming\MetaQuotes\Terminal\[ID]\MQL5\Files\VL_Levels\
  Mac/Wine: ~/.mt5/drive_c/Program Files/MetaTrader 5/MQL5/Files/VL_Levels/


STEP 2: DOWNLOAD LEVELS FROM VOLUMELEADERS
------------------------------------------
Go to VolumeLeaders.com and download the level data for your symbol.

VolumeLeaders offers TWO export formats:

  A) ThinkScript TXT (RECOMMENDED - easiest!)
     - Download the .txt file directly
     - No conversion needed
     - File contains ThinkScript code that our indicator can parse

  B) Excel XLSX
     - Download the .xlsx file
     - You must convert it to CSV (see instructions below)


STEP 3: PLACE THE FILE IN THE VL_LEVELS FOLDER
----------------------------------------------
Name the file to match your MT5 symbol EXACTLY.

Examples:
  - For Apple stock:     AAPL.txt  or  AAPL.csv
  - For S&P 500 ETF:     SPY.txt   or  SPY.csv
  - For Energy ETF:      XLE.txt   or  XLE.csv

IMPORTANT: The filename must match your broker's symbol name!
  - Check your MT5 chart title for the exact symbol
  - Some brokers add suffixes (e.g., AAPL.US, AAPL.NAS)
  - If your broker uses "AAPL.US", name the file "AAPL.US.txt"


STEP 4: ADD THE INDICATOR TO YOUR CHART
---------------------------------------
  1. Open a chart for the symbol you downloaded levels for
  2. Go to: Insert -> Indicators -> Custom -> Ind_VL_Levels
  3. Click OK to apply with default settings
  4. The levels will appear as horizontal lines on your chart!


================================================================================
                      FILE FORMAT DETAILS
================================================================================

OPTION A: THINKSCRIPT TXT FORMAT (Recommended)
----------------------------------------------
This is the easiest option - just download and use directly!

The .txt file from VolumeLeaders contains ThinkScript code like this:

  def show_AAPL = GetSymbol() == "AAPL";
  plot line_AAPL_0 = if show_AAPL then 280.0 else Double.NaN;
  AddChartBubble(..., 280.0, "$1.24B", Color.WHITE, yes);

Our indicator automatically extracts:
  - Price levels from "plot" lines
  - Dollar volumes from "AddChartBubble" lines
  - Rank from the line number (0 = Rank 1, 1 = Rank 2, etc.)


OPTION B: CSV FORMAT (Requires Conversion)
------------------------------------------
If you downloaded the .xlsx file, convert it to CSV:

  Excel:
    File -> Save As -> Choose "CSV (Comma delimited) (*.csv)"

  Google Sheets:
    File -> Download -> Comma-separated values (.csv)

  LibreOffice Calc:
    File -> Save As -> Choose "Text CSV (.csv)"

Expected CSV format:
  VolumeLeaders.com,,,,,,,
  Price,$$,Shares,Trades,RS,PCT,Level Rank,Level Date Range
  280.0,1240000000,4500000,1200,5.2,100,1,2023-01-01 - 2024-01-01
  275.0,892450000,3200000,980,4.1,95,2,2023-02-15 - 2024-01-01
  ...

Required columns: "Price" and "Level Rank" (or just "Rank")
Optional columns: "$$" (dollars), "Shares", "Trades", "Level Date Range"


================================================================================
                      INDICATOR SETTINGS
================================================================================

DISPLAY SETTINGS
----------------
  Level Line Color    - Color for single price levels (default: gold/amber)
  Zone Line Color     - Color for clustered zones
  Level Line Width    - Thickness of level lines (1-5)
  Zone Line Width     - Thickness of zone lines (1-5)
  Line Style          - Solid, Dash, Dot, etc.

LABEL SETTINGS
--------------
  Show Labels         - Display "VL #1 $1.24B" text (default: ON)
  Show Dates          - Include date range in label
  Show Volume         - Include share volume in label

FILE SETTINGS
-------------
  Symbol Override     - Use a different symbol than the chart
                        (useful if your broker uses different naming)
  Folder Path         - Subfolder in MQL5/Files/ (default: VL_Levels)
  Auto-Refresh        - Automatically reload when file changes (default: ON)
  Refresh Interval    - How often to check for file updates (seconds)

BEHAVIOR
--------
  Verbose Logs        - Enable detailed logging for troubleshooting


================================================================================
                      TROUBLESHOOTING
================================================================================

LEVELS NOT APPEARING?
---------------------
1. Check the Experts tab (View -> Toolbox -> Experts tab) for error messages

2. Verify your file is in the correct location:
   - File -> Open Data Folder -> MQL5 -> Files -> VL_Levels -> [SYMBOL].txt

3. Make sure the filename matches the chart symbol EXACTLY
   - Check your chart title bar for the exact symbol name
   - Symbol names are case-sensitive on some systems

4. Try removing and re-adding the indicator to the chart

5. Check if the file format is correct:
   - TXT file should contain "plot line_" and "AddChartBubble"
   - CSV file should have "Price" column in the header


SYMBOL NAME MISMATCH?
---------------------
Different brokers use different symbol names:
  - Standard: AAPL, SPY, XLE
  - With suffix: AAPL.US, SPY.NYSE, XLE.ARCA
  - CFD style: AAPLm, #AAPL

Solutions:
  1. Rename your file to match broker's symbol exactly
  2. OR use the "Symbol Override" setting in the indicator


FILE NOT FOUND ERROR?
---------------------
The indicator looks in: MQL5/Files/VL_Levels/[SYMBOL].txt (or .csv)

To verify the path:
  1. In MT5: File -> Open Data Folder
  2. Navigate to MQL5 -> Files -> VL_Levels
  3. Confirm your file is there with the correct name


LEVELS SHOWING AT WRONG PRICES?
-------------------------------
This can happen if:
  1. The file is for a different symbol
  2. The symbol had a stock split (prices need adjustment)
  3. Your broker uses different price formatting


================================================================================
                      TIPS FOR BEST RESULTS
================================================================================

1. DOWNLOAD FRESH DATA REGULARLY
   VolumeLeaders updates their data - download new files periodically

2. USE TXT FORMAT WHEN POSSIBLE
   The ThinkScript .txt format requires no conversion

3. ENABLE AUTO-REFRESH
   Keep auto-refresh ON to see updates when you replace files

4. CREATE FILES FOR MULTIPLE SYMBOLS
   You can have files for many symbols - the indicator will automatically
   load the correct one based on which chart you're viewing

5. BACKUP YOUR FILES
   Keep a backup of your level files outside the MT5 folder


================================================================================
                      SUPPORT
================================================================================

For VolumeLeaders data questions:

For indicator issues:
  Check the Experts tab in MT5 for detailed error messages


================================================================================
              (c) VL MT5 Bridge - https://www.volumeleaders.com
================================================================================
Produtos recomendados
Trading Session MT5
Kevin Schneider
3 (1)
Indicador de Sessões de Trading O Indicador de Sessões de Trading visualiza os pontos altos e baixos, bem como os horários de início e fim das sessões de trading da Ásia, Londres e Nova Iorque diretamente no seu gráfico. Funcionalidades: Visualização das principais sessões de trading Destaque dos pontos altos e baixos Exibição dos horários de início e fim de cada sessão Horários das sessões personalizáveis Fácil de usar e eficiente Personalização: Cada sessão de trading (Ásia, Londres, Nova Iorq
FREE
Little useful tool - you manually select range on chart by dragging vertical blue lines and indicator shows support and resistance zones for this range and extends them outside of selected range.  Useful for: * Range trading * Range breakout * Range breakout & retest * Good entry during pullback in trend phase when previous high is retested * Good for scalping on short timeframes * Good for trades on longer timeframes around selected important zones like daily high or low
FREE
CDS SR Fractal Level MT5
Muammar Cadillac Sungkar
CDS SR Fractal Level: Dynamic Fractal Support & Resistance with Breakout Alerts Overview Tired of manually drawing and updating support and resistance lines? The CDS SR Fractal Level  indicator automates this crucial process by intelligently identifying key market levels based on fractals. This lightweight and efficient tool allows you to focus on your trading strategy, not on chart setup, ensuring you never miss an important price level or a potential breakout. This indicator is clean, simple,
FREE
Norion Candle Range Levels é um indicador profissional desenvolvido para destacar a máxima e a mínima de um intervalo de candles definido pelo usuário. Ao selecionar a quantidade de candles desejada, o indicador calcula automaticamente o maior topo e o menor fundo desse período, exibindo no gráfico uma referência clara da estrutura recente do mercado, zonas de consolidação e possíveis áreas de rompimento. Essa ferramenta é especialmente útil para traders que utilizam estratégias baseadas em pric
FREE
Easy SMC Trading
Israr Hussain Shah
Análise de Tendência Estrutural com Auto RR e Scanner de BOS Versão: 1.0 Visão Geral A Análise de Tendência Estrutural com Auto RR é um sistema de negociação abrangente, concebido para traders que dependem da Ação do Preço e da Estrutura de Mercado. Combina um filtro de tendência suavizado com a deteção de Pontos de Oscilação e sinais de Ruptura de Estrutura (BOS) para gerar configurações de negociação de alta probabilidade. O principal diferencial desta ferramenta é a sua Gestão de Risco Aut
Rule Plotter Scanner
Francisco Gomes Da Silva
5 (1)
Você já pensou em ter um scanner que escaneia todas as estratégias e mostra os pontos de compra e venda de todos os timeframes desse ativo, tudo isso ao mesmo tempo? É exatamente isso que este scanner faz. Esse scanner foi projetado para mostrar os sinais de compra e venda que você criou no Rule Plotter: criador de estratégias sem precisar de programação e rodar elas dentro deste scanner em diversos ativos e timeframes diferentes. A estratégia default do Rule Plotter é apenas os candles bullish
FREE
Three Bar Break is based on one of Linda Bradford Raschke's trading methods that I have noticed is good at spotting potential future price volatility. It looks for when the 1st bar's High is less than the 3rd bar's High as well as the 1st bar's Low to be higher than the 3rd bar's Low. This then predicts the market might breakout to new levels within 2-3 of the next coming bars. It should be used mainly on the daily chart to help spot potential moves in the coming days. Features : A simple meth
FREE
Haven FVG Indicator
Maksim Tarutin
5 (8)
O indicador   Haven FVG   é uma ferramenta para analisar mercados que permite identificar áreas de ineficiência (Fair Value Gaps, FVG) no gráfico, fornecendo aos traders níveis-chave para a análise de preços e a tomada de decisões comerciais. Outros produtos ->  AQUI Principais características: Configurações individuais de cores: Cor para FVG de alta   (Bullish FVG Color). Cor para FVG de baixa   (Bearish FVG Color). Visualização flexível de FVG: Quantidade máxima de velas para buscar FVG. Exte
FREE
Price direct alert
Dorah Zandile Mahesu
The Choppery notifier is an indicator that has been developed and tested for the purpose of alerting you that a candle is about to form, it takes away the trouble of having to play a guessing game as to when next a candle will form after a trend, therefore most of the time it eliminates the thought of having to predict which direction price will begin to move at. This indicator can be used in any timeframe, a notification will be sent out to you via email when price moves. you can start at a min
FREE
QuantumAlert Stoch Navigator is a free indicator available for MT4/MT5 platforms, its work is to provide "alerts" when the market is inside "overbought and oversold" regions in the form of "buy or sell" signals. This indicator comes with many customization options mentioned in the parameter section below, user can customise these parameters as needful. Join our   MQL5 group , where we share important news and updates. You are also welcome to join our private channel as well, contact me for the p
FREE
The Advanced Pivot Point Indicator is a powerful tool designed to help traders identify key support and resistance levels in the market. This versatile indicator offers a customizable and user-friendly interface, allowing traders to select from five different pivot point calculation methods: Floor, Woodie, Camarilla, Tom DeMark, and Fibonacci. With its easy-to-read lines for pivot points (PP), support (S1, S2, S3, S4), and resistance (R1, R2, R3, R4) levels, the Advanced Pivot Point Indicator pr
FREE
boom Spike Mitigation Zone Pro A professional spike pattern indicator built for synthetic traders who scalp and swing Boom 500/300/1000/600/900with precision.  This indicator: Detects powerful 3-candle spike formations (Spike → Pullback → Spike) Automatically draws a clean box around the pattern Marks the entry price from the middle candle Extends a horizontal mitigation line to guide perfect sniper entries Automatically deletes & redraws the line once price touches it (mitiga
FREE
Forex Time
Yuriy Ponyatov
5 (1)
An indicator for visualizing time ranges of key trading sessions: Asian, European, and American. The indicator features functionality for setting the start and end times of each trading session, as well as an adjustable timezone of the trading server. The main advantages of the indicator include the ability to operate with minimal CPU load and memory usage. Moreover, it offers the option to specify the number of displayed historical days, providing the user with flexible market dynamics analysis
FREE
This Mt5 Indicator Signals when there is two opposite direction bars engulfed by current bar.  has a recent Exponential Moving Average Cross and past bar was oversold/bought Expert Advisor Available in Comments  Free Version Here : https://www.mql5.com/en/market/product/110114?source=Site&nbsp ; Full Alerts for mt5 terminal , phone , email, print to file, print to journal  Buy Signal ( blue line ) Past ema cross ( set at 30 bars back ) Past bar rsi is oversold ( level 40  ) Engulfing bar closes
FREE
NOTE: Turn Pattern Scan ON This indicator identifies Swing Points, Break of Structure (BoS), Change of Character (CHoCH), Contraction and Expansion patterns which are plotted on the charts It also comes with Alerts & Mobile notifications so that you do not miss any trades. It can be used on all trading instruments and on all timeframes. The non-repaint feature makes it particularly useful in backtesting and developing profitable trading models. The depth can be adjusted to filter swing points.
FREE
FX Clock
Abderrahmane Benali
FXClock – Professional Clock Indicator for Traders Please leave a 5 star rating if you like this free tool! Thank you so much :) The FXClock indicator is a practical and simple tool that displays time directly on your trading platform, allowing you to track multiple key pieces of information at the same time. It is specially designed to help traders synchronize their trading with market hours and global sessions. Key Features: Displays the broker server time with precision. Displays your local c
FREE
XbigCandleFibo
Alex Sandro Aparecido
Indicador que marca o 50% de cada Vela. Te ajudará a fazer Scalps lucrativos. Caso a próxima vela abra acima dos 50% do Candle anterior , você deverá abrir uma operação de COMPRA e caso a próxima vela abra abaixo do 50% do candle anterior ,deverá abrir uma operação de VENDA. Essa Estratégia é muito lucrativa. Para melhor aproveitá-la fique de olho nos Contextos dos Velas logo à esquerda. Boa sorte!
FREE
Japanese candlestick analysis has been in existence for hundreds of years and is a valid form of technical analysis. Candlestick charting has its roots in the militaristic culture that was prevalent in Japan in the 1700s. One sees many terms throughout the Japanese literature on this topic that reference military analogies, such as the Three White Soldiers pattern Unlike more conventional charting methods, candlestick charting gives a deeper look into the mind-set of investors, helping to establ
FREE
Inside Bar Radar
Flavio Javier Jarabeck
4.67 (6)
The Inside Bar pattern is a very well known candlestick formation used widely by traders all over the world and in any marketplace. This approach is very simple and adds a little confirmation candle, so it adds a third past candlestick to the count to confirm the direction of the move (upward or downward). Obviously, there is no power on this candlestick formation if the trader has no context on what it is happening on the market he/she is operating, so this is not magic, this "radar" is only a
FREE
WH Price Wave Pattern MT5
Wissam Hussein
4.25 (12)
Bem-vindo ao nosso   Padrão de onda de preços   MT5 --(Padrão ABCD)-- O padrão ABCD é um padrão de negociação poderoso e amplamente utilizado no mundo da análise técnica. É um padrão de preço harmônico que os traders usam para identificar oportunidades potenciais de compra e venda no mercado. Com o padrão ABCD, os traders podem antecipar possíveis movimentos de preços e tomar decisões informadas sobre quando entrar e sair das negociações. Versão EA:   Price Wave EA MT5 Versão MT4:   Price Wav
FREE
FlatBreakout MT5 (Free Version) Flat Range Detector and Breakout Panel for MT5 — GBPUSD Only FlatBreakout MT5   is the free version of the professional FlatBreakoutPro MT5 indicator, specially designed for flat (range) detection and breakout signals on the   GBPUSD   pair only. Perfect for traders who want to experience the unique fractal logic of FlatBreakout MT5 and test breakout signals on a live market without limitations. Who Is This Product For? For traders who prefer to trade breakout of
FREE
WaPreviousCandleLevelsMT5
Wachinou Lionnel Pyrrhus Sovi Guidi
!!!This Free Version just works on EURUSD!!! Wa Previous Candle Levels MT5 shows the previous candle levels, it shows the previous candle Open High Low Close levels (OHLC Levels) in different time frame. It's designed to help the trader to analyse the market and pay attention to the previous candle levels in different time frame.  We all know that the OHLC Levels in Monthly, Weekly and Daily are really strong and must of the time, the price strongly reacts at those levels. In the technical anal
FREE
The SMC Market Structure indicator tracks key price action shifts using Smart Money Concepts (SMC), helping traders identify institutional behavior and overall trend direction. It automatically detects and displays: Break of Structure (BOS) – Signals continuation of trend Change of Character (CHOCH) – Indicates potential reversal Swing Highs and Lows – Used to define market structure and directional bias Each structural event is clearly marked on the chart, allowing traders to visualize momentu
FREE
Envolventes con alertas
Juan Manuel Rojas Perez
MT5 Enveloping Pattern Detector: Your competitive advantage in trading Are you looking for a tool to help you accurately identify the best trading opportunities in the forex market? Our Engulfing Pattern Detector provides you with a highly reliable buy or sell signal, based on one of the most recognized and effective Japanese candlestick patterns: the engulfing pattern. With an average success rate of 70%, this indicator will allow you to make safer and more profitable investment decisions. Don'
FREE
Cybertrade Keltner Channels - MT5 Criado por Chester Keltner, esse é um indicador de volatilidade utilizado pela análise técnica. É possível seguir a tendência dos preços de ativos financeiros e gerar padrões de suporte e resistência. Além disso, os envelopes são uma forma de acompanhar a volatilidade, a fim de identificar oportunidades de compra e venda desses ativos. Funciona em períodos maiores do que o período visível no gráfico. Todos os valores estão disponíveis em forma de buffers para
FREE
BarX
HENRIQUE ARAUJO
BarX — Indicador de Máxima e Mínima de Candle Específico  BarX é um indicador técnico que destaca automaticamente a máxima e a mínima de um candle específico do dia , definido pelo usuário (por exemplo, candle 0 representa o primeiro candle após a abertura do mercado ). Essa ferramenta é especialmente útil para traders que utilizam níveis de preço fixos como suporte, resistência, breakout ou reversão . Ao marcar visualmente esses pontos no gráfico, BarX facilita a análise técnica , melhora a le
FREE
Risk5Percent is a custom indicator for MetaTrader 5 designed to help you manage your risk exposure precisely. By entering the desired risk percentage and the number of lots used, it calculates and displays the corresponding price level on the chart that represents your maximum anticipated loss (e.g., 5%), automatically considering contract and tick size for the selected instrument. Key Features: Custom settings for trade direction (long/short), risk percentage, and lot size. Automatic adjus
FREE
White Crow Indicator by VArmadA A simple yet powerful  candle analysis based indicator using the White Soldiers & Crow patterns. Works with timeframes 1H and higher and tested on all major pairs. Pay attention to the signal: An arrow indicating a long or short entry. How It Works: Arrows indicate a ongoing trend. After multiple bullish or bearish candles in a row the chances for another candle towards that trend is higher. Instructions: - Crow Count: Set the number of candles that need to su
FREE
Girassol Sunflower MT5 Indicator
Saullo De Oliveira Pacheco
4.33 (6)
Este é o famoso indicador Girassol para Metatrader5. Este indicador marca possíveis topos e fundos nos gráficos dos preços. O indicador identifica topos e fundos no historico de preços do ativo, tenha em mente que o girassol atual, do ultimo candle repinta, pois não é possivel identificar um topo até que o mercado reverta e também não é possivel identificar um fundo sem que o mercado para de cair e comece a subir. Se você estiver procurando por um programador profissional para Metatrader5, entre
FREE
This indicator is designed to detect high probability reversal patterns: Double Tops/Bottoms with fake breakouts . This is the FREE version of the indicator: https://www.mql5.com/en/market/product/29957 The free version works only on EURUSD and GBPUSD! Double top and bottom patterns are chart patterns that occur when the trading instrument moves in a similar pattern to the letter "W" (double bottom) or "M" (double top). The patterns usually occur at the end of a trend and are used to signal tren
FREE
Os compradores deste produto também adquirem
SuperScalp Pro
Van Minh Nguyen
5 (9)
SuperScalp Pro – Sistema avançado de indicador de scalping com múltiplos filtros SuperScalp Pro é um sistema avançado de indicador de scalping que combina o clássico Supertrend com múltiplos filtros inteligentes de confirmação. O indicador opera de forma eficiente em todos os timeframes de M1 a H4 e é especialmente adequado para XAUUSD, BTCUSD e principais pares Forex. Pode ser usado como sistema independente ou integrado de forma flexível a estratégias de trading existentes. O indicador integra
ARICoins
Temirlan Kdyrkhan
ARICoin is a powerful trading companion designed to generate high-probability entry signals with dynamic TP/SL/DP levels based on volatility. Built-in performance tracking shows win/loss stats, PP1/PP2 hits, and success rates all updated live. Key Features: Buy/Sell signals with adaptive volatility bands Real-time TP/SL/DP levels based on ATR Built-in MA Filter with optional ATR/StdDev volatility Performance stats panel (Success, Profit/Loss, PP1/PP2) Alerts via popup, sound, push, or email Cust
Divergence Bomber
Ihor Otkydach
4.89 (83)
Cada comprador deste indicador recebe adicionalmente, e de forma gratuita: A ferramenta exclusiva "Bomber Utility", que acompanha automaticamente cada operação, define os níveis de Stop Loss e Take Profit e fecha operações de acordo com as regras da estratégia; Arquivos de configuração (set files) para ajustar o indicador em diferentes ativos; Set files para configurar o Bomber Utility nos modos: "Risco Mínimo", "Risco Balanceado" e "Estratégia de Espera"; Um vídeo tutorial passo a passo que aju
Se você comprar este indicador, receberá meu Gerenciador de Operações Profissional + EA  GRATUITAMENTE. Primeiramente, vale ressaltar que este Sistema de Trading é um Indicador Não Repintado, Não Redesenho e Não Atrasado, o que o torna ideal tanto para o trading manual quanto para o automatizado. Curso online, manual e download de predefinições. O "Sistema de Trading Inteligente MT5" é uma solução completa de trading projetada para traders novos e experientes. Ele combina mais de 10 indicadores
FX Trend MT5 NG
Daniel Stein
5 (4)
FX Trend NG: A Nova Geração de Inteligência de Tendência Multi-Mercado Visão Geral FX Trend NG é uma ferramenta profissional de análise de tendências e monitoramento de mercado em múltiplos períodos de tempo. Permite compreender a estrutura completa do mercado em segundos. Em vez de alternar entre vários gráficos, você visualiza instantaneamente quais ativos estão em tendência, onde o momentum está enfraquecendo e onde existe alinhamento forte entre diferentes timeframes. Oferta de Lançamento
Market Flow Pro
Gabriele Sabatino
4 (1)
Market Flow Pro Market Flow Pro is an intelligent trading advisor for the MetaTrader 5 platform, designed for automatic trading on financial markets using algorithmic analysis and strict risk management. -Key features: - Fully automatic trading 24/5 - Adaptive trend and momentum entry algorithm -  Built-in risk management - Flexible lot settings (fixed/auto-calculation) - Support for major currency pairs and indices - Optimised for operation on various timeframes  How it works Market
AriX
Temirlan Kdyrkhan
1 (4)
AriX Indicator for MT5 A powerful trend-following and signal-evaluation tool AriX is a custom MT5 indicator that combines Moving Averages and ATR-based risk/reward logic to generate clear buy/sell signals. It visualizes dynamic SL/TP levels, evaluates past trade outcomes, and displays win/loss statistics in a clean on-chart panel. Key features include: Buy/Sell signals based on MA crossovers ATR-based SL/TP1/TP2/TP3 levels with visual lines and labels Signal outcome tracking with real-time stat
Entry In The Zone and SMC Multi Timeframe is a real-time market analysis tool developed based on Smart Money Concepts (SMC). It is designed to analyze market structure, price direction, reversal points, and key zones across multiple timeframes in a systematic way. The system displays Points of Interest (POI) and real-time No Repaint signals, with instant alerts when price reaches key zones or when signals occur within those zones. It functions as both an Indicator and a Signal System (2-in-1), c
Grabber System MT5
Ihor Otkydach
4.82 (22)
Apresento a você um excelente indicador técnico: Grabber, que funciona como uma estratégia de trading “tudo incluído”, pronta para usar. Em um único código estão integradas ferramentas poderosas de análise técnica de mercado, sinais de entrada (setas), funções de alertas e notificações push. Cada comprador deste indicador também recebe gratuitamente: Utilitário Grabber: ferramenta para gerenciamento automático de ordens abertas Vídeo tutorial passo a passo: como instalar, configurar e operar com
Gold Entry Sniper
Tahir Mehmood
5 (5)
Gold Entry Sniper – Painel ATR Multi-Tempo Profissional para Scalping e Swing Trading em Ouro Gold Entry Sniper é um indicador avançado para MetaTrader 5 projetado para fornecer sinais de compra/venda precisos para XAUUSD e outros ativos, com base na lógica de Trailing Stop ATR e análise multi-tempo . Ideal tanto para scalpers quanto para swing traders. Principais Recursos e Vantagens Análise Multi-Tempo – Veja a tendência de M1, M5 e M15 em um único painel. Trailing Stop Baseado em ATR – Níveis
Power Candles MT5
Daniel Stein
5 (6)
Power Candles – Sinais de entrada baseados em força para qualquer mercado Power Candles leva a análise de força comprovada da Stein Investments diretamente para o seu gráfico de preços. Em vez de reagir apenas ao preço, cada candle é colorido com base na força real do mercado, permitindo identificar instantaneamente a construção de momentum, aceleração de força e transições limpas de tendência. Uma única lógica para todos os mercados Power Candles funciona automaticamente em todos os símbolos de
Game Changer Indicator mt5
Vasiliy Strukov
4.45 (22)
Game Changer es un indicador de tendencia revolucionario, diseñado para usarse en cualquier instrumento financiero y transformar su MetaTrader en un potente analizador de tendencias. Funciona en cualquier marco temporal y facilita la identificación de tendencias, señala posibles reversiones, actúa como mecanismo de trailing stop y proporciona alertas en tiempo real para una respuesta rápida del mercado. Tanto si es un profesional experimentado como si es un principiante que busca una ventaja com
Atomic Analyst MT5
Issam Kassas
4.1 (29)
Primeiramente, vale ressaltar que este Indicador de Negociação não repinta, não redesenha e não apresenta atrasos, tornando-o ideal tanto para negociação manual quanto automatizada. Manual do utilizador: configurações, entradas e estratégia. O Analista Atômico é um Indicador de Ação de Preço PA que utiliza a força e o momentum do preço para encontrar uma vantagem melhor no mercado. Equipado com filtros avançados que ajudam a remover ruídos e sinais falsos, e aumentam o potencial de negociação.
RFI levels PRO MT5
Roman Podpora
3.67 (3)
O indicador mostra com precisão os pontos de reversão e as zonas de retorno de preço onde o   Principais players . Você identifica onde novas tendências estão se formando e toma decisões com máxima precisão, mantendo o controle sobre cada negociação. VERSION MT4     -    Revela seu potencial máximo quando combinado com o indicador   TREND LINES PRO. O que o indicador mostra: Estruturas de reversão e níveis de reversão com ativação no início de uma nova tendência. Exibição dos níveis de   TAKE P
Trend Screener Pro MT5
STE S.S.COMPANY
4.84 (101)
Desbloqueie o poder da negociação de tendências com o indicador Trend Screener: sua solução definitiva de negociação de tendências, alimentada por lógica difusa e sistema de múltiplas moedas! Eleve sua negociação de tendências com o Trend Screener, o revolucionário indicador de tendências alimentado por lógica difusa. É um poderoso indicador de acompanhamento de tendências que combina mais de 13 ferramentas e recursos premium e 3 estratégias de negociação, tornando-o uma escolha versátil para to
Smart Stop Indicator – Precisão inteligente de stop-loss diretamente no seu gráfico Visão geral O Smart Stop Indicator é a solução ideal para traders que desejam definir seu stop-loss de forma clara e metódica, sem adivinhações ou decisões baseadas apenas na intuição. A ferramenta combina lógica clássica de price action (topos mais altos, fundos mais baixos) com um sistema moderno de detecção de rompimentos para identificar onde realmente deve estar o próximo nível lógico de stop. Seja em tend
LINHAS DE TENDÊNCIA PRO   -   Ajuda a entender onde o mercado está realmente mudando de direção. O indicador mostra inversões de tendência reais e pontos onde os principais participantes retornam ao mercado. Você vê     Linhas BOS   Análise de tendências e níveis-chave em prazos maiores — sem configurações complexas ou ruídos desnecessários. Os sinais não são repintados e permanecem no gráfico após o fechamento da barra. VERSÃO MT4   -   Revela seu potencial máximo quando combinado com o   indic
Este é um indicador para MT5 que fornece sinais precisos para entrar em uma negociação sem redesenhar. Ele pode ser aplicado a qualquer ativo financeiro: forex, criptomoedas, metais, ações, índices. Ele fornecerá estimativas bastante precisas e informará quando é melhor abrir e fechar um negócio. Assista o vídeo (6:22) com um exemplo de processamento de apenas um sinal que compensou o indicador! A maioria dos traders melhora seus resultados de negociação durante a primeira semana de negociação c
Quantum TrendPulse
Bogdan Ion Puscasu
5 (22)
Apresentando   Quantum TrendPulse   , a ferramenta de negociação definitiva que combina o poder do   SuperTrend   ,   RSI   e   Stochastic   em um indicador abrangente para maximizar seu potencial de negociação. Projetado para traders que buscam precisão e eficiência, este indicador ajuda você a identificar tendências de mercado, mudanças de momentum e pontos de entrada e saída ideais com confiança. Principais características: Integração SuperTrend:   siga facilmente a tendência predominante do
FX Power MT5 NG
Daniel Stein
5 (31)
FX Power: Analise a Força das Moedas para Decisões de Negociação Mais Inteligentes Visão Geral FX Power é a sua ferramenta essencial para compreender a força real das principais moedas e do ouro em quaisquer condições de mercado. Identificando moedas fortes para comprar e fracas para vender, FX Power simplifica as decisões de negociação e revela oportunidades de alta probabilidade. Quer você prefira seguir tendências ou antecipar reversões usando valores extremos de Delta, esta ferramenta adap
Order Block Pro (MQL5) – Versão 1.0 Autor: KOUAME N'DA LEMISSA Plataforma: MetaTrader 5 Descrição: Order Block Pro é um indicador avançado projetado para detectar automaticamente Blocos de Ordem de alta e baixa no seu gráfico. Ao analisar velas de consolidação seguidas de velas de impulso fortes, o indicador identifica áreas-chave onde o preço provavelmente se acelerará. Ideal para traders que desejam: Identificar pontos de entrada e saída precisos. Detectar zonas dinâmicas de suporte e resistê
Trend indicator AI mt5
Ramil Minniakhmetov
5 (15)
O indicador Trend Ai é uma ótima ferramenta que irá melhorar a análise de mercado de um trader, combinando a identificação de tendências com pontos de entrada acionáveis e alertas de reversão. Este indicador permite que os usuários naveguem pelas complexidades do mercado forex com confiança e precisão Além dos sinais primários, o indicador Trend Ai identifica pontos de entrada secundários que surgem durante retrações ou retrações, permitindo que os comerciantes capitalizem as correções de preço
Azimuth Pro
Ottaviano De Cicco
5 (4)
PROMOÇÃO DE LANÇAMENTO O preço do Azimuth Pro está inicialmente definido em 299$ para os primeiros 100compradores. O preço final será de 499$ . A DIFERENÇA ENTRE ENTRADAS RETAIL E INSTITUCIONAIS NÃO É O INDICADOR — É A LOCALIZAÇÃO. A maioria dos traders entra em níveis de preço arbitrários, perseguindo momentum ou reagindo a sinais atrasados. As instituições esperam o preço atingir níveis estruturados onde oferta e demanda realmente mudam. Azimuth Pro mapeia esses níveis automaticamente: VWA
ARIPoint
Temirlan Kdyrkhan
ARIPoint is a powerful trading companion designed to generate high-probability entry signals with dynamic TP/SL/DP levels based on volatility. Built-in performance tracking shows win/loss stats, PP1/PP2 hits, and success rates all updated live. Key Features: Buy/Sell signals with adaptive volatility bands Real-time TP/SL/DP levels based on ATR Built-in MA Filter with optional ATR/StdDev volatility Performance stats panel (Success, Profit/Loss, PP1/PP2) Alerts via popup, sound, push, or email Cu
FX Levels MT5
Daniel Stein
5 (13)
FX Levels: Suporte e Resistência com Precisão Excepcional para Todos os Mercados Visão Geral Rápida Procurando um meio confiável de identificar níveis de suporte e resistência em qualquer mercado—incluindo pares de moedas, índices, ações ou commodities? FX Levels combina o método “Lighthouse” tradicional com uma abordagem dinâmica de vanguarda, fornecendo uma precisão quase universal. Baseado em nossa experiência real com corretores e em atualizações automáticas diárias mais as de tempo real,
Apresentando       Quantum Breakout PRO   , o inovador Indicador MQL5 que está transformando a maneira como você negocia Breakout Zones! Desenvolvido por uma equipe de traders experientes com experiência comercial de mais de 13 anos,       Quantum Breakout PRO       foi projetado para impulsionar sua jornada comercial a novos patamares com sua estratégia de zona de fuga inovadora e dinâmica. O Quantum Breakout Indicator lhe dará setas de sinal em zonas de breakout com 5 zonas-alvo de lucro e su
RelicusRoad Pro: Sistema Operacional Quantitativo de Mercado 70% DE DESCONTO ACESSO VITALÍCIO (TEMPO LIMITADO) - JUNTE-SE A 2.000+ TRADERS Por que a maioria dos traders falha mesmo com indicadores "perfeitos"? Porque eles operam Conceitos Únicos no vácuo. Um sinal sem contexto é uma aposta. Você precisa de CONFLUÊNCIA . RelicusRoad Pro não é um simples indicador de seta. É um Ecossistema Quantitativo de Mercado completo. Ele mapeia a "Estrada do Valor Justo", distinguindo ruído de rupturas estru
IX Power MT5
Daniel Stein
4.92 (13)
IX Power: Descubra informações de mercado para índices, commodities, criptomoedas e forex Visão Geral IX Power é uma ferramenta versátil projetada para analisar a força de índices, commodities, criptomoedas e símbolos de forex. Enquanto o FX Power oferece a máxima precisão para pares de moedas ao utilizar dados de todos os pares disponíveis, o IX Power foca exclusivamente nos dados do mercado do símbolo subjacente. Isso torna o IX Power uma excelente escolha para mercados fora do forex e uma o
CGE Trading Suite
Carl Gustav Johan Ekstrom
5 (1)
CGE Trading Suite delivers the analytical edge typically reserved for professional trading desks. The platform integrates a full suite of analytical tools into one seamless workflow: dynamic grid mapping, liquidity behavior analysis, ECM, trend lines, MIDAS, trade cycles, and directional channel projections. Together, these provide a unified view of market structure and momentum. Directional clarity is further enhanced by the capital flow index, which measures currency basket strength to identif
Dark Absolute Trend MT5
Marco Solito
4.69 (13)
Dark Absolute Trend   is an Indicator for intraday trading. This Indicator is based on   Trend Following  strategy but use also candlestick patterns and Volatility. We can enter in good price with this Indicator, in order to follow the main trend on the current instrument. It is advised to use low spread ECN brokers. This Indicator does   Not repaint   and   N ot lag . Recommended timeframes are M5, M15 and H1. Recommended working pairs: All. I nstallation and  Update Guide   -  Troubleshooting
Mais do autor
Price Volume Trend (PVT) Oscillator Description:  The PVT Oscillator is a volume indicator that serves as an alternative to the standard On-Balance Volume (OBV). While ordinary volume indicators can be noisy and hard to read, this tool converts volume flow into a clear Histogram Oscillator, similar to a MACD, but for Volume. It is designed to detect first  Trend Reversals and Divergences by analyzing the difference between a Fast and Slow PVT moving average. Why is this better than standard OBV?
FREE
This indicator is an MQL5 port inspired by the "Cyclic Smoothed RSI" concept originally developed by Dr_Roboto and popularized by LazyBear and LuxAlgo on TradingView. The Cyclic Smoothed RSI (cRSI) is an oscillator designed to address the two main limitations of the standard RSI: lag and fixed overbought/oversold levels. By using digital signal processing (DSP) based on market cycles, the cRSI reduces noise without sacrificing responsiveness.  It features Adaptive Bands that expand and contract
FREE
Filtro:
Sem comentários
Responder ao comentário