ADX and Stochastic Entry Signals (Oscillator)### 🎯 What Does This Indicator Identify?
**Long Entry (BUY):**
A long signal is triggered when the **ADX** shows a strong trend above the set threshold, and the **Stochastic** crosses up from the **Oversold** level (below 20).
**Short Entry (SELL):**
A short signal is triggered when the **ADX** shows a strong trend above the set threshold, and the **Stochastic** crosses down from the **Overbought** level (above 80).
---
### 📈 What Makes This Indicator Special?
✅ **Smart Trend Filter:**
The **ADX** ensures that trades are only entered when the trend is strong, preventing false entries in sideways markets.
✅ **Clear Signals on the Chart:**
The indicator plots **green arrows** for long entries and **red arrows** for short entries directly on the chart, along with **colored circles** marking the exact entry points.
✅ **Clearly Defined ADX Levels:**
Includes horizontal lines for **ADX levels of 20, 25, and 30**, helping traders identify trend strength more easily.
---
### 🧩 Who Is This Indicator For?
🔹 **Day Traders**
🔹 **Swing Traders**
🔹 **Traders Looking for Strong Trends**
---
### 🖱️ How to Use It?
1. **Set your desired timeframe** on the chart (e.g., 15 minutes, 1 hour, or daily).
2. **Look for green and red arrows** on the chart to identify potential entry points.
3. **Use the ADX levels** to confirm that the trend is strong enough before entering a trade.
---
### 🚀 Key Benefits:
- **Reduces trades in non-trending markets.**
- **Helps enter trades only when market conditions are favorable.**
- **Provides clear and simple visual signals for better decision-making.**
---
### 🤝 Join the Community:
💬 **If you find this indicator helpful, please leave a comment and share your thoughts!**
📊 **Follow me for more trading ideas and indicators on TradingView.**
---
### 🔑 Keywords for Your Post:
#ADX #Stochastic #TradingIndicator #EntrySignals #TechnicalAnalysis #DayTrading #SwingTrading #TradingView
オシレーター
Duyen_SuperTrendChỉ báo ‘Siêu xu hướng’ có thể được sử dụng trên thị trường cổ phiếu, tương lai hoặc ngoại hối, hoặc thậm chí là thị trường tiền điện tử và cũng trên biểu đồ hàng ngày, hàng tuần và hàng giờ, nhưng nhìn chung, nó không hiệu quả trong thị trường đi ngang.
Chức năng nguồn được thêm vào để sử dụng chỉ báo làm chỉ báo ATR Trailing Stop.
Chỉ cần thay đổi loại nguồn hl2 thành đóng.
các biến thể khác nhau có thể hữu ích.
Currency Strength Indicator LUX TRADING ACADEMYMisura la forza relativa delle valute mettendole a confronto
Currency Strength Indicator LUX TRADING ACADEMYMisura la forza relativa delle valute e le mette a confronto
Currency Strength Indicator LUX TRADING ACADEMYMisura la forza relativa delle valute e mette queste ultime a confronto
BS | Buy&Sell Signals With EMAKey Features:
EMA Intersections: Generates clear buy and sell signals based on predefined EMA crossings.
5 EMA Lines: Visualize market trends with five distinct EMA lines plotted on the chart.
Support and Resistance Levels: Easily identify crucial support and resistance levels with our integrated marker.
Comprehensive Indicator Panel: At the bottom of the chart, track Stochastic, RSI, Supertrend, and SMA across multiple timeframes (1m, 5m, 15m, 1H, 4H, Daily, Weekly).
Fully Customizable: Almost every indicator within the tool is adjustable to suit your preferences and trading style.
Alarm Feature: Set up alarms to stay informed of important market movements.
Unlock the full potential of your trading strategy with BS | Buy&Sell Signals With EMA. Customize, analyze, and trade with confidence.
created by @bahadirsezer
BS | Buy&Sell Signals With EMAKey Features:
EMA Intersections: Generates clear buy and sell signals based on predefined EMA crossings.
5 EMA Lines: Visualize market trends with five distinct EMA lines plotted on the chart.
Support and Resistance Levels: Easily identify crucial support and resistance levels with our integrated marker.
Comprehensive Indicator Panel: At the bottom of the chart, track Stochastic, RSI, Supertrend, and SMA across multiple timeframes (1m, 5m, 15m, 1H, 4H, Daily, Weekly).
Fully Customizable: Almost every indicator within the tool is adjustable to suit your preferences and trading style.
Alarm Feature: Set up alarms to stay informed of important market movements.
Unlock the full potential of your trading strategy with BS | Buy&Sell Signals With EMA. Customize, analyze, and trade with confidence.
created by @bahadirsezer
Fake Double ReserveThis Pine Script code implements the "Fake Double Reserve" indicator, combining several widely-used technical indicators to generate Buy and Sell signals. Here's a detailed breakdown:
Key Indicators Included
Relative Strength Index (RSI):
Used to measure the speed and change of price movements.
Overbought and oversold levels are set at 70 and 30, respectively.
MACD (Moving Average Convergence Divergence):
Compares short-term and long-term momentum with a signal line for trend confirmation.
Stochastic Oscillator:
Measures the relative position of the closing price within a recent high-low range.
Exponential Moving Averages (EMAs):
EMA 20: Short-term trend indicator.
EMA 50 & EMA 200: Medium and long-term trend indicators.
Bollinger Bands:
Shows volatility and potential reversal zones with upper, lower, and basis lines.
Signal Generation
Buy Condition:
RSI crosses above 30 (leaving oversold territory).
MACD Line crosses above the Signal Line.
Stochastic %K crosses above %D.
The closing price is above the EMA 50.
Sell Condition:
RSI crosses below 70 (leaving overbought territory).
MACD Line crosses below the Signal Line.
Stochastic %K crosses below %D.
The closing price is below the EMA 50.
Visualization
Signals:
Buy signals: Shown as green upward arrows below bars.
Sell signals: Shown as red downward arrows above bars.
Indicators on the Chart:
RSI Levels: Horizontal dotted lines at 70 (overbought) and 30 (oversold).
EMAs: EMA 20 (green), EMA 50 (blue), EMA 200 (orange).
Bollinger Bands: Upper (purple), Lower (purple), Basis (gray).
Labels:
Buy and Sell signals are also displayed as labels at relevant bars.
//@version=5
indicator("Fake Double Reserve", overlay=true)
// Include key indicators
rsiLength = 14
rsi = ta.rsi(close, rsiLength)
macdFast = 12
macdSlow = 26
macdSignal = 9
= ta.macd(close, macdFast, macdSlow, macdSignal)
stochK = ta.stoch(close, high, low, 14)
stochD = ta.sma(stochK, 3)
ema20 = ta.ema(close, 20)
ema50 = ta.ema(close, 50)
ema200 = ta.ema(close, 200)
bbBasis = ta.sma(close, 20)
bbUpper = bbBasis + 2 * ta.stdev(close, 20)
bbLower = bbBasis - 2 * ta.stdev(close, 20)
// Detect potential "Fake Double Reserve" patterns
longCondition = ta.crossover(rsi, 30) and ta.crossover(macdLine, signalLine) and ta.crossover(stochK, stochD) and close > ema50
shortCondition = ta.crossunder(rsi, 70) and ta.crossunder(macdLine, signalLine) and ta.crossunder(stochK, stochD) and close < ema50
// Plot signals
if (longCondition)
label.new(bar_index, high, "Buy", style=label.style_label_up, color=color.green, textcolor=color.white)
if (shortCondition)
label.new(bar_index, low, "Sell", style=label.style_label_down, color=color.red, textcolor=color.white)
// Plot buy and sell signals as shapes
plotshape(longCondition, style=shape.labelup, location=location.belowbar, color=color.green, size=size.small, title="Buy Signal")
plotshape(shortCondition, style=shape.labeldown, location=location.abovebar, color=color.red, size=size.small, title="Sell Signal")
// Plot indicators
plot(ema20, color=color.green, linewidth=1, title="EMA 20")
plot(ema50, color=color.blue, linewidth=1, title="EMA 50")
plot(ema200, color=color.orange, linewidth=1, title="EMA 200")
hline(70, "Overbought (RSI)", color=color.red, linestyle=hline.style_dotted)
hline(30, "Oversold (RSI)", color=color.green, linestyle=hline.style_dotted)
plot(bbUpper, color=color.purple, title="Bollinger Band Upper")
plot(bbLower, color=color.purple, title="Bollinger Band Lower")
plot(bbBasis, color=color.gray, title="Bollinger Band Basis")
Relative Strength Index with MA Strategy [QuocMinhOfficial}Giải thích các thay đổi:
Định nghĩa Tín hiệu Mua (Buy) và Bán (Sell):
Buy: Sử dụng hàm Cross(rsiMA2, rsiMA3) để xác định khi đường RSI MA2 cắt lên trên đường RSI MA3.
Sell: Sử dụng hàm Cross(rsiMA3, rsiMA2) để xác định khi đường RSI MA2 cắt xuống dưới đường RSI MA3.
Điều chỉnh Filter:
Ban đầu, trong code của bạn có Filter = Buy AND Sell; điều này luôn luôn sai vì một giao dịch không thể vừa mua vừa bán cùng một lúc. Thay vào đó, chúng ta sử dụng Filter = Buy OR Sell; để lọc các giao dịch mua và bán riêng biệt.
Thêm Các Cột Hiển Thị (Tu yong):
Sử dụng AddColumn để hiển thị các giá trị RSI và các đường MA tương ứng trong kết quả backtest, giúp bạn dễ dàng theo dõi và phân tích.
Ghi chú:
Nếu bạn muốn thêm các điều kiện bổ sung cho tín hiệu mua bán (ví dụ: chỉ mua khi RSI trên 50), bạn có thể kết hợp các điều kiện bằng toán tử AND hoặc OR như trong ví dụ đã thêm.
Hãy đảm bảo rằng bạn kiểm tra lại logic và kết quả backtest để xác nhận rằng tín hiệu mua bán hoạt động như mong đợi.
ADX and Stochastic Entry Signals (Oscillator)### 🎯 What Does This Indicator Identify?
**Long Entry (BUY):**
A long signal is triggered when the **ADX** shows a strong trend above the set threshold, and the **Stochastic** crosses up from the **Oversold** level (below 20).
**Short Entry (SELL):**
A short signal is triggered when the **ADX** shows a strong trend above the set threshold, and the **Stochastic** crosses down from the **Overbought** level (above 80).
---
### 📈 What Makes This Indicator Special?
✅ **Smart Trend Filter:**
The **ADX** ensures that trades are only entered when the trend is strong, preventing false entries in sideways markets.
✅ **Clear Signals on the Chart:**
The indicator plots **green arrows** for long entries and **red arrows** for short entries directly on the chart, along with **colored circles** marking the exact entry points.
✅ **Clearly Defined ADX Levels:**
Includes horizontal lines for **ADX levels of 20, 25, and 30**, helping traders identify trend strength more easily.
---
### 🧩 Who Is This Indicator For?
🔹 **Day Traders**
🔹 **Swing Traders**
🔹 **Traders Looking for Strong Trends**
---
### 🖱️ How to Use It?
1. **Set your desired timeframe** on the chart (e.g., 15 minutes, 1 hour, or daily).
2. **Look for green and red arrows** on the chart to identify potential entry points.
3. **Use the ADX levels** to confirm that the trend is strong enough before entering a trade.
---
### 🚀 Key Benefits:
- **Reduces trades in non-trending markets.**
- **Helps enter trades only when market conditions are favorable.**
- **Provides clear and simple visual signals for better decision-making.**
---
### 🤝 Join the Community:
💬 **If you find this indicator helpful, please leave a comment and share your thoughts!**
📊 **Follow me for more trading ideas and indicators on TradingView.**
---
### 🔑 Keywords for Your Post:
#ADX #Stochastic #TradingIndicator #EntrySignals #TechnicalAnalysis #DayTrading #SwingTrading #TradingView
ADX and Stochastic Entry Signals (Oscillator)### 🎯 What Does This Indicator Identify?
**Long Entry (BUY):**
A long signal is triggered when the **ADX** shows a strong trend above the set threshold, and the **Stochastic** crosses up from the **Oversold** level (below 20).
**Short Entry (SELL):**
A short signal is triggered when the **ADX** shows a strong trend above the set threshold, and the **Stochastic** crosses down from the **Overbought** level (above 80).
---
### 📈 What Makes This Indicator Special?
✅ **Smart Trend Filter:**
The **ADX** ensures that trades are only entered when the trend is strong, preventing false entries in sideways markets.
✅ **Clear Signals on the Chart:**
The indicator plots **green arrows** for long entries and **red arrows** for short entries directly on the chart, along with **colored circles** marking the exact entry points.
✅ **Clearly Defined ADX Levels:**
Includes horizontal lines for **ADX levels of 20, 25, and 30**, helping traders identify trend strength more easily.
---
### 🧩 Who Is This Indicator For?
🔹 **Day Traders**
🔹 **Swing Traders**
🔹 **Traders Looking for Strong Trends**
---
### 🖱️ How to Use It?
1. **Set your desired timeframe** on the chart (e.g., 15 minutes, 1 hour, or daily).
2. **Look for green and red arrows** on the chart to identify potential entry points.
3. **Use the ADX levels** to confirm that the trend is strong enough before entering a trade.
---
### 🚀 Key Benefits:
- **Reduces trades in non-trending markets.**
- **Helps enter trades only when market conditions are favorable.**
- **Provides clear and simple visual signals for better decision-making.**
---
### 🤝 Join the Community:
💬 **If you find this indicator helpful, please leave a comment and share your thoughts!**
📊 **Follow me for more trading ideas and indicators on TradingView.**
---
### 🔑 Keywords for Your Post:
#ADX #Stochastic #TradingIndicator #EntrySignals #TechnicalAnalysis #DayTrading #SwingTrading #TradingView
GOAT Signal SuiteGOAT Signal Suite is an all-in-one script designed to highlight potential market turning points and trend continuations. It combines:
Fibonacci Bands (ATR-based) to identify key support/resistance zones.
RSI Cross & Divergence (with optional Engulfing filter) to detect overbought/oversold conditions and pinpoint regular bullish/bearish divergences.
MACD (with optional ATR threshold) to spot momentum shifts via standard MACD crossovers or more restrictive OB/OS thresholds.
Power (RSI+MACD) Signals when both RSI and MACD align.
STRONG Signals appear if multiple signals occur within a user-defined bar threshold, emphasizing high-confidence trade setups.
A special toggle, “Show Only Strong Signals,” can hide all but these high-confidence STRONG entries. The script also offers an optional “Price Must Be Outside Fib 3 Bands” filter and an EMA filter for additional confirmation. This flexible design allows traders to quickly visualize potential reversals, trends, and momentum shifts with minimal chart clutter.
LN-Heikin Ashi RSI OscillatorBuilding RSI levels and oscillator to identify trend and extreme levels
Normalized Price ComparisonNormalized Price Comparison Indicator Description
The "Normalized Price Comparison" indicator is designed to provide traders with a visual tool for comparing the price movements of up to three different financial instruments on a common scale, despite their potentially different price ranges. Here's how it works:
Features:
Normalization: This indicator normalizes the closing prices of each symbol to a scale between 0 and 1 over a user-defined period. This normalization process allows for the comparison of price trends regardless of the absolute price levels, making it easier to spot relative movements and trends.
Crossing Alert: It features an alert functionality that triggers when the normalized price lines of the first two symbols (Symbol 1 and Symbol 2) cross each other. This can be particularly useful for identifying potential trading opportunities when one asset's relative performance changes against another.
Customization: Users can input up to three symbols for analysis. The normalization period can be adjusted, allowing flexibility in how historical data is considered for the scaling process. This period determines how many past bars are used to calculate the minimum and maximum prices for normalization.
Visual Representation: The indicator plots these normalized prices in a separate pane below the main chart. Each symbol's normalized price is represented by a distinct colored line:
Symbol 1: Blue line
Symbol 2: Red line
Symbol 3: Green line
Use Cases:
Relative Performance Analysis: Ideal for investors or traders who want to compare how different assets are performing relative to each other over time, without the distraction of absolute price differences.
Divergence Detection: Useful for spotting divergences where one asset might be outperforming or underperforming compared to others, potentially signaling changes in market trends or investment opportunities.
Crossing Strategy: The alert for when Symbol 1 and Symbol 2's normalized lines cross can be used as a part of a trading strategy, signaling potential entry or exit points based on relative price movements.
Limitations:
Static Alert Messages: Due to Pine Script's constraints, the alert messages cannot dynamically include the names of the symbols being compared. The alert will always mention "Symbol 1" and "Symbol 2" crossing.
Performance: Depending on the timeframe and the number of symbols, performance might be affected, especially on lower timeframes with high data frequency.
This indicator is particularly beneficial for those interested in multi-asset analysis, offering a streamlined way to observe and react to relative price movements in a visually coherent manner. It's a powerful tool for enhancing your trading or investment analysis by focusing on trends and relationships rather than raw price data.
Buy and Sell with Oscillator DivergenceThis exploratory script provides a graphical representation of "Peaks" and "Dips" during market expansion, where traders are likely to take part of their profits. One possible use is with a contrarian entry strategy: selling when buyers have finished taking their profits and buying when sellers have finished taking their profits. This is achieved by comparing the strength of an existing trend by analysing the price and any given oscillator between two consecutive peaks or dips for regular divergences.
The script combines Bollinger Band expansion to detect extreme points. It then compares a single oscillator of choice (e.g., RSI, CCI, Stoch RSI, or MACD) to determine whether the value of the oscillator between two Bollinger Band extremes is increasing or decreasing, thereby detecting possible divergence with the price. Additionally, there is an option to include any other oscillator of choice as an input source for the oscillator, provided that it is loaded on the chart.
In an uptrend, if the price continues to peak higher while the oscillator peaks lower, it indicates signs of bullish exhaustion. Conversely, in a downtrend, if the price keeps dipping lower while the oscillator dips higher, it signals bearish exhaustion.
The above can be used in conjunction with price action analysis to identify entry or exit points near key areas of support or resistance. The script is intended for exploratory and educational purposes, is a work in progress, it requires further tunning, and does not constitute financial advice.
MTF EMA and MACDCombina 2 medias del gráfico de 15min y 1h para detectar la tendencia y un macd para confirmar la señales, configuración por defecto para 5min.
Este indicador facilita al usuario la gestión de operaciones dando señales de compra y venta. Para las compras: una vez el macd haga un cruce positivo por de bajo de nivel cero y este confirmada una tendencia alcista, se emitirá la señal de compra.
Para las ventas: si se da un cruce negativo por encima del nivel cero y esta confirmada la tendencia bajista se emitirá la señal de venta.
Esta estrategia también es amigable con los usuarios que no pueden poner muchas alertas, ya que las señales de venta o compra están anidadas en la misma función de alerta.
Este indicador estará gratis por un tiempo así que úsenlo y compartan sus resultados o posibles mejoras.
La gestión es simple, se entra al cierre de la vela y se utiliza una relación de riesgo de 1 : 1.5 y el stop loss va en el mínimo o máximo mas reciente. Una recomendación para evitar perder la entrada a las operaciones, ya que el gráfico de 5min es muy rápido es poner la alerta para que se active cada minuto en las configuraciones de la alerta, esto hará que se revise mas el gráfico, pero dando una ventana de tiempo para calcular la posición y entrara al cierre. se recomienda que al llegar a la relación de 1:1 colocar el brake even point.
Esta estrategia genera aproximadamente 60 señales al mes por gráfico, con un win ratio aprox de entre el 50 a 60% dependiendo del estado del mercado, las rachas de derrotas no suelen ser prolongadas, pero es recomendable estar alerta ya que hay unos pequeños contextos donde se suelen dar muchas alertas malas seguidas después de un movimiento fuerte y que la tendencia comienza a revertir.
Correo de contacto: estrategiasdetradingjesus@gmail.com
Combine 2 moving averages from the 15-minute and 1-hour charts to detect the trend and use a MACD to confirm signals, with a default setting of 5 minutes.
This indicator simplifies trade management by providing buy and sell signals. For buy signals: once the MACD crosses above the zero line and an uptrend is confirmed, a buy signal is issued. For sell signals: if there's a negative crossover above the zero line and a downtrend is confirmed, a sell signal is issued.
This strategy is also user-friendly for those who can't set many alerts, as buy or sell signals are nested within the same alert function.
This indicator will be free for a limited time, so use it and share your results or potential improvements.
Management is simple: enter at the close of the candle and use a 1:1.5 risk-reward ratio. Place the stop loss at the most recent high or low. To avoid missing entry opportunities due to the fast-paced 5-minute chart, set the alert to activate every minute in the alert settings. This will increase chart monitoring but also provides a time window to calculate the position and enter at the close. It's recommended to set a break-even point once the 1:1 ratio is reached.
This strategy generates approximately 60 signals per chart per month, with a win ratio of around 50-60% depending on market conditions. Losing streaks are usually not prolonged, but it's advisable to stay alert as there are small contexts where many false alerts tend to occur after a strong movement and the trend starts to reverse.
contact: estrategiasdetradingjesus@gmail.com
Volume Multiplier Index (VMI)Этот индикатор масштабирует объемы и позволяет анализировать их через две линии, основанные на различных подходах (экспонента и логарифм), с визуализацией ключевых уровней (перекупленности, перепроданности и средней зоны).
1. Описание настроек
Линия 1: "Exponent Line"
Show Exponent Line: Включает/выключает отображение линии экспоненты.
Period for Exponent: Период для расчета скользящих максимумов и минимумов объема.
Use Exponent Multiplier: Включает/выключает применение множителя.
Exponent Multiplier: Значение степени, в которую возводится объем.
Линия 2: "Logarithm Line"
Show Logarithm Line: Включает/выключает отображение логарифмической линии.
Period for Logarithm: Период для расчета скользящих максимумов и минимумов объема.
Use Logarithm Multiplier: Включает/выключает применение логарифмического множителя.
Общие элементы
Уровни:
80: Верхняя граница, обозначающая зону перекупленности.
50: Средний уровень, зона баланса объема.
20: Нижняя граница, зона перепроданности.
Заливка фона: Показывает диапазон между уровнями 20 и 80 для наглядности.
2. Интерпретация линий
Линия 1 (Exponent):
Линия усиливает влияние крупных объемов. Используется для определения аномально высоких объемов, что может указывать на сильные движения рынка (тренд или разворот).
Пример:
Если линия резко поднимается выше уровня 80 — это сигнал о значительном увеличении объема, возможно, начало сильного тренда.
Линия вблизи 20 — снижение активности, возможна консолидация или боковое движение.
Линия 2 (Logarithm):
Линия сглаживает влияние крупных объемов, делая акцент на стабильных изменениях. Подходит для анализа общего тренда или средней рыночной активности.
Пример:
Линия выше 80 — указывает на устойчивую активность вблизи перекупленности.
Линия ниже 20 — активность снижается, сигнализируя о возможной перепроданности.
3. Как применять индикатор
Анализ зон объемов:
Используйте верхний уровень (80) для выявления зон перекупленности.
Используйте нижний уровень (20) для поиска зон перепроданности.
Средний уровень (50) помогает оценивать нормальное состояние рынка.
Совмещение линий:
Если обе линии поднимаются выше 80, это подтверждение высокой активности рынка.
Если обе линии находятся ниже 20, это подтверждение низкой активности (возможна консолидация).
Фильтрация сигналов:
Используйте линию экспоненты для поиска резких скачков объема.
Линия логарифма помогает сгладить шум и дает подтверждение для более устойчивых трендов.
Комбинация с другими индикаторами:
Индикатор эффективен в сочетании с трендовыми (например, MACD, RSI) для подтверждения сигналов.
Например, перекупленность по объему может совпадать с дивергенцией на RSI.
4. Примеры сценариев использования
Сценарий 1: Идентификация тренда
Если линия экспоненты пересекает уровень 80, а линия логарифма также приближается к этому уровню, это может быть сигналом продолжения сильного тренда.
Сценарий 2: Разворот рынка
Когда линии опускаются ниже уровня 20, а затем обе начинают подниматься вверх — возможно начало нового тренда.
Сценарий 3: Консолидация
Если линии движутся около уровня 50 и не показывают сильных отклонений, рынок, скорее всего, находится в фазе консолидации.
5. Рекомендации по интерпретации
Не использовать индикатор в одиночку — он предназначен для фильтрации сигналов.
Для анализа лучше всего подходят периоды повышенной волатильности.
Настройки периода и множителя можно подстраивать под актив, с которым вы работаете. Для более волатильных инструментов лучше увеличить период.
Этот индикатор идеально подходит для анализа активности рынка, фильтрации шумов и подтверждения сигналов в стратегиях трендового или контртрендового характера.
Absolute Strength Index [ASI] (Zeiierman)█ Overview
The Absolute Strength Index (ASI) is a next-generation oscillator designed to measure the strength and direction of price movements by leveraging percentile-based normalization of historical returns. Developed by Zeiierman, this indicator offers a highly visual and intuitive approach to identifying market conditions, trend strength, and divergence opportunities.
By dynamically scaling price returns into a bounded oscillator (-10 to +10), the ASI helps traders spot overbought/oversold conditions, trend reversals, and momentum changes with enhanced precision. It also incorporates advanced features like divergence detection and adaptive signal smoothing for versatile trading applications.
█ How It Works
The ASI's core calculation methodology revolves around analyzing historical price returns, classifying them into top and bottom percentiles, and normalizing the current price movement within this framework. Here's a breakdown of its key components:
⚪ Returns Lookback
The ASI evaluates historical price returns over a user-defined period (Returns Lookback) to measure recent price behavior. This lookback window determines the sensitivity of the oscillator:
Shorter Lookback: Higher responsiveness to recent price movements, suitable for scalping or high-volatility assets.
Longer Lookback: Smoother oscillator behavior is ideal for identifying larger trends and avoiding false signals.
⚪ Percentile-Based Thresholds
The ASI categorizes returns into two groups:
Top Percentile (Winners): The upper X% of returns, representing the strongest upward price moves.
Bottom Percentile (Losers): The lower X% of returns, capturing the sharpest downward movements.
This percentile-based normalization ensures the ASI adapts to market conditions, filtering noise and emphasizing significant price changes.
⚪ Oscillator Normalization
The ASI normalizes current returns relative to the top and bottom thresholds:
Values range from -10 to +10, where:
+10 represents extreme bullish strength (above the top percentile threshold).
-10 indicates extreme bearish weakness (below the bottom percentile threshold).
⚪ Signal Line Smoothing
A signal line is optionally applied to the ASI using a variety of moving averages:
Options: SMA, EMA, WMA, RMA, or HMA.
Effect: Smooths the ASI to filter out noise, with shorter lengths offering higher responsiveness and longer lengths providing stability.
⚪ Divergence Detection
One of ASI's standout features is its ability to detect and highlight bullish and bearish divergences:
Bullish Divergence: The ASI forms higher lows while the price forms lower lows, signaling potential upward reversals.
Bearish Divergence: The ASI forms lower highs while the price forms higher highs, indicating potential downward reversals.
█ Key Differences from RSI
Dynamic Adaptability: ASI adjusts to market conditions through percentile-based scaling, while RSI uses static thresholds.
█ How to Use ASI
⚪ Trend Identification
Bullish Strength: ASI above zero suggests upward momentum, suitable for trend-following trades.
Bearish Weakness: ASI below zero signals downward momentum, ideal for short trades or exits from long positions.
⚪ Overbought/Oversold Levels
Overbought Zone: ASI in the +8 to +10 range indicates potential exhaustion of bullish momentum.
Oversold Zone: ASI in the -8 to -10 range points to potential reversal opportunities.
⚪ Divergence Signals
Look for bullish or bearish divergence labels to anticipate trend reversals before they occur.
⚪ Signal Line Crossovers
A crossover between the ASI and its signal line (e.g., EMA or SMA) can indicate a shift in momentum:
Bullish Crossover: ASI crosses above the signal line, signaling potential upside.
Bearish Crossover: ASI crosses below the signal line, suggesting downside momentum.
█ Settings Explained
⚪ Absolute Strength Index
Returns Lookback: Sets the sensitivity of the oscillator. Shorter periods detect short-term changes, while longer periods focus on broader trends.
Top/Bottom Percentiles: Adjust thresholds for defining winners and losers. Narrower percentiles increase sensitivity to outliers.
Signal Line Type: Choose from SMA, EMA, WMA, RMA, or HMA for smoothing.
Signal Line Length: Fine-tune the responsiveness of the signal line.
⚪ Divergence
Divergence Lookback: Adjusts the period for detecting divergence. Use longer lookbacks to reduce noise.
-----------------
Disclaimer
The information contained in my Scripts/Indicators/Ideas/Algos/Systems does not constitute financial advice or a solicitation to buy or sell any securities of any type. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, backtest, or individual's trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.
My Scripts/Indicators/Ideas/Algos/Systems are only for educational purposes!
ADX with Trend ColoringThe ADX indicator helps identify the strength of a trend, while the DI+ and DI- values indicate the direction. In this script, the ADX's color reflects the dominant trend: green for long (DI+ is stronger and above its high limit) and red for short (DI- is stronger and above its high limit). DI+ and DI- are categorized into three levels based on user-defined thresholds. These levels indicate weak, moderate, or strong trend activity, providing insights into potential trade setups by aligning the ADX strength with the directional indicators.
The code has been updated to include two user-defined limits for both DI+ and DI-, allowing for three distinct ranges (e.g., 0-15, 15-30, 30-100) with corresponding colors.
The script now adjusts the ADX color dynamically to reflect the trend, based on whether DI+ or DI- is stronger. It uses green for long trends and red for short trends.
Dabin all in one V1Indicators include RSI, STC, QQE, Heikin ASHI, volume distribution chart, pressure support based on volume, 90-channel line, UT trading tips, intraday pivot point, EMA moving average。
It is suitable for the indicator system involved in the 3-minute cycle. I don't know whether other cycles are suitable yet. If you like, change the parameters and debug it yourself.
---------------Produced by Dabin
Normalized Jurik Moving Average [QuantAlgo]Upgrade your investing and trading strategy with the Normalized Jurik Moving Average (JMA) , a sophisticated oscillator that combines adaptive smoothing with statistical normalization to deliver high-quality signals! Whether you're a swing trader looking for momentum shifts or a medium- to long-term investor focusing on trend validation, this indicator's statistical approach offers valuable analytical advantages that can enhance your trading and investing decisions!
🟢 Core Architecture
The foundation of this indicator lies in its unique dual-layer calculation system. The first layer implements the Jurik Moving Average, known for its superior noise reduction and responsiveness, while the second layer applies statistical normalization (Z-Score) to create standardized readings. This sophisticated approach helps identify significant price movements while filtering out market noise across various timeframes and instruments.
🟢 Technical Foundation
Three key components power this indicator are:
Jurik Moving Average (JMA): An advanced moving average calculation that provides superior smoothing with minimal lag
Statistical Normalization: Z-Score based scaling that creates consistent, comparable readings across different market conditions
Dynamic Zone Detection: Automatically identifies overbought and oversold conditions based on statistical deviations
🟢 Key Features & Signals
The Normalized JMA delivers market insights through:
Color-adaptive oscillator line that reflects momentum strength and direction
Statistically significant overbought/oversold zones for trade validation
Smart gradient fills between signal line and zero level for enhanced visualization
Clear long (L) and short (S) markers for validated momentum shifts
Intelligent bar coloring that highlights the current market state
Customizable alert system for both bullish and bearish setups
🟢 Practical Usage Tips
Here's how to maximize your use of the Normalized JMA:
1/ Setup:
Add the indicator to your favorites, then apply it to your chart ⭐️
Begin with the default smoothing period for balanced analysis
Use the default normalization period for optimal signal generation
Start with standard visualization settings
Customize colors to match your chart preferences
Enable both bar coloring and signal markers for complete visual feedback
2/ Reading Signals:
Watch for L/S markers - they indicate validated momentum shifts
Monitor oscillator line color changes for direction confirmation
Use the built-in alert system to stay informed of potential trend changes
🟢 Pro Tips
Adjust Smoothing Period based on your trading style:
→ Lower values (8-12) for more responsive signals
→ Higher values (20-30) for more stable trend identification
Fine-tune Normalization Period based on market conditions:
→ Shorter periods (20-25) for more dynamic markets
→ Longer periods (40-50) for more stable markets
Optimize your analysis by:
→ Using +2/-2 zones for primary trade signals
→ Using +3/-3 zones for extreme market conditions
→ Combining with volume analysis for trade confirmation
→ Using multiple timeframe analysis for strategic context
Combine with:
→ Volume indicators for trade validation
→ Price action for entry timing
→ Support/resistance levels for profit targets
→ Trend-following indicators for directional bias