RSI: alternative derivationMost traders accept the Relative Strength Index (RSI) as a standard tool for measuring momentum. But what if RSI is actually a position indicator?
This script introduces an alternative derivation of RSI, offering a fresh perspective on its true nature. Instead of relying on the traditional calculation of average gains and losses, this approach directly considers the price's position relative to its equilibrium (moving average), adjusted for volatility.
While the final value remains identical to the standard RSI, this alternative derivation offers a completely new understanding of the indicator.
 Key components: 
 
 Price (Close) 
Utilizes the closing price, consistent with the original RSI formula.
 normalization factor 
Transforms raw calculations into a fixed range between -1 and +1.
 
normalization_factor = 1 / (Length - 1)
 
 EMA of Price 
Applies Wilder’s Exponential Moving Average (EMA) to the price, serving as the anchor point for measuring price position, similar to the traditional RSI formula.
 
myEMA = ta.rma(close,Length)
 
 EMA of close-to-close absolute changes (unit of volatility) 
Adjusts for market differences by applying a Wilder’s EMA to absolute price changes (volatility), ensuring consistency across various assets.
 
CC_vol = ta.rma(math.abs(close - close ),Length)
 
 
 Calculation Breakdown 
 
 DISTANCE: 
Calculate the difference between the closing price and its Wilder's EMA. A positive value indicates the price is above the EMA; a negative value indicates it is below.
 
distance = close - myEMA
 
 STANDARDIZED DISTANCE 
Divide the distance by the unit of volatility to standardize the measurement across different markets.
 
S_distance = distance / CC_vol
 
 NORMALIZED DISTANCE 
Normalize the standardized distance using the normalization factor (n-1) to adjust for the lookback period.
 
N_distance = S_distance * normalization_factor
 
 RSI 
Finally, scale the normalized distance to fit within the standard RSI range of 0 to 100.
 
myRSI = 50 * (1 + N_distance)
 
 
 The final equation: 
RSI = 50 ×  
 What This Means for RSI 
 
 Same RSI Values, Different Interpretation
 The standard RSI formula may obscure its true measurement, whereas this approach offers clarity.
 RSI primarily indicates the price's position relative to its equilibrium, rather than directly measuring momentum.
 RSI can still be used to analyze momentum, but in a more intuitive and well-informed way.
 
Oscillatori
KDJ Divergence Indicator(Regular & Hidden)📌 中文介绍
KDJ 背离指标(副图版,支持 Regular & Hidden)
这是一个基于 KDJ 指标 的背离检测工具,可以在副图中直观显示 Regular 背离(顶背离/底背离) 和 Hidden 背离(隐藏顶/隐藏底)。
功能特点:
可选计算基线:支持以 J 值 或 K 值 作为背离判定依据。
多种背离类型:
Regular Bullish(底背离):价格创新低,但指标不创新低 → 可能反弹。
Regular Bearish(顶背离):价格创新高,但指标不创新高 → 可能回落。
Hidden Bullish(隐藏底背离):价格不创新低,但指标创新低 → 可能延续上涨。
Hidden Bearish(隐藏顶背离):价格不创新高,但指标创新高 → 可能延续下跌。
连线显示:在副图用线条连接前后两个背离点,帮助更直观地发现趋势变化。
自定义选项:
可选择是否显示 Regular / Hidden 背离。
可调整回溯范围(左侧/右侧/最大最小)。
可自定义颜色和信号样式。
报警提醒:背离出现时会触发报警。
适合:
波段交易者寻找趋势反转。
短线交易者捕捉关键拐点。
技术分析结合 KDJ 的交易策略。
📌 English Introduction
KDJ Divergence Indicator (Sub-Chart, Regular & Hidden Supported)
This is a KDJ-based divergence detection tool, plotted in a sub-window, that highlights Regular Divergences (Bullish/Bearish) and Hidden Divergences (Hidden Bullish/Hidden Bearish).
Key Features:
Selectable Oscillator Line: Choose between J or K line as the basis for divergence detection.
Divergence Types:
Regular Bullish: Price makes a lower low, but oscillator makes a higher low → potential rebound.
Regular Bearish: Price makes a higher high, but oscillator makes a lower high → potential drop.
Hidden Bullish: Price holds higher low, but oscillator makes a lower low → potential trend continuation upward.
Hidden Bearish: Price holds lower high, but oscillator makes a higher high → potential trend continuation downward.
Line Connections: Draws connecting lines between divergence points for better visual clarity.
Customizable Settings:
Enable/disable Regular & Hidden divergences.
Adjustable left/right lookback and range filters.
Custom colors and shapes for signals.
Alert Ready: Alerts trigger when divergences are detected.
Best for:
Swing traders spotting trend reversals.
Short-term traders catching turning points.
Technical analysts using KDJ-based strategies.
Oscillator Matrix [Alpha Extract]A comprehensive multi-oscillator system that combines volume-weighted money flow analysis with enhanced momentum detection, providing traders with a unified framework for identifying high-probability market opportunities across all timeframes. By integrating two powerful oscillators with advanced confluence analysis, this indicator delivers precise entry and exit signals while filtering out market noise through sophisticated threshold-based regime detection.
🔶 Volume-Weighted Money Flow Analysis
Utilizes an advanced money flow calculation that tracks volume-weighted price movements to identify institutional activity and smart money flow. This approach provides superior signal quality by emphasizing high-volume price movements while filtering out low-volume market noise.
 // Volume-weighted flows
up_volume = price_up ? volume : 0
down_volume = price_down ? volume : 0
// Money Flow calculation
up_vol_sum = ta.sma(up_volume, mf_length)
down_vol_sum = ta.sma(down_volume, mf_length)
total_volume = up_vol_sum + down_vol_sum
money_flow_ratio = total_volume > 0 ? (up_vol_sum - down_vol_sum) / total_volume : 0 
🔶 Enhanced Hyper Wave Oscillator
Features a sophisticated MACD-based momentum oscillator with advanced normalization techniques that adapt to different price ranges and market volatility. The system uses percentage-based calculations to ensure consistent performance across various instruments and timeframes.
 // Enhanced MACD-based oscillator
fast_ma = ta.ema(src, hw_fast)
slow_ma = ta.ema(src, hw_slow)
macd_line = fast_ma - slow_ma
signal_line = ta.ema(macd_line, hw_signal)
// Proper normalization using percentage of price
price_base = ta.sma(close, 50)
macd_normalized = macd_line / price_base
hyper_wave = macd_range > 0 ? macd_normalized / macd_range : 0 
🔶 Multi-Factor Confluence System
Implements an intelligent confluence scoring mechanism that combines signals from both oscillators to identify high-probability trading opportunities. The system assigns strength scores based on multiple confirmation factors, significantly reducing false signals.
🔶 Fixed Threshold Levels
Uses predefined threshold levels optimized for standard oscillator ranges to distinguish between normal market fluctuations and significant momentum shifts. The dual-threshold system provides clear visual cues for overbought/oversold conditions while maintaining consistent signal criteria across different market conditions.
🔶 Overflow Detection Technology
Advanced overflow indicators identify extreme market conditions that often precede major reversals or continuation patterns. These signals highlight moments when market momentum reaches critical levels, providing early warning for potential turning points.
🔶 Dual Oscillator Integration
The indicator simultaneously tracks volume-weighted money flow and momentum-based price action through two independent oscillators. This dual approach ensures comprehensive market analysis by capturing both institutional activity and technical momentum patterns.
 // Multi-factor confluence scoring
confluence_bull = (mf_bullish ? 1 : 0) + (hw_bullish ? 1 : 0) + 
                  (mf_overflow_bull ? 1 : 0) + (hw_overflow_bull ? 1 : 0)
confluence_bear = (mf_bearish ? 1 : 0) + (hw_bearish ? 1 : 0) + 
                  (mf_overflow_bear ? 1 : 0) + (hw_overflow_bear ? 1 : 0)
