Power Assisted Trend Following

# Power Assisted Trend Following Indicator

## Overview

The PowerIndicator is an implementation of the "Power Assisted Trend Following" methodology developed by Dr. Andreas A. Aigner and Walter Schrabmair. This indicator builds upon and improves J. Welles Wilder's trend following concepts by applying principles from signal analysis to financial markets.

The core insight of this indicator is that successful trend following requires price movements to exceed a certain threshold (typically a multiple of the Average True Range). By measuring the "power" of both signal and noise components in price movements, this indicator helps traders identify when a market is in a strong enough trend to trade profitably.

## Theoretical Background

### The Problem with Traditional Trend Following

J. Welles Wilder's "Volatility System" (published in his 1978 book "New Concepts in Technical Trading Systems") uses a trailing stop-loss based on the Average True Range (ATR). The system follows new highs/lows with a trailing stop and reverses direction when the stop is triggered.

However, as demonstrated in the research, this system only works profitably when the trend's amplitude exceeds a certain multiple of the stop-loss range:

- When price fluctuations are equal to or smaller than the stop-loss (1× ATR), the system constantly gets stopped out and loses money
- At 2× ATR, the system still loses money but less than at 1× ATR
- At 3× ATR, the system breaks even
- At 4× ATR or higher, the system becomes profitable

This creates the need for a method to measure when a market is trending strongly enough to trade.

### The Power Concept

The PowerIndicator applies concepts from signal analysis, specifically the notion of "power" in signals. In physics, power for periodic signals is defined as the average energy over a period. The researchers adapted this concept to financial markets by:

1. Calculating the "power" of price movements
2. Separating this power into "signal" (trend) and "noise" (deviation from trend) components
3. Comparing these power measurements to a threshold based on the ATR

This approach provides a more accurate way to identify tradable trends than Wilder's Directional Movement indicators (DX, ADX, ADXR).

## Mathematical Foundation

The indicator calculates several key metrics:

### 1. Power of a Price Series

For a window of N periods, the power at time j is calculated as:

```
Power(j,N) = (1/N) * Σ(|P(j-n)/P(j-N+1)|²)
```

Where:
- P(j-n) is the price n periods ago
- P(j-N+1) is the price at the start of the N-period window
- The sum runs from n=0 to N-1

### 2. Power of Signal and Noise

The price series is decomposed into:
- Signal: The N-period moving average (MA)
- Noise: The deviation of price from the moving average

The power of each component is calculated as:

**Power of Signal:**
```
PowerOfSignal(j,N) = (1/N) * Σ(|MA(j-n,N)/P(j-N+1)|²)
```

**Power of Noise:**
```
PowerOfNoise(j,N) = (1/N) * Σ(|(P(j-n) - MA(j-n,N))/P(j-N+1)|²)
```

### 3. Power Threshold

The power threshold is based on the ATR normalized by the Standard Instrument Constant (SIC):

```
PowerThreshold(j) = |ATR(j)/SIC(j)|²
```

Where SIC is defined as 1% of the current price.

### 4. Power Ratios

The final metrics used for trading decisions are:

**Signal Power Ratio:**
```
R(Signal) = √((PowerOfSignal(j,N) - 1)/PowerThreshold(j))
```

**Noise Power Ratio:**
```
R(Noise) = √(PowerOfNoise(j,N)/PowerThreshold(j))
```

These ratios represent how many multiples of the ATR the signal and noise components are, respectively.

## Components of the PowerIndicator

The PowerIndicator.mq5 implementation calculates and displays five sets of metrics, each for five different time periods (10, 20, 50, 100, and 200):

### 1. Price Moving Averages (PMA)
Simple moving averages of price for different periods. These serve as the basis for the signal component.

### 2. Sum Energy (SE)
Measures the normalized squared deviations of price from its moving average. This represents the raw energy of price movements relative to the starting price of each window.

### 3. Sum Energy Moving Average (SEMA)
Measures the squared ratio of moving average to price from period days ago. This represents the energy of the trend component.

### 4. Power Ratio Noise
The square root of the ratio between Sum Energy and the power threshold. This shows how many multiples of the ATR the noise component is.

### 5. Power Ratio Signal
The square root of the ratio between the absolute difference of Sum Energy MA from 1 and the power threshold. This shows how many multiples of the ATR the signal component is.

## Interpretation and Trading Applications

### When to Use the Indicator

The research shows that the Power Ratio of Noise has a stronger relationship to profitability than the Signal Power Ratio, with the 50-day calculation showing the strongest correlation (R² = 0.37).

Based on the research findings:

1. **Trend Strength Assessment**: Higher Power Ratio values (especially above 4) indicate stronger trends that are more likely to be profitable for trend following strategies.

2. **Market Selection**: Use the Power Ratios to rank different markets or securities, focusing on those with the highest values.