confluence_strength = confluence_bull > confluence_bear ? confluence_bull / 4 : -confluence_bear / 4 
🔶 Intelligent Signal Generation
The system generates two tiers of reversal signals: strong signals that require multiple confirmations across both oscillators, and weak signals that identify early momentum shifts. This hierarchical approach allows traders to adjust position sizing based on signal strength.
🔶 Visual Confluence Zones
Background coloring dynamically adjusts based on confluence strength, creating visual zones that immediately communicate market sentiment. The intensity of background shading corresponds to the strength of the confluent signals, making pattern recognition effortless.
🔶 Threshold Visualization
Color-coded threshold zones provide instant visual feedback about oscillator positions relative to key levels. The fill areas between thresholds create clear overbought and oversold regions with graduated color intensity.
🔶 Candle Color Integration
Optional candle coloring applies confluence-based color logic directly to price bars, creating a unified visual framework that helps traders correlate indicator signals with actual price movements for enhanced decision-making.
🔶 Overflow Alert System
Specialized circular markers highlight extreme overflow conditions on both oscillators, drawing attention to potential climax moves that often precede significant reversals or accelerated trend continuation.
🔶 Customizable Display Options
Comprehensive display controls allow traders to toggle individual components on or off, enabling focused analysis on specific aspects of the indicator. This modularity ensures the indicator adapts to different trading styles and analytical preferences.
1 Week
  
1 Day
  
15 Min
  
This indicator provides a complete analytical framework by combining volume analysis with momentum detection in a single, coherent system. By offering multiple confirmation layers and clear visual hierarchies, it empowers traders to identify high-probability opportunities while maintaining precise risk management across all market conditions and timeframes. The sophisticated confluence system ensures that signals are both timely and reliable, making it an essential tool for serious technical analysts.
Stochastic Divergence StrategyBackground bars:
Bearish
gradient from slightly bearish divergence to strong bearish divergence for red and a double bounce for pink
Bullish
gradient from slightly bearish divergence to strong bearish divergence for green and a double bounce for yellow
removable buy and sell signals in options
AI Trading Alerts v6 — SL/TP + Confidence + Panel (Fixed)Overview 
This Pine Script is designed to identify high-probability trading opportunities in Forex, commodities, and crypto markets. It combines EMA trend filters, RSI, and Stochastic RSI, with automatic stop-loss (SL) & take-profit (TP) suggestions, and provides a confidence panel to quickly assess the trade setup strength.
It also includes TradingView alert conditions so you can set up notifications for Long/Short setups and EMA crosses.
 ⚙️ Features 
 EMA Trend Filter 
 
 Uses EMA 50, 100, 200 for trend confirmation.
 Bull trend = EMA50 > EMA100 > EMA200
 Bear trend = EMA50 < EMA100 < EMA200
 
 RSI Filter 
 
 Bullish trades require RSI > 50
 Bearish trades require RSI < 50
 
 Stochastic RSI Filter 
 
 Prevents entries during overbought/oversold extremes.
 Bullish entry only if %K and %D < 80
 Bearish entry only if %K and %D > 20
 
 EMA Proximity Check 
 
 Price must be near EMA50 (within ATR × adjustable multiplier).
 
 Signals 
Continuation Signals:
 
 Long if all bullish conditions align.
 Short if all bearish conditions align.
 
Cross Events:
 
 Long Cross when price crosses above EMA50 in bull trend.
 Short Cross when price crosses below EMA50 in bear trend.
 
 Automatic SL/TP Suggestions 
SL size adjusts depending on asset:
 
 Gold/Silver (XAU/XAG): 5 pts
 Bitcoin/Ethereum: 100 pts
 FX pairs (default): 20 pts
 
TP = SL × Risk:Reward ratio (default 1:2).
 Confidence Score (0–4) 
Based on conditions met (trend, RSI, Stoch, EMA proximity).
Labels:
 
 Strongest (4/4)
 Strong (3/4)
 Medium (2/4)
 Low (1/4)
 
 Visual Panel on Chart 
 
 Shows ✅/❌ for each condition (trend, RSI, Stoch, EMA proximity, signal now).
 Confidence row with color-coded strength.
 
 Alerts 
 
 Long Setup
 Short Setup
 Long Cross
 Short Cross
 
 🖥️ How to Use 
 1. Add the Script 
 
 Open TradingView → Pine Editor.
 Paste the full script.
 Click Add to chart.
 Save as "AI Trading Alerts v6 — SL/TP + Confidence + Panel".
 
 2. Configure Inputs 
 
 EMA Lengths: Default 50/100/200 (works well for swing trading).
 RSI Length: 14 (standard).
 Stochastic Length/K/D: Default 14/3/3.
 Risk:Reward Ratio: Default 2.0 (can change to 1.5, 3.0, etc.).
 EMA Proximity Threshold: Default 0.20 × ATR (adjust to be stricter/looser).
 
 3. Read the Panel 
Top-right of chart, you’ll see ✅ or ❌ for:
 
 Trend → Are EMAs aligned?
 RSI → Above 50 (bull) or below 50 (bear)?
 Stoch OK → Not extreme?
 Near EMA50 → Close enough to EMA50?
 Above/Below OK → Price position vs. EMA50 matches trend?
 Signal Now → Entry triggered?
 
Confidence row:
 
 🟢 Green = Strongest
 🟩 Light green = Strong
 🟧 Orange = Medium
 🟨 Yellow = Low
 ⬜ Gray = None
 
 4. Alerts Setup 
Go to TradingView Alerts (⏰ icon).
Choose the script under “Condition”.
Select alert type:
 
 Long Setup
 Short Setup
 Long Cross
 Short Cross
 
Set notification method (popup, sound, email, mobile).
Click Create.
Now TradingView will notify you automatically when signals appear.
 5. Example Workflow 
Wait for Confidence = Strong/Strongest.
Check if market session supports volatility (e.g., XAU in London/NY).
Review SL/TP suggestions:
 
 Long → Entry: current price, SL: close - risk_pts, TP: close + risk_pts × RR.
 Short → Entry: current price, SL: close + risk_pts, TP: close - risk_pts × RR.
 
Adjust based on your own price action analysis.
 📊 Best Practices 
 
 Use on H1 + D1 combo → align higher timeframe bias with intraday entries.
 Risk only 1–2% of account per trade (position sizing required).
 Filter with market sessions (Asia, Europe, US).
 Strongest signals work best with trending pairs (e.g., XAUUSD, USDJPY, BTCUSD).
 Sols Day Trading Signals (5m / 10m)This indicator is designed for day trading on the 5-minute and 10-minute charts.
Includes:
EMA 9 & EMA 21 crossover signals
MACD momentum confirmation
RSI trend filter (50+)
Buy/Sell labels directly on the chart
💡 How to Use:
Go long when EMA 9 crosses above EMA 21, MACD is positive, and RSI is above 50
Go short when EMA 9 crosses below EMA 21, MACD is negative, and RSI is below 50
Best used with proper risk management (1-2% per trade)
  
 
⚠️ Disclaimer: This is for educational purposes only — always backtest and trade responsibly.
Stochastic [Paifc0de]Stochastic   — clean stochastic oscillator with visual masking, neutral markers, and basic filters
What it does
This indicator plots a standard stochastic oscillator (%K with smoothing and %D) and adds practical quality-of-life features for lower timeframes: optional visual masking when %K hugs overbought/oversold, neutral K–D cross markers, session-gated edge triangles (K crossing 20/80), and simple filters (minimum %K slope, minimum |K–D| gap, optional %D slope agreement, mid-zone mute, and a cooldown between markers). Display values are clamped to 0–100 to keep the panel scale stable. The tool is for research/education and does not generate entries/exits or financial advice.
Default preset: 20 / 10 / 10
K Length = 20
Classic lookback used in many textbooks. On intraday charts it balances responsiveness and stability: short enough to react to momentum shifts, long enough to avoid constant whipsaws. In practice it captures ~the last 20 bars’ position of close within the high–low range.
K Smoothing = 10
A 10-period SMA applied to the raw %K moderates the “saw-tooth” effect that raw stochastic can exhibit in choppy phases. The smoothing reduces over-reaction to micro spikes while preserving the main rhythm of swings; visually, %K becomes a continuous path that is easier to read.
D Length = 10
%D is the moving average of smoothed %K. With 10, %D becomes a clearly slower guide line. The larger separation between %K(10-SMA) and %D(10-SMA of %K) produces cleaner crosses and fewer spurious toggles than micro settings (e.g., 3/3/3). On M5–M15 this pair often yields readable cross cycles without flooding the chart.
How the 20/10/10 trio behaves
In persistent trends, %K will spend more time near 20 or 80; the 10-period smoothing delays flips slightly and emphasizes only meaningful turn attempts.
In ranges, %K oscillates around mid-zone (40–60). With 10/10 smoothing, cross signals cluster less densely; combining with the |K–D| gap filter helps keep only decisive crosses.
If your symbol is unusually volatile or illiquid, reduce K Length (e.g., 14) or reduce K Smoothing (e.g., 7) to keep responsiveness. If crosses feel late, decrease D Length (e.g., 7). If noise is excessive, increase K Smoothing first, then consider raising D Length.
Visuals
OB/OS lines: default 80/20 reference levels and a midline at 50.
Masking near edges: %K can be temporarily hidden when it is pressing an edge, approaching it with low slope, or going nearly flat near the boundary. This keeps the panel readable during “stuck at the edge” phases.
Soft glow (optional): highlights %K’s active path; can be turned off.
Light/Dark palette: quick toggle to match your chart theme.
Scale safety: all plotted values (lines, fills, markers) are clamped to 0–100 to prevent the axis from expanding beyond the stochastic range.
Markers and filters
Neutral K–D cross markers: circles in the mid-zone when %K crosses %D.
Edge triangles: show when %K crosses 20 or 80; can be restricted to a session window (02:00–12:00 ET).
Filters (optional):
Min %K slope: require a minimum absolute slope so very flat crosses are ignored.
Min |K–D| gap: demand separation between lines at the cross moment.
%D slope agreement: keep crosses that align with %D’s direction.
Mid-zone mute: suppress crosses inside a user-defined 40–60 band (defaults).
Cooldown: minimum bars between successive markers.
Parameters (quick guide)
K Length / K Smoothing / D Length: core stochastic settings. Start with 20/10/10; tune K Smoothing first if you see too much jitter.
Overbought / Oversold (80/20): adjust for assets that tend to trend (raise to 85/15) or mean-revert (lower to 75/25).
Slope & gap filters: increase on very noisy symbols; reduce if you miss too many crosses.
Session window (triangles only): use if you want edge markers only during active hours.
Marker size and offset: cosmetic; they do not affect calculations.
Alerts
K–D Cross Up (filtered) and K–D Cross Down (filtered): fire when a cross passes your filters/cooldown.
Edge Up / Edge Down: fire when %K crosses the 20/80 levels.
All alerts confirm on bar close.
Notes & attribution
Original implementation and integration by Paifc0de; no third-party code is copied.
This indicator is for research/education and does not provide entries/exits or financial advice.
Enhanced Chande Momentum OscillatorEnhanced Chande Momentum Oscillator (Enh CMO) 
📊 Description
The Enhanced Chande Momentum Oscillator is an advanced version of the classic Chande Momentum Oscillator with dynamic envelope boundaries that automatically adapt to market volatility. This indicator provides clear visual signals for potential price reversals and momentum shifts.
Key Features:
Original Chande Momentum Oscillator calculation
Dynamic upper and lower boundaries based on statistical analysis
Adaptive envelope that adjusts to market volatility
Visual fill area between boundaries for easy interpretation
Real-time values table with current readings
Built-in alert conditions for boundary touches
Customizable moving average types (SMA, EMA, WMA)
⚙️ Settings
CMO Settings:
CMO Length (9): Period for calculating the base Chande Momentum Oscillator
Source (close): Price source for calculations
Envelope Settings:
Envelope Length (20): Lookback period for calculating the moving average and standard deviation
Envelope Multiplier (1.5): Multiplier for standard deviation to create upper/lower bounds
Moving Average Type (EMA): Type of moving average for envelope calculation
📈 How to Use
Visual Elements
Lines:
White Line: Main Chande Momentum Oscillator
Red Line: Upper boundary (resistance level)
Green Line: Lower boundary (support level)
Yellow Line: Moving average of CMO (trend direction)
Purple Fill: Visual envelope between boundaries
Reference Lines:
Zero Line: Neutral momentum level
+50/-50 Lines: Traditional overbought/oversold levels
Trading Signals
🔴 Sell/Short Signals
CMO touches or crosses above upper boundary → Potential bearish reversal
CMO is above +50 and declining → Weakening bullish momentum
CMO crosses below yellow MA line while above zero → Momentum shift
🟢 Buy/Long Signals
CMO touches or crosses below lower boundary → Potential bullish reversal
CMO is below -50 and rising → Weakening bearish momentum
CMO crosses above yellow MA line while below zero → Momentum shift
⚡ Advanced Signals
Boundary contraction → Decreasing volatility, potential breakout coming
Boundary expansion → High volatility period, use wider stops
CMO hugging upper boundary → Strong uptrend continuation
CMO hugging lower boundary → Strong downtrend continuation
🎯 Trading Strategies
Strategy 1: Reversal Trading
Wait for CMO to touch extreme boundaries (red or green lines)
Look for divergence with price action
Enter counter-trend position when CMO starts moving back toward center
Set stop beyond the boundary breach point
Take profit near zero line or opposite boundary
Strategy 2: Momentum Confirmation
Use CMO direction to confirm trend
Enter positions when CMO crosses above/below yellow MA line
Hold positions while CMO remains on the correct side of MA
Exit when CMO crosses back through MA line
Strategy 3: Volatility Breakout
Monitor boundary width (envelope expansion/contraction)
When boundaries contract significantly, prepare for breakout
Enter in direction of CMO breakout from narrow range
Use boundary expansion as confirmation signal
⚠️ Important Notes
Best Timeframes
Scalping: 1m, 5m charts
Day Trading: 15m, 30m, 1H charts
Swing Trading: 4H, Daily charts
Market Conditions
Trending Markets: Focus on momentum confirmation signals
Ranging Markets: Focus on boundary reversal signals
High Volatility: Increase envelope multiplier (1.8-2.5)
Low Volatility: Decrease envelope multiplier (1.0-1.3)
Risk Management
Always use stop losses beyond boundary levels
Reduce position size during boundary expansion periods
Combine with price action and support/resistance levels
Monitor the real-time table for precise entry/exit levels
🔔 Alerts
The indicator includes built-in alert conditions:
"CMO Above Upper Bound": Potential reversal down signal
"CMO Below Lower Bound": Potential reversal up signal
Set these alerts to catch opportunities without constantly monitoring charts.
💡 Tips for Success
Combine with other indicators: Use with RSI, MACD, or volume indicators for confirmation
Watch for divergences: CMO making new highs/lows while price doesn't follow
Use multiple timeframes: Check higher timeframe CMO for overall trend context
Adjust settings for different assets: Crypto may need different settings than forex
Paper trade first: Test the indicator with your trading style before using real money
🎨 Customization Tips
Change colors in the Pine Script to match your chart theme
Adjust envelope length for faster (shorter) or slower (longer) signals
Modify envelope multiplier based on asset volatility
Hide the table if it obstructs your view by commenting out the table section
 Complete trading solution: Pair with the Optimus Indicator (paid indicator) for multi-timeframe trend analysis and trend signals. 