3. **Entry Timing**: Consider entering trend following trades when:
- The Power Ratio Noise exceeds 4
- The trend direction is clear (price above/below moving average)

4. **Exit Considerations**: Monitor for decreasing Power Ratios as potential early warning of trend weakness.

### Optimal Settings

The research found:

- A multiplier of 4× ATR for stop-loss placement provides the best results
- The 50-day calculation period shows the strongest correlation with profitability
- Both 30-day and 100-day periods also show significant correlations

## Configuration Options

The PowerIndicator.mq5 implementation provides several configuration options:

```
input int ATR_Period = 14; // ATR Period
input bool Show_PMA = false; // Show Price Moving Averages
input bool Show_SumEnergy = false; // Show Sum Energy
input bool Show_SumEnergyMA = false; // Show Sum Energy MA
input bool Show_PowerRatioNoise = true; // Show Power Ratio Noise
input bool Show_PowerRatioSignal = true; // Show Power Ratio Signal
```

By default, only the Power Ratio Noise and Power Ratio Signal components are displayed, as these are the most directly useful for trading decisions.

## Visual Representation

The indicator uses color coding to distinguish between different time periods:

- **Blue** color scheme for Price Moving Averages (PMA)
- **Red** color scheme for Sum Energy
- **Green** color scheme for Sum Energy MA
- **Purple/Magenta** color scheme for Power Ratio Noise
- **Orange/Yellow** color scheme for Power Ratio Signal

For each metric, darker colors represent shorter time periods (10, 20) while lighter colors represent longer time periods (100, 200).

## Advantages Over Traditional Indicators

The research demonstrates that the Power Ratio metrics outperform Wilder's traditional trend indicators:

- Power Ratio Noise (50-day): R² = 0.37
- ADX: R² = 0.06
- ADXR: R² = 0.07
- DX: R² = 0.05

This indicates that the Power Assisted Trend Following approach provides a more accurate assessment of trend strength and profitability potential.

## Conclusion

The PowerIndicator implements an advanced approach to trend following that addresses a fundamental limitation of traditional methods: determining when a trend is strong enough to trade profitably.

By applying concepts from signal analysis, the indicator provides a more robust framework for:
1. Assessing trend strength
2. Selecting markets with the strongest trends
3. Timing entries into trend following strategies
4. Setting appropriate stop-loss levels

The empirical testing shows that this approach outperforms traditional trend indicators, making it a valuable tool for traders who rely on trend following strategies.