Together they create a powerful confluence system for professional trading setups.
Market Pressure Oscillator█ OVERVIEW
The Market Pressure Oscillator is an advanced technical indicator for TradingView, enabling traders to identify potential trend reversals and momentum shifts through candle-based pressure analysis and divergence detection. It combines a smoothed oscillator with moving average signals, overbought/oversold levels, and divergence visualization, enhanced by customizable gradients, dynamic band colors, and alerts for quick decision-making.
█ CONCEPT
The indicator measures buying or selling pressure based on candle body size (open-to-close difference) and direction, with optional smoothing for clarity and divergence detection between price action and the oscillator. It relies solely on candle data, offering insights into trend strength, overbought/oversold conditions, and potential reversals with a customizable visual presentation.
█ WHY USE IT?
- Divergence Detection: Identifies bullish and bearish divergences to reinforce signals, especially near overbought/oversold zones.
- Candle Pressure Analysis: Measures pressure based on candle body size, normalized to a ±100 scale.
- Signal Generation: Provides buy/sell signals via overbought/oversold crossovers, zero-line crossovers, moving average zero-line crossovers, and dynamic band color changes.
- Visual Clarity: Uses dynamic colors, gradients, and fill layers for intuitive chart analysis.
Flexibility: Extensive settings allow customization to individual trading preferences.
█ HOW IT WORKS?
- Candle Pressure Calculation: Computes candle body size as math.abs(close - open), normalized against the average body size over a lookback period (avgBody = ta.sma(body, len)). - Candle direction (bullish: +1, bearish: -1, neutral: 0) is multiplied by body weight to derive pressure.
- Cumulative Pressure: Sums pressure values over the lookback period (Lookback Length) and normalizes to ±100 relative to the maximum possible value.
- Smoothing: Optionally applies EMA (Smoothing Length) to normalized pressure.
- Moving Average: Calculates SMA (Moving Average Length) for trend confirmation (Moving Average (SMA)).
- Divergence Detection: Identifies bullish/bearish divergences by comparing price and oscillator pivot highs/lows within a specified range (Pivot Length). Divergence signals appear with a delay equal to the Pivot Length.
- Signals: Generates signals for:
Crossing oversold upward (buy) or overbought downward (sell).
Crossing the zero line by the oscillator or moving average (buy/sell).
Bullish/bearish divergences, marked with labels, enhancing signals, especially near overbought/oversold zones.
Dynamic band color changes when the moving average crosses MA overbought/oversold thresholds (green for oversold, red for overbought).
- Visualization: Plots the oscillator and moving average with dynamic colors, gradient fills, transparent bands, and labels, with customizable overbought/oversold levels.
Alerts: Built-in alerts for divergences, overbought/oversold crossovers, and zero-line crossovers (oscillator and moving average).
█ SETTINGS AND CUSTOMIZATION
- Lookback Length: Period for aggregating candle pressure (default: 14).
- Smoothing Length (EMA): EMA length for smoothing the oscillator (default: 1). Higher values smooth the signal but may reduce signal frequency; adjust overbought/oversold levels accordingly.
- Moving Average Length (SMA): SMA length for the moving average (default: 14, minval=1). Higher values make SMA a trend indicator, requiring adjusted MA overbought/oversold levels.
- Pivot Length (Left/Right): Candles for detecting pivot highs/lows in divergence calculations (default: 2, minval=1). Higher values reduce noise but add delay equal to the set value.
- Enable Divergence Detection: Enables divergence detection (default: true).
- Overbought/Oversold Levels: Thresholds for the oscillator (default: 30/-30) and moving average (default: 10/-10). For the moving average, no arrows appear; bands change color from gray to green (oversold) or red (overbought), reinforcing entry signals.
- Signal Type: Select signals to display: "None", "Overbought/Oversold", "Zero Line", "MA Zero Line", "All" (default: "Overbought/Oversold").
- Colors and Gradients: Customize colors for bullish/bearish oscillator, moving average, zero line, overbought/oversold levels, and divergence labels.
- Transparency: Adjust gradient fill transparency (default: 70, minval=0, maxval=100) and band/label transparency (default: 40, minval=0, maxval=100) for consistent visuals.
- Visualizations: Enable/disable moving average, gradients for zero/overbought/oversold levels, and gradient fills.
█ USAGE EXAMPLES
- Momentum Analysis: Observe the MPO Oscillator above 0 for bullish momentum or below 0 for bearish momentum. The SMA, being smoother, reacts slower and can confirm trend direction as a noise filter.
- Reversal Signals: Look for buy triangles when the oscillator crosses oversold upward, especially when the SMA is below the MA oversold threshold and the band turns green. Similarly, seek sell triangles when crossing overbought downward, with the SMA above the MA overbought threshold and the band turning red.
- Using Divergences: Treat bullish (green labels) and bearish (red labels) divergences as reinforcement for other signals, especially near overbought/oversold zones, indicating stronger potential trend reversals.
- Customization: Adjust lookback length, smoothing, and moving average length to specific instruments and timeframes to minimize false signals.
█ USER NOTES
Combine the indicator with tools like Fibonacci levels or pivot points to enhance accuracy.
Test different settings for lookback length, smoothing, and moving average length on your chosen instrument and timeframe to find optimal values.
Stochastic 6TF by jjuiiStochastic 6TF by J is a Multi-Timeframe (MTF) Stochastic indicator 
that displays %K values from up to 6 different timeframes 
in a single window. This helps traders analyze momentum 
across short, medium, and long-term perspectives simultaneously.
Features:
- Supports 6 customizable timeframes (e.g., 5m, 15m, 1h, 4h, 1D, 1W)
- Option to show/hide each timeframe line
- Standard reference levels (20 / 50 / 80) with background shading
- Smoothed %K for clearer visualization
Best for:
- Cross-timeframe momentum analysis
- Spotting aligned Overbought / Oversold signals
- Confirming market trends and timing entries/exits
-------------------------------------------------------------
Stochastic 6TF by J คืออินดิเคเตอร์ Stochastic Multi Timeframe (MTF) 
ที่สามารถแสดงค่า %K จากหลายกรอบเวลา (สูงสุด 6 TF) 
ไว้ในหน้าต่างเดียว ช่วยให้นักเทรดมองเห็นโมเมนตัมของราคา 
ทั้งระยะสั้น กลาง และยาว พร้อมกัน
คุณสมบัติ:
- เลือกกรอบเวลาได้ 6 ชุด (เช่น 5m, 15m, 1h, 4h, 1D, 1W)
- สามารถเปิด/ปิดการแสดงผลแต่ละ TF ได้
- มีเส้นแนวรับ/แนวต้านมาตรฐาน (20 / 50 / 80)
- ใช้เส้น %K ที่ถูกปรับค่าเฉลี่ยให้เรียบขึ้นเพื่ออ่านง่าย
เหมาะสำหรับ:
- การดูโมเมนตัมข้ามกรอบเวลา
- หาจังหวะ Overbought / Oversold ที่สอดคล้องกันหลาย TF
- ใช้ยืนยันแนวโน้มและหาจังหวะเข้า-ออกอย่างแม่นยำมากขึ้น
Algorithmic Value Oscillator [CRYPTIK1]Algorithmic Value Oscillator  
 Introduction: What is the AVO?  Welcome to the Algorithmic Value Oscillator (AVO), a powerful, modern momentum indicator that reframes the classic "overbought" and "oversold" concept. Instead of relying on a fixed lookback period like a standard RSI, the AVO measures the current price relative to a significant, higher-timeframe  Value Zone .
This gives you a more contextual and structural understanding of price. The core question it answers is not just "Is the price moving up or down quickly?" but rather, " Where is the current price in relation to its recently established area of value? "
This allows traders to identify true "premium" (overbought) and "discount" (oversold) levels with greater accuracy, all presented with a clean, futuristic aesthetic designed for the modern trader.
 The Core Concept: Price vs. Value  The market is constantly trying to find equilibrium. The AVO is built on the principle that the high and low of a significant prior period (like the previous day or week) create a powerful area of perceived value. 
 The Value Zone:  The range between the high and low of the selected higher timeframe. 
 Premium Territory (Distribution Zone):  When the oscillator moves into the glowing pink/purple zone above +100, it is trading at a premium.
 Discount Territory (Accumulation Zone):  When the oscillator moves into the glowing teal/blue zone below -100, it is trading at a discount.  
 Key Features 
 1. Glowing Gradient Oscillator:  The main oscillator line is a dynamic visual guide to momentum. 
 The line changes color smoothly from  light blue to neon teal  as bullish momentum increases. 
 It shifts from  hot pink to bright purple  as bearish momentum increases. 
 Multiple transparent layers create a professional "glow" effect, making the trend easy to see at a glance.   
 2. Dynamic Volatility Histogram:  This histogram at the bottom of the indicator is a custom volatility meter. It has been engineered to be adaptive, ensuring that the visual differences between high and low volatility are always clear and dramatic, no matter your zoom level. It uses a multi-color gradient to visualize the intensity of market volatility.
 3. Volatility Regime Dashboard:  This simple on-screen table analyzes the histogram and provides a clear, one-word summary of the current market state: Compressing, Stable, or Expanding.
 How to Use the AVO: Trading Strategies 
 1. Reversion Trading  This is the most direct way to use the indicator. 
 Look for Buys:  When the AVO line drops into the teal "Accumulation Zone" (below -100), the price is trading at a discount. Watch for the oscillator to form a bottom and start turning up as a signal that buying pressure is returning.
 Look for Sells:  When the AVO line moves into the pink "Distribution Zone" (above +100), the price is trading at a premium. Watch for the oscillator to form a peak and start turning down as a signal that selling pressure is increasing.  
 2. Best Practices & Settings  
 Timeframe Synergy:  The AVO is most effective when your chart timeframe is lower than your selected "Value Zone Source." For example, if you trade on the 1-hour chart, set your Value Zone to "Previous Day."
 Confirmation is Key:  This indicator provides powerful context, but it should not be used in isolation. Always combine its readings with your primary analysis, such as market structure and support/resistance levels. 