Prodotti consigliati
Super Trend Strategy
Minh Khoa Nguyen
5 (2)
The SuperTrend Strategy is a widely-used technical indicator based on the Average True Range (ATR), primarily employed as a trailing stop tool to identify prevailing market trends. The indicator is designed for ease of use while providing reliable insights into the current market trend. It operates based on two key parameters: the period and the multiplier . By default, it uses a period of 15  for the ATR calculation and a multiplier of 3 . The Average True Range (ATR) plays a crucial role in th
FREE
HMA Color with Alerts MT5
Pavel Zamoshnikov
4.75 (56)
Hull Moving Average (HMA) is well-deservedly popular among traders because of the effective averaging of market noise and a relatively small delay. The current MetaTrader 5 version changes its color when the movement direction changes. Sound and text signals are available. It also supports sending email and push messages. It is possible to trigger a signal on the current incomplete bar, although such a signal may be canceled before completion if conditions are no longer appropriate. One of the p
FREE
Heiken Ashi Yemeni Edition
Aiman Saeed Salem Dahbag
Heiken Ashi Yemeni Edition: Visual Trend Filter Description: This indicator is a specialized version of the Heiken Ashi algorithm, optimized for MetaTrader 5. It focuses on smoothing out price noise to provide a clearer view of the prevailing trend. By averaging price data, it helps traders distinguish between market volatility and genuine trend reversals. Functional Details: Noise Reduction: Uses the Heiken Ashi formula to recalculate candles, which helps in visualizing the trend strength more
FREE
SMMA Bands Indicator
Elie Baptiste Granger
The SMMA Bands indicator is an advanced volatility-based trading tool that creates 6 dynamic support and resistance levels around an envelope formed by two Smoothed Moving Averages (SMMA).  This indicator combines the reliability of SMMA trend identification with the precision of standard deviation-based volatility bands, making it suitable for both trend-following and mean-reversion strategies. Every band has its own buffer for use in EA. feel free to make suggestions and add reviews , i will
FREE
Donchian Breakout And Rsi
Mattia Impicciatore
5 (1)
Descrizione generale Questo indicatore è una versione avanzata del classico Donchian Channel , arricchita con funzioni operative per il trading reale. Oltre alle tre linee tipiche (massimo, minimo e linea centrale), il sistema rileva i breakout e li segnala graficamente con frecce sul grafico, mostrando solo la linea opposta alla direzione del trend per semplificare la lettura. L’indicatore include: Segnali visivi : frecce colorate al breakout Notifiche automatiche : popup, push e email Filtro R
FREE
Follow The Line MT5
Oliver Gideon Amofa Appiah
4.6 (35)
This indicator obeys the popular maxim that: "THE TREND IS YOUR FRIEND" It paints a GREEN line for BUY and also paints a RED line for SELL. (you can change the colors). It gives alarms and alerts of all kinds. IT DOES NOT REPAINT and can be used for all currency pairs and timeframes. Yes, as easy and simple as that. Even a newbie can use it to make great and reliable trades. NB: For best results, get my other premium indicators for more powerful and reliable signals. Get them here: https://www.m
FREE
This indicator is a zero-lag indicator and displays  strength of trend change . True Trend  Oscillator Pro works best in combination with True Trend Moving Average Pro that displays exact trend as is. Oscillator value is exact price change in given direction of the trend. True Trend Moving Average Pro: https://www.mql5.com/en/market/product/103586 If you set PERIOD input parameter to 1 this indicator becomes a sharpshooter for binary options. Developers can use True Trend Oscillator in Exper
FREE
Menora Indicator
Arnold Kurapa
4.5 (2)
Menora (All In One) Indicator. This is the advanced and premium indicator for the Magic Trend, a free indicator.  It has 3 output signals driven by different market conditions. This indicator has a double function of working as an indicator and utility at the same time. Specifications  1]  3 output signals a) Slow Moving Average with color change - The MA has a non-repaint color change, which makes it perfect for entry signals. b) Fast Moving Average (the original Magic Trend line) - Gives a
FREE
Mitimom
Danil Poletavkin
The indicator is based on Robert Miner's methodology described in his book "High probability trading strategies" and displays signals along with momentum of 2 timeframes. A Stochastic oscillator is used as a momentum indicator. The settings speak for themselves period_1 is the current timeframe, 'current' period_2 is indicated - the senior timeframe is 4 or 5 times larger than the current one. For example, if the current one is 5 minutes, then the older one will be 20 minutes The rest of the s
FREE
Infinity Predictor MA
Murtadha Majid Jeyad Al-Khuzaie
Infinity Predictor MA Infinity Predictor MA is a next‑generation forecasting indicator that transforms the traditional Moving Average into a powerful predictive tool. Unlike standard MAs that only smooth past data, this indicator projects the moving average line up to 40 bars into the future, giving traders a unique perspective on potential market direction. The engine behind Infinity Predictor MA combines multiple advanced regression models to capture both smooth trends and sudden market shi
FREE
Support and Ressistance
Raphael Lorenz Baumgartner
Last Day Support & Resistance Platform: MetaTrader 5 Type: Custom Indicator Display: Chart Window (Overlay) Functions: Calculates Support and Resistance zones based on high/low patterns of the previous day. Uses a sliding sampling window ( SampleWindowSize ) to detect recent price ranges. Detects potential support if current price range is significantly below previous highs. Detects potential resistance if price range is significantly above previous lows. Updates four output buffers: LDResistanc
FREE
MACD Enhanced
Nikita Berdnikov
5 (3)
Introducing the MACD  Enhanced – an advanced MACD (Moving Average Convergence Divergence) indicator that provides traders with extended capabilities for trend and momentum analysis in financial markets. The indicator uses the difference between the fast and slow exponential moving averages to determine momentum, direction, and strength of the trend, creating clear visual signals for potential entry and exit points. Attention! To achieve the best results, it is recommended to adapt the indicator
FREE
Are you tired of drawing trendlines every time you're analyzing charts? Or perhaps you would like more consistency in your technical analysis. Then this is for you. This indicator will draw trend lines automatically when dropped on a chart. How it works Works similar to standard deviation channel found on mt4 and mt5. It has 2 parameters: 1. Starting Bar 2. Number of bars for calculation The   starting bar   is the bar which drawing of the trend lines will begin, while the   number of bars for c
FREE
HMA5
Sergey Sapozhnikov
4.3 (10)
Hull Moving Average is more sensitive to the current price activity than a traditional Moving Average. It faster responds to trend change and more shows the price movement more accurately. This is a color version of the indicator. This indicator has been developed based in the original version created by Sergey <wizardserg@mail.ru>. Suitable for all timeframes. Parameters Period - smoothing period, recommended values are 9 to 64. The larger the period, the softer the light. Method - smoothing m
FREE
ThreePointsChannelFree
Dimitr Trifonov
5 (1)
This is a free version of the indicator, the period between the vertical lines is always 30 bars. In the paid version the period can be set by user, so a configuration with many ThreePointsChannel indicators with different periods is possible. The principle of construction - on top of any number of bars set by the user, a channel is constructed with maximum and minimum lines so that the bars touch the maximum and minimum of the channel at exactly three points. The name of the indicator follows
FREE
Indicator and Expert Adviser  EA Available in the comments section of this product. Download with Indicator must have indicator installed for EA to work. Mt5 indicator alerts for bollinger band and envelope extremes occurring at the same time. Buy signal alerts occur when A bullish candle has formed below both the lower bollinger band and the lower envelope  Bar must open and close below both these indicators. Sell signal occur when A bear bar is formed above the upper bollinger band and upper
FREE
Stat Monitor 5
Sergei Linskii
5 (1)
Stat Monitor is a good information indicator. Benefits of the indicator: The indicator provides useful information - the current spread, the cost of one lot of the symbol, trading leverage and the recommended lot size for trading. You can use the indicator on the MetaTrader 5 trading platform of any broker. The indicator provides useful information. Version of the Stat Monitor indicator for MetaTrader 4 I wish you all good luck in trading and stable profit!
FREE
Important Lines
Terence Gronowski
4.87 (23)
This indicator displays Pivot-Lines, preday high and low, preday close and the minimum and maximum of the previous hour. You just have to put this single indicator to the chart to have all these important lines, no need to setup many single indicators. Why certain lines are important Preday high and low : These are watched by traders who trade in a daily chart. Very often, if price climbs over or falls under a preday low/high there is an acceleration in buying/selling. It is a breakout out of a
FREE
Dynamic Supply and Demand indicator automatically identifies and displays Supply and Demand Zones on your chart based on price action patterns and market structure.  These zones represent areas where institutional buying or selling pressure has historically occurred, making them key levels for potential price reactions. This form of indicator takes inspiration from ICT as well as traditional Support & Resistance formation. **For the first 50 candles (number depends on LookBackCandles) when indic
FREE
YOU CAN NOW DOWNLOAD FREE VERSIONS OF OUR PAID INDICATORS . IT'S OUR WAY OF GIVING BACK TO THE COMMUNITY ! >>>    GO HERE TO DOWNLOAD This system is an Heiken Ashi system based on RSI calculations . The system is a free open source script originally published on TradingView by JayRogers . We have taken the liberty of converting the pine script to Mq4 indicator . We have also added a new feature which enables to filter signals and reduces noise on the arrow signals. Background HEIKEN ASHI Th
FREE
Magic 7 Indicator
Marek Pawel Szczesny
5 (1)
Overview Magic 7 Indicator is a comprehensive MetaTrader 5 (MQL5) indicator that identifies seven different trading scenarios based on candlestick patterns and technical analysis. The indicator combines traditional price action patterns with modern concepts like Fair Value Gaps (FVG) to provide trading signals with precise entry points and stop loss levels. Features 7 Trading Scenarios : Each scenario identifies specific market conditions and trading opportunities Visual Signals : Clear buy/sell
FREE
VOLUMIZED ORDER BLOCKS [Riz] - MT5 Indicator             Smart Money Order Block Detection with Volume Analysis Volumized Order Blocks is an advanced Smart Money Concepts (SMC) indicator that automatically detects institutional order blocks with integrated volume analysis. It identifies high-probability supply and demand zones where banks and institutions
FREE
ATR Plus is an enhanced version of the classic ATR that shows not just volatility itself, but the directional energy of the market . The indicator converts ATR into a normalized oscillator (0–100), allowing you to clearly see: who dominates the market — buyers or sellers when a trend begins when a trend loses strength when the market shifts into a range where volatility reaches exhaustion zones ATR Plus is perfect for momentum, trend-following, breakout and volatility-based systems. How ATR Plus
FREE
Show Pips for MT5
Roman Podpora
4.52 (27)
Questo indicatore informativo sarà utile per coloro che vogliono essere sempre informati sulla situazione attuale del conto. VERSION MT 4 -   More useful indicators L'indicatore mostra dati come profitto in punti, percentuale e valuta, nonché lo spread per la coppia corrente e il tempo fino alla chiusura della barra nell'intervallo di tempo corrente. Esistono diverse opzioni per posizionare la linea delle informazioni sulla carta: A destra del prezzo (corre dietro al prezzo); Come commento (nell
FREE
Reversal Candles MT5
Nguyen Thanh Cong
4.86 (7)
Introduction Reversal Candles is a cutting-edge non-repainting   forex indicator designed to predict price reversals with remarkable accuracy through a sophisticated combination of signals. Signal Buy when the last closed candle has a darker color (customizable) and an up arrow is painted below it Sell when the last closed candle has a darker color (customizable) and a down arrow is painted above it
FREE
Dual RSI
Paul Conrad Carlson
3.5 (2)
Indicator alerts for Dual Relative strength index rsi. Large rsi preset at 14 is below 30 small rsi preset at 4 is below 10 for buy bullish signals . Large rsi preset are 14 is above 70 small rsi preset at 4 is above 90 for sell bearish signals . Includes mobile and terminal alerts. draws lines when alerts. This indicator can help identify extremes and then the tops or bottoms of those extremes .
FREE
Multi-timeframe trend indicator based on the ADX / ADXWilder indicator with Fibonacci levels The indicator shows trend areas using ADX or ADXWilder indicator data from multiple timeframes. The impulse mode of the indicator allows you to catch the beginning of a trend, and several "Screens" with different timeframes allow you to filter out market noise. Fibonacci levels are added to the price chart, which have flexible settings. How the indicator works: if PDI is greater than NDI, then   it`s
FREE
Auto Fibonacci
Ali Gokay Duman
5 (3)
This indicator calculates fibonacci levels via moving averages trend and draw these lines. You can change fast and slow Moving Averages settings for customization. Inputs: Fast MA Time Period :  64 Fast MA Shift: 0 Fast MA Method: Smoothed Fast MA Apply To: Median Price Slow MA Time Period: 32 Slow MA Shift: 0 Slow MA Method: Smoothed Slow MA Apply To: Median Price ZigZag: False ZigZag Color: Red ZigZag Type: DashDot ZigZag Width: VeryThin Fibo Settings TrendFibonacci: True FiboTrendColor: Black
FREE
HA Heikin Ashi
Giuseppe Papa
5 (1)
L'indicatore "Heikin Ashi" è stato progettato per migliorare l'analisi dei grafici finanziari con un sistema di candele Heikin Ashi. Le candele Heikin Ashi sono un metodo avanzato per visualizzare il prezzo, che aiuta a filtrare il rumore del mercato, rendendo più chiara l'interpretazione dei trend e migliorando la qualità delle decisioni di trading. Questo indicatore consente di visualizzare le candele Heikin Ashi al posto delle candele giapponesi tradizionali, rendendo l'analisi grafica più pu
FREE
Indicatore Heiken Ashi MT5 Migliora la tua analisi di mercato con l'indicatore Heiken Ashi MT5. Questo potente strumento trasforma i dati di prezzo standard in candele più fluide e orientate al trend, facilitando l'identificazione delle tendenze di mercato e dei potenziali punti di inversione. Caratteristiche principali: Chiara identificazione dei trend: Distingui visivamente i trend rialzisti e ribassisti attraverso diversi colori delle candele. Riduzione del rumore: Filtra le fluttuazioni di
FREE
Gli utenti di questo prodotto hanno anche acquistato
SuperScalp Pro
Van Minh Nguyen
5 (7)
SuperScalp Pro – Sistema avanzato di indicatore per scalping con filtri multipli SuperScalp Pro è un sistema avanzato di indicatore per scalping che combina il classico Supertrend con molteplici filtri di conferma intelligenti. L’indicatore funziona in modo efficiente su tutti i timeframe da M1 a H4 ed è particolarmente adatto per XAUUSD, BTCUSD e le principali coppie Forex. Può essere utilizzato come sistema stand-alone o integrato in modo flessibile nelle strategie di trading esistenti. L’indi
Se acquisti questo indicatore, riceverai il mio Trade Manager Professionale + EA  GRATUITAMENTE. Innanzitutto è importante sottolineare che questo sistema di trading è un indicatore Non-Repainting, Non-Redrawing e Non-Lagging, il che lo rende ideale sia per il trading manuale che per quello automatico. Corso online, manuale e download di preset. Il "Sistema di Trading Smart Trend MT5" è una soluzione completa pensata sia per i trader principianti che per quelli esperti. Combina oltre 10 indicat
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
Divergence Bomber
Ihor Otkydach
4.89 (83)
Ogni acquirente dell’indicatore riceverà inoltre gratuitamente: L’utilità esclusiva “Bomber Utility”, che gestisce automaticamente ogni operazione, imposta i livelli di Stop Loss e Take Profit e chiude le posizioni secondo le regole della strategia I file di configurazione (set file) per adattare l’indicatore a diversi asset I set file per configurare il Bomber Utility in tre modalità: “Rischio Minimo”, “Rischio Bilanciato” e “Strategia di Attesa” Una guida video passo-passo per installare, conf
FX Trend MT5 NG
Daniel Stein
5 (4)
FX Trend NG: La Nuova Generazione di Intelligenza di Trend Multi-Mercato Panoramica FX Trend NG è uno strumento professionale di analisi del trend multi-timeframe e monitoraggio dei mercati. Ti consente di comprendere la struttura completa del mercato in pochi secondi. Invece di passare tra numerosi grafici, puoi identificare immediatamente quali strumenti sono in trend, dove il momentum sta diminuendo e dove esiste un forte allineamento tra i timeframe. Offerta di Lancio – Ottieni FX Trend NG
Game Changer Indicator mt5
Vasiliy Strukov
4.79 (19)
Game Changer è un indicatore di tendenza rivoluzionario, progettato per essere utilizzato su qualsiasi strumento finanziario, per trasformare il tuo MetaTrader in un potente analizzatore di trend. Funziona su qualsiasi intervallo temporale e aiuta a identificare i trend, segnala potenziali inversioni, funge da meccanismo di trailing stop e fornisce avvisi in tempo reale per risposte tempestive del mercato. Che tu sia un professionista esperto o un principiante in cerca di un vantaggio, questo st
Power Candles MT5
Daniel Stein
5 (6)
Power Candles – Segnali di ingresso basati sulla forza per tutti i mercati Power Candles porta l’analisi di forza collaudata di Stein Investments direttamente sul grafico dei prezzi. Invece di reagire solo al prezzo, ogni candela viene colorata in base alla reale forza di mercato, consentendo di identificare immediatamente accumuli di momentum, accelerazioni della forza e transizioni di trend pulite. Un’unica logica per tutti i mercati Power Candles funziona automaticamente su tutti i simboli di
FX Power MT5 NG
Daniel Stein
5 (31)
FX Power: Analizza la Forza delle Valute per Decisioni di Trading Più Intelligenti Panoramica FX Power è lo strumento essenziale per comprendere la reale forza delle principali valute e dell'oro in qualsiasi condizione di mercato. Identificando le valute forti da comprare e quelle deboli da vendere, FX Power semplifica le decisioni di trading e rivela opportunità ad alta probabilità. Che tu segua le tendenze o anticipi inversioni utilizzando valori estremi di Delta, questo strumento si adatta
Azimuth Pro
Ottaviano De Cicco
5 (4)
LAUNCH PROMO Azimuth Pro price is initially set at 299$ for the first 100 buyers. Final price will be 499$ . THE DIFFERENCE BETWEEN RETAIL AND INSTITUTIONAL ENTRIES ISN'T THE INDICATOR — IT'S THE LOCATION. Most traders enter at arbitrary price levels, chasing momentum or reacting to lagging signals. Institutions wait for price to reach structured levels where supply and demand actually shift. Azimuth Pro maps these levels automatically: swing-anchored VWAP, multi-timeframe structure lines, an
Trend Screener Pro MT5
STE S.S.COMPANY
4.84 (101)
Indicatore di tendenza, soluzione unica rivoluzionaria per il trading di tendenze e il filtraggio con tutte le importanti funzionalità di tendenza integrate in un unico strumento! È un indicatore multi-timeframe e multi-valuta al 100% non ridipingibile che può essere utilizzato su tutti i simboli/strumenti: forex, materie prime, criptovalute, indici e azioni. Trend Screener è un indicatore di tendenza che segue un indicatore efficiente che fornisce segnali di tendenza a freccia con punti nel gra
RFI levels PRO MT5
Roman Podpora
3.67 (3)
L'indicatore mostra accuratamente i punti di inversione e le zone di ritorno dei prezzi in cui il       Principali attori   . Vedi dove si formano le nuove tendenze e prendi decisioni con la massima precisione, mantenendo il controllo su ogni operazione. VERSION MT4     -    Rivela il suo massimo potenziale se combinato con l'indicatore   TREND LINES PRO Cosa mostra l'indicatore: Strutture di inversione e livelli di inversione con attivazione all'inizio di un nuovo trend. Visualizzazione dei li
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
Smart Stop Indicator – Precisione intelligente dello stop-loss direttamente sul grafico Panoramica Smart Stop Indicator è la soluzione ideale per i trader che desiderano posizionare il loro stop-loss in modo chiaro e metodico, senza dover indovinare o affidarsi all’intuizione. Questo strumento combina la logica classica del price action (massimi e minimi strutturali) con un moderno riconoscimento dei breakout per identificare il prossimo livello di stop realmente logico. In trend, in range o i
Atomic Analyst MT5
Issam Kassas
4.07 (28)
Innanzitutto, vale la pena sottolineare che questo indicatore di trading non è repaint, non è ridisegno e non presenta ritardi, il che lo rende ideale sia per il trading manuale che per quello automatico. Manuale utente: impostazioni, input e strategia. L'Analista Atomico è un indicatore di azione del prezzo PA che utilizza la forza e il momentum del prezzo per trovare un miglior vantaggio sul mercato. Dotato di filtri avanzati che aiutano a rimuovere rumori e segnali falsi, e aumentare il pote
Gold Entry Sniper
Tahir Mehmood
5 (4)
Gold Entry Sniper – Dashboard ATR Multi-Timeframe per Scalping e Swing Trading sull’Oro Gold Entry Sniper è un indicatore avanzato per MetaTrader 5 che offre segnali di acquisto/vendita precisi per XAUUSD e altri strumenti, basato sulla logica ATR Trailing Stop e l' analisi multi-timeframe . Caratteristiche e Vantaggi Analisi Multi-Timeframe – Visualizza trend su M1, M5, M15 in un'unica dashboard. Trailing Stop Basato su ATR – Stop dinamici che si adattano alla volatilità. Dashboard Professional
FX Levels MT5
Daniel Stein
5 (13)
FX Levels: Supporti e Resistenze di Precisione Eccezionale per Tutti i Mercati Panoramica Rapida Cercate un modo affidabile per individuare livelli di supporto e resistenza in ogni mercato—coppie di valute, indici, azioni o materie prime? FX Levels fonde il metodo tradizionale “Lighthouse” con un approccio dinamico all’avanguardia, offrendo una precisione quasi universale. Basato sulla nostra esperienza reale con i broker e su aggiornamenti automatici giornalieri più quelli in tempo reale, FX
Grabber System MT5
Ihor Otkydach
4.82 (22)
Ti presento un eccellente indicatore tecnico: Grabber, che funziona come una strategia di trading "tutto incluso", pronta all’uso. In un solo codice sono integrati strumenti potenti per l’analisi tecnica del mercato, segnali di trading (frecce), funzioni di allerta e notifiche push. Ogni acquirente di questo indicatore riceve anche gratuitamente: L’utility Grabber: per la gestione automatica degli ordini aperti Video tutorial passo dopo passo: per imparare a installare, configurare e utilizzare
Quantum TrendPulse
Bogdan Ion Puscasu
5 (20)
Ecco   Quantum TrendPulse   , lo strumento di trading definitivo che combina la potenza di   SuperTrend   ,   RSI   e   Stocastico   in un unico indicatore completo per massimizzare il tuo potenziale di trading. Progettato per i trader che cercano precisione ed efficienza, questo indicatore ti aiuta a identificare con sicurezza le tendenze di mercato, i cambiamenti di momentum e i punti di entrata e uscita ottimali. Caratteristiche principali: Integrazione SuperTrend:   segui facilmente l'andame
LINEE DI TENDENZA PRO  Aiuta a capire dove il mercato sta realmente cambiando direzione. L'indicatore mostra reali inversioni di tendenza e punti in cui i principali operatori rientrano. Vedi   Linee BOS   Cambiamenti di tendenza e livelli chiave su timeframe più ampi, senza impostazioni complesse o rumore inutile. I segnali non vengono ridisegnati e rimangono sul grafico dopo la chiusura della barra. VERSIONE MT4   -   Svela il suo massimo potenziale se abbinato all'indicatore   RFI LEVELS PRO
Innanzitutto, vale la pena sottolineare che questo Strumento di Trading è un Indicatore Non-Ridipingente, Non-Ridisegnante e Non-Laggante, il che lo rende ideale per il trading professionale. Corso online, manuale utente e demo. L'Indicatore Smart Price Action Concepts è uno strumento molto potente sia per i nuovi che per i trader esperti. Racchiude più di 20 utili indicatori in uno solo, combinando idee di trading avanzate come l'Analisi del Trader del Circolo Interno e le Strategie di Tradin
Top indicator for MT5   providing accurate signals to enter a trade without repainting! It can be applied to any financial assets:   forex, cryptocurrencies, metals, stocks, indices .  Watch  the video  (6:22) with an example of processing only one signal that paid off the indicator! MT4 version is here It will provide pretty accurate trading signals and tell you when it's best to open a trade and close it. Most traders improve their trading results during the first trading week with the help of
Trend indicator AI mt5
Ramil Minniakhmetov
5 (15)
Trend Ai indicator è un ottimo strumento che migliorerà l'analisi di mercato di un trader combinando l'identificazione della tendenza con punti di ingresso utilizzabili e avvisi di inversione. Questo indicatore consente agli utenti di navigare nelle complessità del mercato forex con fiducia e precisione Oltre ai segnali primari, l'indicatore Ai di tendenza identifica i punti di ingresso secondari che si presentano durante i pullback o i ritracciamenti, consentendo ai trader di capitalizzare le
Berma Bands
Muhammad Elbermawi
5 (8)
L'indicatore Berma Bands (BBs) è uno strumento prezioso per i trader che cercano di identificare e capitalizzare i trend di mercato. Analizzando la relazione tra il prezzo e le BBs, i trader possono discernere se un mercato è in una fase di trend o di range. Visita il [ Berma Home Blog ] per saperne di più. Le Berma Bands sono composte da tre linee distinte: la Upper Berma Band, la Middle Berma Band e la Lower Berma Band. Queste linee sono tracciate attorno al prezzo, creando una rappresentazion
Ogni giorno, molti trader affrontano una sfida comune: il prezzo sembra rompere un livello chiave, entrano in un'operazione, e poi il mercato si inverte, attivando il loro stop loss. Questo è noto come falsa rottura (false breakout) — un movimento di prezzo che supera brevemente un livello di supporto o resistenza prima di invertire la direzione. Questi movimenti possono causare l'attivazione degli stop loss prima che la direzione effettiva del prezzo diventi chiara. Nell'analisi tecnica, questo
Gold Sniper Scalper Pro
Ich Khiem Nguyen
3.63 (8)
Gold Sniper Scalper Pro è un indicatore professionale per MetaTrader 5, progettato per supportare i trader nell'identificare punti di ingresso e gestire il rischio in modo efficace. L'indicatore fornisce un set completo di strumenti analitici che include un sistema di rilevamento dei segnali, gestione automatica di Entry/SL/TP, analisi del volume e statistiche delle performance in tempo reale. Guida utente per comprendere il sistema   |   Guida utente per altre lingue CARATTERISTICHE PRINCIPALI
IX Power MT5
Daniel Stein
4.92 (13)
IX Power: Scopri approfondimenti di mercato per indici, materie prime, criptovalute e forex Panoramica IX Power è uno strumento versatile progettato per analizzare la forza di indici, materie prime, criptovalute e simboli forex. Mentre FX Power offre la massima precisione per le coppie di valute utilizzando i dati di tutte le coppie disponibili, IX Power si concentra esclusivamente sui dati di mercato del simbolo sottostante. Questo rende IX Power una scelta eccellente per mercati non correlat
L’indicatore evidenzia le zone in cui viene dichiarato interesse sul mercato , per poi mostrare la zona di accumulo degli ordini . Funziona come un book degli ordini su larga scala . Questo è l’indicatore per i grandi capitali . Le sue prestazioni sono eccezionali. Qualsiasi interesse ci sia nel mercato, lo vedrai chiaramente . (Questa è una versione completamente riscritta e automatizzata – non è più necessaria un’analisi manuale.) La velocità di transazione è un indicatore concettualmente nuo
Advanced Supply Demand MT5
Bernhard Schweigert
4.53 (15)
La migliore soluzione per qualsiasi principiante o trader esperto! Questo indicatore è uno strumento di trading unico, di alta qualità e conveniente perché abbiamo incorporato una serie di funzionalità proprietarie e una nuova formula. Con questo aggiornamento, sarai in grado di mostrare fusi orari doppi. Non solo potrai mostrare una TF più alta, ma anche entrambe, la TF del grafico, PIÙ la TF più alta: SHOWING NESTED ZONES. Tutti i trader di domanda di offerta lo adoreranno. :) Informazioni imp
PZ Swing Trading MT5
PZ TRADING SLU
5 (5)
Protect against whipsaws: revolutionize your swing trading approach Swing Trading is the first indicator designed to detect swings in the direction of the trend and possible reversal swings. It uses the baseline swing trading approach, widely described in trading literature. The indicator studies several price and time vectors to track the aggregate trend direction and detects situations in which the market is oversold or overbought and ready to correct. [ Installation Guide | Update Guide | Tro
Candle Smart Range
Gianny Alexander Lugo Sanchez
Candle Smart Range (CSR) per MetaTrader 5 Candle Smart Range è un indicatore tecnico progettato per l'identificazione automatica dei range di prezzo su più timeframe. Questo strumento analizza la struttura del mercato basandosi sulle formazioni delle candele e sull'interazione del prezzo con i massimi e i minimi precedenti. Caratteristiche principali: Rilevamento Range: Identifica le zone di consolidamento prima dei movimenti impulsivi. Identificazione Falsi Breakout: Segnala quando il prezzo su
Altri dall’autore
A Trend Following Indicator that switches directions based on a Stop-and-Reverse Price (based on Wilders algorithm) and in parallel a Stop-Loss that contracts when the profit exceeds the risk capital ( ACC*ATR ) progressively up to user defined max % level ( AF_MAX ). The basis of this indicator is the Volatility method described in Wilders book from 1975 "New Concepts in Technical Trading Systems".  I have used this on Crypto and Stocks and Forex. The ACC (Acceleration Factor) is setup to run
# Expert Advisor di Trend Following di Wilders Ottimizzato con Regolazione Automatica e Controllo VIX ## Panoramica L'Expert Advisor di Trend Following di Wilders Ottimizzato con Regolazione Automatica e Controllo VIX è un sistema di trading avanzato per MetaTrader 5 che implementa una sofisticata strategia di trend following basata sui concetti di Welles Wilder, arricchita con moderne tecniche di gestione del rischio. Questo EA combina diverse funzionalità innovative per adattarsi alle mutev
Hidden Markov Model 4
Andreas Alois Aigner
HMM4 Indicator Documentation HMM4 Indicator Documentation Introduction The HMM4 indicator is a powerful technical analysis tool that uses a 4-Gaussian Hidden Markov Model (HMM) to identify market regimes and predict potential market direction. This indicator applies advanced statistical methods to price data, allowing traders to recognize bull and bear market conditions with greater accuracy. The indicator displays a stacked line chart in a separate window, representing the mixture weights of f
Filtro:
Nessuna recensione
Rispondi alla recensione