Premier Stochastic Oscillator [LazyBear, V2]This script builds on the well-known Premier Stochastic Oscillator (PSO) originally introduced by LazyBear, and adds a Z-Score extension to provide statistical interpretation of momentum extremes.
Features
Premier Stochastic Core: A smoothed stochastic calculation that highlights bullish and bearish momentum phases.
Z-Score Mapping: The PSO values are standardized into Z-Scores (from –3 to +3), quantifying the degree of momentum stretch.
Positive / Negative Z-Scores:
Positive Z values suggest momentum strength that can align with accumulation or favorable buying conditions.
Negative Z values indicate stronger bearish pressure, often aligning with selling or distribution conditions.
On-Chart Label: The current Z-Score is displayed on the latest bar for quick reference.
How to Use
Momentum Confirmation: Use the oscillator to confirm whether bullish or bearish momentum is intensifying.
Overextended Conditions: Extreme Z-Scores (±2 or beyond) highlight statistically stretched conditions, often preceding reversions.
Strategic Integration: Best applied in confluence with trend tools or higher-timeframe filters; not a standalone trading signal.
Originality
Unlike the standard PSO, this version:
Adds a Z-Score framework for objective statistical scaling.
Provides real-time labeling of Z values for clarity.
Extends the classic oscillator into a tool for both momentum detection and mean-reversion context.
RSI ScannerRSI Scanner 
This script scans a custom list of symbols and displays their RSI values for a selected higher timeframe (default: 3M). It provides a quick way to monitor multiple markets in one place without switching charts.
 Features: 
 
 Customizable timeframe for RSI calculation (default: 3M).
 Adjustable RSI length and source input.
 Flexible filter: display all symbols or only those with RSI above a chosen threshold.
 Input your own list of symbols (stocks, forex, futures, crypto) via a text field.
 Results displayed in a clean, table directly on the chart.
 Automatic column split when the symbol list is long.
 Table header shows selected timeframe and filter settings for clarity.
 
 How to use: 
 
 Add the script to your chart.
 Open the Inputs panel.
 In Symbols List, enter the tickers you want to track, separated by commas (e.g. AAPL, TSLA, EURUSD, BTCUSD).
 Set the desired Timeframe (e.g. 3M, 1M, W).
 Adjust RSI Length and Source if needed.
 Enable or disable filtering:
 
 If filtering is enabled, only symbols with RSI ≥ the threshold will be shown.
 If disabled, all entered symbols will be displayed.
 
 The table in the top-right corner will update automatically on the last bar.
 
 Use cases: 
 
 Monitor RSI across different asset classes on higher timeframes.
 Quickly spot overbought symbols (e.g. RSI > 70) without switching charts.
 Create a custom multi-market watchlist tailored to your strategy.
 
Katz Impact Wave 🚀Overview of the Katz Impact Wave 🚀
The Katz Impact Wave is a momentum oscillator designed to visualize the battle between buyers and sellers. Instead of combining bullish and bearish pressure into a single line, it separates them into two distinct "Impact Waves."
Its primary goal is to generate clear trade signals by identifying when one side gains control, but only when the market has enough volatility to be considered "moving." This built-in filter helps to avoid signals during flat or choppy market conditions.
Indicator Components: Lines & Plots
Impact Waves & Fill
Green Wave (Total Up Impulses): This line represents the cumulative buying pressure. When this line is rising, it indicates that bulls are getting stronger.
Red Wave (Total Down Impulses): This line represents the cumulative selling pressure. When this line is rising, it indicates that bears are getting stronger.
Colored Fill: The shaded area between the two waves provides an at-a-glance view of who is in control.
Lime Fill: Bulls are dominant (Green Wave is above the Red Wave).
Red Fill: Bears are dominant (Red Wave is above the Green Wave).
Background Color
The background color provides crucial context about the market state according to the indicator's logic.
Green Background: The market is in a bullish state (Green Wave is dominant) AND the Rate of Change (ROC) filter confirms the market is actively moving.
Red Background: The market is in a bearish state (Red Wave is dominant) AND the ROC filter confirms the market is actively moving.
Gray Background: The market is considered "not moving" or is in a low-volatility chop. Signals that occur when the background is gray should be viewed with extreme caution or ignored.
Symbols & Pivot Lines
▲ Blue Triangle (Up): This is your long entry signal. It appears on the bar where the Green Wave crosses above the Red Wave while the market is moving.
▼ Orange Triangle (Down): This is your short entry signal. It appears on the bar where the Red Wave crosses above the Green Wave while the market is moving.
Pivot Lines (Solid Green/Red/White Lines): These lines mark confirmed peaks of exhaustion in momentum, not price.
Green Pivot Line: Marks a peak in the Green Wave, signaling buying momentum exhaustion. This can be a warning that the uptrend is losing steam.
Red Pivot Line: Marks a peak in the Red Wave, signaling selling momentum exhaustion. This can be a warning that the downtrend is losing steam.
▼ Yellow Triangle (Compression): This rare signal appears when buying and selling exhaustion pivots happen at the same level. It signifies a point of extreme indecision or equilibrium that often occurs before a major price expansion.
Trading Rules & Strategy
This indicator provides entry signals but does not provide explicit Take Profit or Stop Loss levels. You must use your own risk management rules.
Long Trade Rules
Entry Signal: Wait for a blue ▲ triangle to appear at the top of the indicator panel.
Confirmation: Ensure the background color is green, confirming the market is in a bullish, moving state.
Action: Enter a long (buy) trade at the open of the next candle after the signal appears.
Short Trade Rules
Entry Signal: Wait for an orange ▼ triangle to appear at the bottom of the indicator panel.
Confirmation: Ensure the background color is red, confirming the market is in a bearish, moving state.
Action: Enter a short (sell) trade at the open of the next candle after the signal appears.
Take Profit (TP) & Stop Loss (SL) Ideas
You must develop and test your own exit strategy. Here are some common approaches:
Stop Loss:
Place a stop loss below the most recent significant swing low on the price chart for a long trade, or above the recent swing high for a short trade.
Use an ATR (Average True Range) based stop, such as 2x the ATR value below your entry for a long, to account for market volatility.
Take Profit:
Opposite Signal: The simplest exit is to close your trade when the opposite signal appears (e.g., close a long trade when a short signal ▼ appears).
Momentum Exhaustion: For a long trade, consider taking partial or full profit when a green Pivot Line appears, signaling that buying momentum is peaking.
Fixed Risk/Reward: Use a predetermined risk/reward ratio (e.g., 1:1.5 or 1:2).
Disclaimer
This indicator is a tool for analysis, not a financial advisor or a guaranteed profit system. All trading and investment activities involve substantial risk. You should not risk more than you are prepared to lose. Past performance is not an indication of future results. You are solely responsible for your own trading decisions, risk management, and for backtesting this or any other tool before using it in a live trading environment. This indicator is for educational purposes only.
Katz Exploding PowerBand FilterUnderstanding the Katz Exploding PowerBand Filter (EPBF) v2.4
1. Indicator Overview
The Katz Exploding PowerBand Filter (EPBF) is an advanced technical indicator designed to identify moments of expanding bullish or bearish momentum, often referred to as "power." It operates as a standalone oscillator in a separate pane below the main price chart.
Its primary goal is to measure underlying market strength by calculating custom "Bull" and "Bear" power components. These components are then filtered through a versatile moving average and a dual signal line system to generate clear entry and exit signals. This indicator is not a simple momentum oscillator; it uses a unique calculation based on exponential envelopes of both price and squared price to derive its values.
2. On-Chart Lines and Components
The indicator pane consists of five main lines:
Bullish Component (Thick Green/Blue/Yellow/Gray Line): This is the core of the indicator. It represents the calculated bullish "power" or momentum in the market.
Bright Green: Indicates a strong, active long signal condition.
Blue: Shows the bull component is above the MA filter, but the filter itself is still pointing down—a potential sign of a reversal or weakening downtrend.
Yellow: A warning sign that bullish power is weakening and has fallen below the primary signal lines.
Gray: Represents neutral or insignificant bullish power.
Bearish Component (Thick Red/Purple/Yellow/Gray Line): This line represents the calculated bearish "power" or downward momentum.
Bright Red: Indicates a strong, active short signal condition.
Purple: Shows the bear component is above the MA filter, but the filter itself is still pointing down—a sign of potential trend continuation.
Yellow: A warning sign that bearish power is weakening.
Gray: Represents neutral or insignificant bearish power.
MA Filter (Purple Line): This is the main filter, calculated using the moving average type and length you select in the settings (e.g., HullMA, EMA). The Bull and Bear components are compared against this line to determine the underlying trend bias.
Signal Line 1 (Orange Line): A fast Exponential Moving Average (EMA) of the stronger power component. It acts as the first level of dynamic support or resistance for the power lines.
Signal Line 2 (Lime/Gray Line): A slower EMA that acts as a confirmation filter.
Lime Green: The line turns lime when it is rising and the faster Signal Line 1 is above it, indicating a confirmed bullish trend in momentum.
Gray: Indicates a neutral or bearish momentum trend.
3. On-Chart Symbols and Their Meanings
Various characters are plotted at the bottom of the indicator pane to provide clear, actionable signals.
L (Pre-Long Signal): The first sign of a potential long entry. It appears when the Bullish Component rises and crosses above both signal lines for the first time.
S (Pre-Short Signal): The first sign of a potential short entry. It appears when the Bearish Component rises and crosses above both signal lines for the first time.
▲ (Post-Long Signal): A stronger confirmation for a long entry. It appears with the 'L' signal only if the momentum trend is also confirmed bullish (i.e., the slower Signal Line 2 is lime green).
▼ (Post-Short Signal): A stronger confirmation for a short entry. It appears with the 'S' signal only if the momentum trend is confirmed bullish.
Exit / Take-Profit Symbols:
These symbols appear when a power component crosses below a line, suggesting that momentum is fading and it may be time to take profit.
⚠️ (Exit Signal 1): The Bull/Bear component has crossed below the main MA Filter. This is the first and most sensitive take-profit signal.
☣️ (Exit Signal 2): The Bull/Bear component has crossed below the faster Signal Line 1. This is a moderate take-profit signal.
🚼 (Exit Signal 3): The Bull/Bear component has crossed below the slower Signal Line 2. This is the slowest take-profit signal, suggesting the trend is more definitively exhausted.
4. Trading Strategy and Rules
Long Entry Rules:
Initial Signal: Wait for an L to appear at the bottom of the indicator. This confirms that bullish power is expanding.
Confirmation (Recommended): For a higher-probability trade, wait for a green ▲ symbol to appear. This confirms the underlying momentum trend aligns with the signal.
Entry: Enter a long (buy) position on the opening of the next candle after the signal appears.
Short Entry Rules:
Initial Signal: Wait for an S to appear at the bottom of the indicator. This confirms that bearish power is expanding.
Confirmation (Recommended): For a higher-probability trade, wait for a maroon ▼ symbol to appear. This confirms the underlying momentum trend aligns with the signal.
Entry: Enter a short (sell) position on the opening of the next candle after the signal appears.
Take Profit (TP) Rules:
The indicator provides three levels of take-profit signals. You can choose to exit your entire position or scale out at each level.
For a long trade, exit when you see ⚠️, ☣️, or 🚼 appear below the Bullish Component.
For a short trade, exit when you see ⚠️, ☣️, or 🚼 appear below the Bearish Component.
Stop Loss (SL) Rules:
The indicator does not provide an explicit stop loss. You must use your own risk management rules. Common methods include:
Swing High/Low: For a long position, place your stop loss below the most recent significant swing low on the price chart. For a short position, place it above the most recent swing high.
ATR-Based: Use an Average True Range (ATR) indicator to set a volatility-based stop loss.
Fixed Percentage: Risk a fixed percentage (e.g., 1-2%) of your account on the trade.
5. Disclaimer
This indicator is a tool for technical analysis and should not be considered financial advice. All trading involves significant risk, and past performance is not indicative of future results. The signals generated by this indicator are probabilistic and can result in losing trades. Always use proper risk management, such as setting a stop loss, and never risk more than you are willing to lose. It is recommended to backtest this indicator and use it in conjunction with other forms of analysis before trading with real capital. The indicator should only be used for educational purposes.
Stochastic ExcessThe stochastic indicator is a technical analysis tool used in finance to assess the momentum of an asset’s price. It measures the current closing price relative to its price range over a specified period, usually a short one. This indicator helps identify overbought or oversold conditions, signaling when an asset might be about to reverse its trend.
SuperSmoother MA OscillatorSuperSmoother MA Oscillator - Ehlers-Inspired Lag-Minimized Signal Framework 
 Overview 
The SuperSmoother MA Oscillator is a crossover and momentum detection framework built on the pioneering work of John F. Ehlers, who introduced digital signal processing (DSP) concepts into technical analysis. Traditional moving averages such as SMA and EMA are prone to two persistent flaws: excessive lag, which delays recognition of trend shifts, and high-frequency noise, which produces unreliable whipsaw signals. Ehlers’ SuperSmoother filter was designed to specifically address these flaws by creating a low-pass filter with minimal lag and superior noise suppression, inspired by engineering methods used in communications and radar systems.
  
This oscillator extends Ehlers’ foundation by combining the SuperSmoother filter with multi-length moving average oscillation, ATR-based normalization, and dynamic color coding. The result is a tool that helps traders identify market momentum, detect reliable crossovers earlier than conventional methods, and contextualize volatility and phase shifts without being distracted by transient price noise.
Unlike conventional oscillators, which either oversimplify price structure or overload the chart with reactive signals, the SuperSmoother MA Oscillator is designed to balance responsiveness and stability. By preprocessing price data with the SuperSmoother filter, traders gain a signal framework that is clean, robust, and adaptable across assets and timeframes.
 Theoretical Foundation 
Traditional MA oscillators such as MACD or dual-EMA systems react to raw or lightly smoothed price inputs. While effective in some conditions, these signals are often distorted by high-frequency oscillations inherent in market data, leading to false crossovers and poor timing. The SuperSmoother approach modifies this dynamic: by attenuating unwanted frequencies, it preserves structural price movements while eliminating meaningless noise.
This is particularly useful for traders who need to distinguish between genuine market cycles and random short-term price flickers. In practical terms, the oscillator helps identify:
 
 Early trend continuations (when fast averages break cleanly above/below slower averages).
 Preemptive breakout setups (when compressed oscillator ranges expand).
 Exhaustion phases (when oscillator swings flatten despite continued price movement).
 
Its multi-purpose design allows traders to apply it flexibly across scalping, day trading, swing setups, and longer-term trend positioning, without needing separate tools for each.
The oscillator’s visual system - fast/slow lines, dynamic coloration, and zero-line crossovers - is structured to provide trend clarity without hiding nuance. Strong green/red momentum confirms directional conviction, while neutral gray phases emphasize uncertainty or low conviction. This ensures traders can quickly gauge the market state without losing access to subtle structural signals.
 How It Works 
The SuperSmoother MA Oscillator builds signals through a layered process:
 SuperSmoother Filtering (Ehlers’ Method) 
At its core lies Ehlers’ two-pole recursive filter, mathematically engineered to suppress high-frequency components while introducing minimal lag. Compared to traditional EMA smoothing, the SuperSmoother achieves better spectral separation - it allows meaningful cyclical market structures to pass through, while eliminating erratic spikes and aliasing. This makes it a superior preprocessing stage for oscillator inputs.
 Fast and Slow Line Construction 
Within the oscillator framework, the filtered price series is used to build two internal moving averages: a fast line (short-term momentum) and a slow line (longer-term directional bias). These are not plotted directly on the chart - instead, their relationship is transformed into the oscillator values you see.
The interaction between these two internal averages - crossovers, separation, and compression - forms the backbone of trend detection:
 
 Uptrend Signal : Fast MA rises above the slow MA with expanding distance, generating a positive oscillator swing.
 Downtrend Signal : Fast MA falls below the slow MA with widening divergence, producing a negative oscillator swing.
 Neutral/Transition : Lines compress, flattening the oscillator near zero and often preceding volatility expansion.
 
This design ensures traders receive the information content of dual-MA crossovers while keeping the chart visually clean and focused on the oscillator’s dynamics.
 ATR-Based Normalization 
Markets vary in volatility. To ensure the oscillator behaves consistently across assets, ATR (Average True Range) normalization scales outputs relative to prevailing volatility conditions. This prevents the oscillator from appearing overly sensitive in calm markets or too flat during high-volatility regimes.
 Dynamic Color Coding 
Color transitions reflect underlying market states:
 
 Strong Green : Bullish alignment, momentum expanding.
 Strong Red : Bearish alignment, momentum expanding.
 
These visual cues allow traders to quickly gauge trend direction and strength at a glance, with expanding colors indicating increasing conviction in the underlying momentum.
 Interpretation 
The oscillator offers a multi-dimensional view of price dynamics:
 
 Trend Analysis : Fast/slow line alignment and zero-line interactions reveal trend direction and strength. Expansions indicate momentum building; contractions flag weakening conditions or potential reversals.
 Momentum & Volatility : Rapid divergence between lines reflects increasing momentum. Compression highlights periods of reduced volatility and possible upcoming expansion.
 Cycle Awareness : Because of Ehlers’ DSP foundation, the oscillator captures market cycles more cleanly than conventional MA systems, allowing traders to anticipate turning points before raw price action confirms them.
 Divergence Detection : When oscillator momentum fades while price continues in the same direction, it signals exhaustion - a cue to tighten stops or anticipate reversals.
 
By focusing on filtered, volatility-adjusted signals, traders avoid overreacting to noise while gaining early access to structural changes in momentum.
 Strategy Integration 
The SuperSmoother MA Oscillator adapts across multiple trading approaches:
 Trend Following 
Enter when fast/slow alignment is strong and expanding:
 
 A fast line crossing above the slow line with expanding green signals confirms bullish continuation.
 Use ATR-normalized expansion to filter entries in line with prevailing volatility.
 
 Breakout Trading 
Periods of compression often precede breakouts:
 
 A breakout occurs when fast lines diverge decisively from slow lines with renewed green/red strength.
 
 Exhaustion and Reversals 
Oscillator divergence signals weakening trends:
 
 Flattening momentum while price continues trending may indicate overextension.
 Traders can exit or hedge positions in anticipation of corrective phases.
 
 Multi-Timeframe Confluence 
 
 Apply the oscillator on higher timeframes to confirm the directional bias.
 Use lower timeframes for refined entries during compression → expansion transitions.
 
 Technical Implementation Details 
 
 SuperSmoother Algorithm (Ehlers) : Recursive two-pole filter minimizes lag while removing high-frequency noise.
 Oscillator Framework : Fast/slow MAs derived from filtered prices.
 ATR Normalization : Ensures consistent amplitude across market regimes.
 Dynamic Color Engine : Aligns visual cues with structural states (expansion and contraction).
 Multi-Factor Analysis : Combines crossover logic, volatility context, and cycle detection for robust outputs.
 
This layered approach ensures the oscillator is highly responsive without overloading charts with noise.
 Optimal Application Parameters 
Asset-Specific Guidance:
 
 Forex : Normalize with moderate ATR scaling; focus on slow-line confirmation.
 Equities : Balance responsiveness with smoothing; useful for capturing sector rotations.
 Cryptocurrency : Higher ATR multipliers recommended due to volatility.
 Futures/Indices : Lower frequency settings highlight structural trends.
 
Timeframe Optimization:
 
 Scalping (1-5min) : Higher sensitivity, prioritize fast-line signals.
 Intraday (15m-1h) : Balance between fast/slow expansions.
 Swing (4h-Daily) : Focus on slow-line momentum with fast-line timing.
 Position (Daily-Weekly) : Slow lines dominate; fast lines highlight cycle shifts.
 
 Performance Characteristics 
High Effectiveness:
 
 Trending environments with moderate-to-high volatility.
 Assets with steady liquidity and clear cyclical structures.
 
Reduced Effectiveness:
 
 Flat/choppy conditions with little directional bias.
 Ultra-short timeframes (<1m), where noise dominates.
 
 Integration Guidelines 
 
 Confluence : Combine with liquidity zones, order blocks, and volume-based indicators for confirmation.
 Risk Management : Place stops beyond slow-line thresholds or ATR-defined zones.
 Dynamic Trade Management : Use expansions/contractions to scale position sizes or tighten stops.
 Multi-Timeframe Confirmation : Filter lower-timeframe entries with higher-timeframe momentum states.
 
 Disclaimer 
The SuperSmoother MA Oscillator is an advanced trend and momentum analysis tool, not a guaranteed profit system. Its effectiveness depends on proper parameter settings per asset and disciplined risk management. Traders should use it as part of a broader technical framework and not in isolation.
Momentum Shift Oscillator (MSO) [SharpStrat]Momentum Shift Oscillator (MSO)  
The Momentum Shift Oscillator (MSO) is a custom-built oscillator that combines the best parts of RSI, ROC, and MACD into one clean, powerful indicator. Its goal is to identify when momentum shifts are happening in the market, filtering out noise that a single momentum tool might miss.
 Why MSO? 
Most traders rely on just one momentum indicator like RSI, MACD, or ROC. Each has strengths, but also weaknesses:
 
 RSI → great for overbought/oversold, but often lags in strong trends.
 ROC (Rate of Change) → captures price velocity, but can be too noisy.
 MACD Histogram → shows trend strength shifts, but reacts slowly at times.
 
By blending all three (with adjustable weights), MSO gives a balanced view of momentum. It captures trend strength, velocity, and exhaustion in one oscillator.
 How MSO Works 
Inputs: 
 RSI, ROC, and MACD Histogram are calculated with user-defined lengths.
 Each is normalized (so they share the same scale of -100 to +100).
 You can set weights for RSI, ROC, and MACD to emphasize different components.
 
 The components are blended into a single oscillator value.
 Smoothing (SMA, EMA, or WMA) is applied.
 MSO plots as a smooth line, color-coded by slope (green rising, red falling).
 Overbought and oversold levels are plotted (default: +60 / -60).
 A zero line helps identify bullish vs bearish momentum shifts.
 
 How to trade with MSO 
 Zero line crossovers → crossing above zero suggests bullish momentum; crossing below zero suggests bearish momentum.
 Overbought and oversold zones → values above +60 may indicate exhaustion in bullish moves; values below -60 may signal exhaustion in bearish moves.
 Slope of the line → a rising line shows strengthening momentum, while a falling line signals fading momentum.
 Divergences → if price makes new highs or lows but MSO does not, it can point to a possible reversal.
 
 Why MSO is Unique 
 Combines trend + momentum + velocity into one view.
 Filters noise better than standalone RSI/MACD.
 Adapts to both trend-following and mean-reversion styles.
 Can be used across any timeframe for confirmation.
Mean Reversion Probability Zones [BigBeluga]🔵 OVERVIEW 
The  Mean Reversion Probability Zones   indicator measures the likelihood of price  reverting back toward its mean . By analyzing oscillator dynamics (RSI, MFI, or Stochastic), it calculates probability zones both above and below the oscillator. These zones are visualized as histograms, colored regions on the main chart, and a compact dashboard, helping traders spot when the market is statistically stretched and more likely to revert.
 🔵 CONCEPTS 
 
   Mean Reversion : The tendency of price to return to its average after significant extensions.
   Oscillator-Based Analysis : Uses RSI, MFI, or Stochastic as the base signal for detecting overextension.
  
   Probability Model : The probability of reversion is computed using three factors:
 
  Whether the oscillator is rising or declining.
  Whether the oscillator is above or below user-defined thresholds.
  The oscillator’s actual value (distance from equilibrium).
  
 
   Dual-Zone Output :
 
  Upper histogram = probability of downward mean reversion.
  Lower histogram = probability of upward mean reversion.
  
 
   Historical Extremes : The dashboard highlights the recent maximum probability values for both upward and downward scenarios.
  
 
 🔵 FEATURES 
 
   Oscillator Choice : Switch between RSI, MFI, and Stochastic.
   Customizable Zones : User-defined upper/lower thresholds with independent colors.
   Probability Histograms :
 
  Above oscillator → down reversion probability.
  Below oscillator → up reversion probability.
 
   Colored Gradient Zones on Chart : Visual overlays showing where mean reversion probabilities are strongest.
  
   Probability Labels : Percentages displayed next to histogram values for clarity.
  
   Dashboard : Compact table in the corner showing the  recent maximum probabilities  for both upward and downward mean reversion.
   Overlay Compatibility : Works in both chart pane and sub-pane with oscillators.
 
 🔵 HOW TO USE 
 
   Set Oscillator : Choose RSI, MFI, or Stochastic depending on your strategy style.
   Adjust Zones : Define upper/lower bounds for when oscillator values indicate strong overbought/oversold conditions.
   Interpret Histograms :
  Orange (upper) histogram → higher chance of a pullback/downward mean reversion.
  Green (lower) histogram → higher chance of upward reversion/bounce.
   Watch Gradient Zones : On the main chart, shaded areas highlight where probability of mean reversion is elevated.
  
   Consult Dashboard : Use the “Recent MAX” values to understand how strong recent reversion probabilities have been in either direction.
   Confluence Strategy : Combine with support/resistance, order flow, or trend filters to avoid counter-trend trades.
 
 🔵 CONCLUSION 
The  Mean Reversion Probability Zones   provides traders with an advanced way to quantify and visualize mean reversion opportunities. By blending oscillator momentum, threshold logic, and probability calculations, it highlights when markets are statistically stretched and primed for reversal. Whether you are a contrarian trader or simply looking for exhaustion signals to fade, this tool helps bring structure and clarity to mean reversion setups.
Pairs Trading Scanner [BackQuant]Pairs Trading Scanner  
 What it is 
 This scanner analyzes the relationship between your  chart symbol  and a chosen  pair symbol  in real time. It builds a normalized “spread” between them, tracks how tightly they move together (correlation), converts the spread into a Z-Score (how far from typical it is), and then prints clear  LONG / SHORT / EXIT  prompts plus an at-a-glance dashboard with the numbers that matter.
 Why pairs at all? 
  
  Markets co-move. When two assets are statistically related, their relationship (the spread) tends to oscillate around a mean.
  Pairs trading doesn’t require calling overall market direction you trade the  relative mispricing  between two instruments.
  This scanner gives you a robust, visual way to find those dislocations, size their significance, and structure the trade.
  
 How it works (plain English) 
  
  Step 1   Pick a partner:  Select the  Pair Symbol  to compare against your chart symbol. The tool fetches synchronized prices for both.
  Step 2   Build a spread:  Choose a  Spread Method  that defines “relative value” (e.g., Log Spread, Price Ratio, Return Difference, Price Difference). Each lens highlights a different flavor of divergence.
  Step 3   Validate relationship:  A rolling  Correlation  checks if the pair is moving together enough to be tradable. If correlation is weak, the scanner stands down.
  Step 4   Standardize & score:  The spread is normalized (mean & variability over a lookback) to form a  Z-Score . Large absolute Z means “stretched,” small means “near fair.”
  Step 5   Signals:  When the Z-Score crosses user-defined thresholds  with sufficient correlation , entries print:
  LONG  = long chart symbol / short pair symbol,
  SHORT  = short chart symbol / long pair symbol,
  EXIT  = mean reversion into the exit zone or correlation failure.
  
 Core concepts (the three pillars) 
  
  Spread Method    Your definition of “distance” between the two series.
  Guidance: 
  
  Log Spread:  Focuses on proportional differences; robust when prices live on different scales.
  Price Ratio:  Classic relative value; good when you care about “X per Y.”
  Return Difference:  Emphasizes recent performance gaps; nimble for momentum-to-mean plays.
  Price Difference:  Straight subtraction; intuitive for similar-scale assets (e.g., two ETFs).
  
  Correlation    A rolling score of co-movement. The scanner requires it to be above your  Min Correlation  before acting, so you’re not trading random divergence.
  Z-Score    “How abnormal is today’s spread?” Positive = chart richer than pair; negative = cheaper. Thresholds define entries/exits with transparent, statistical context.
  
 What you’ll see on the chart 
  
  Correlation plot  (blue line) with a dashed  Min Correlation  guide. Above the line = green zone for signals; below = hands off.
  Z-Score plot  (white line) with colored, dashed  Entry  bands and dotted  Exit  bands. Zero line for mean.
  Normalized spread  (yellow) for a quick “shape read” of recent divergence swings.
  Signal markers :
  LONG  (green label) when Z < –Entry and corr OK,
  SHORT  (red label) when Z > +Entry and corr OK,
  EXIT  (gray label) when Z returns inside the Exit band or correlation drops below the floor.
  Background tint  for active state (faint green for long-spread stance, faint red for short-spread stance).
  
 The two built-in dashboards 
  Statistics Table (top-right) 
  
  Pair Symbol    Your chosen partner.
  Correlation    Live value vs. your minimum.
  Z-Score    How stretched the spread is now.
  Current / Pair Prices    Real-time anchors.
  Signal State    NEUTRAL / LONG / SHORT.
  Price Ratio    Context for ratio-style setups.
  
 Analysis Table (bottom-right) 
  
  Avg Correlation    Typical co-movement level over your window.
  Max |Z|    The recent extremes of dislocation.
  Spread Volatility    How “lively” the spread has been.
  Trade Signal    A human-readable prompt (e.g., “LONG A / SHORT B” or “NO TRADE” / “LOW CORRELATION”).
  Risk Level    LOW / MEDIUM / HIGH based on current stretch (absolute Z).
  
 Signals logic (plain English) 
  
  Entry (LONG):  The spread is unusually negative (chart cheaper vs pair)  and  correlation is healthy. Expect mean reversion upward in the spread: long chart, short pair.
  Entry (SHORT):  The spread is unusually positive (chart richer vs pair)  and  correlation is healthy. Expect mean reversion downward in the spread: short chart, long pair.
  Exit:  The spread relaxes back toward normal (inside your exit band), or correlation deteriorates (relationship no longer trusted).
  
 A quick, repeatable workflow 
  
  1) Choose your pair  in context (same sector/theme or known macro link). Think: “Do these two plausibly co-move?”
  2) Pick a spread lens  that matches your narrative (ratio for relative value, returns for short-term performance gaps, etc.).
  3) Confirm correlation  is above your floor no corr, no trade.
  4) Wait for a stretch  (Z beyond Entry band) and a printed  LONG / SHORT .
  5) Manage to the mean  (EXIT band) or correlation failure; let the scanners’ state/labels keep you honest.
  
 Settings that matter (and why) 
  
  Spread Method    Defines the “mispricing” you care about.
  Correlation Period    Longer = steadier regime read, shorter = snappier to regime change.
  Z-Score Period    The window that defines “normal” for the spread; it sets the yardstick.
  Use Percentage Returns    Normalizes series when using return-based logic; keep on for mixed-scale assets.
  Entry / Exit Thresholds    Set your stretch and your target reversion zone. Wider entries = rarer but stronger signals.
  Minimum Correlation    The gatekeeper. Raising it favors quality over quantity.
  
 Choosing pairs (practical cheat sheet) 
  
  Same family:  two index ETFs, two oil-linked names, two gold miners, two L1 tokens.
  Hedge & proxy:  stock vs. sector ETF, BTC vs. BTC index, WTI vs. energy ETF.
  Cross-venue or cross-listing:  instruments that are functionally the same exposure but price differently intraday.
  
 Reading the cues like a pro 
  
  Divergence shape:  The yellow normalized spread helps you see rhythm fast spike and snap-back versus slow grind.
  Corr-first discipline:  Don’t fight the “Min Correlation” line. Good pairs trading starts with a relationship you can trust.
  Exit humility:  When Z re-centers, let the  EXIT  do its job. The edge is the journey to the mean, not overstaying it.
  
 Frequently asked (quick answers) 
  
  “Long/Short means what exactly?” 
  LONG  = long the chart symbol and short the pair symbol.
  SHORT  = short the chart symbol and long the pair symbol.
  “Do I need same price scales?”  No. The spread methods normalize in different ways; choose the one that fits your use case (log/ratio are great for mixed scales).
  “What if correlation falls mid-trade?”  The scanner will neutralize the state and print  EXIT . Relationship first; trade second.
  
 Field notes & patterns 
  
  Snap-back days:  After a one-sided session, return-difference spreads often flag cleaner intraday mean reversions.
  Macro rotations:  Ratio spreads shine during sector re-weights (e.g., value vs. growth ETFs); look for steady corr + elevated |Z|.
  Event bleed-through:  If one symbol reacts to news and its partner lags, Z often flags a high-quality, short-horizon re-centering.
  
 Display controls at a glance 
  
  Show Statistics Table    Live state & key numbers, top-right.
  Show Analysis Table    Context/risk read, bottom-right.
  Show Correlation / Spread / Z-Score    Toggle the sub-charts you want visible.
  Show Entry/Exit Signals    Turn markers on/off as needed.
  Coloring    Adjust Long/Short/Neutral and correlation line colors to match your theme.
  
 Alerts (ready to route to your workflow) 
  
  Pairs Long Entry    Z falls through the long threshold with correlation above minimum.
  Pairs Short Entry    Z rises through the short threshold with correlation above minimum.
  Pairs Trade Exit    Z returns to neutral or the relationship fails your correlation floor.
  Correlation Breakdown    Rolling correlation crosses your minimum; relationship caution.
  
 Final notes 
 The scanner is designed to keep you systematic: require relationship (correlation), quantify dislocation (Z-Score), act when stretched, stand down when it normalizes or the relationship degrades. It’s a full, visual loop for relative-value trading that stays out of your way when it should and gets loud only when the numbers line up.






















