Double Median ATR Bands | MisinkoMasterThe Double Median ATR Bands is a version of the SuperTrend that is designed to be smoother, more accurate while maintaining a good speed by combining the HMA smoothing technique and the median source.
How does it work?
Very simple!
1. Get user defined inputs:
=> Set them up however you want, for the result you want!
2. Calculate the Median of the source and the ATR
=> Very simple
3. Smooth the median with √length (for example if median length = 9, it would be smoothed over the length of 3 since 3x3 = 9)
4. Add ATR bands like so:
Upper = median + (atr*multiplier)
Lower = median - (atr*multiplier)
Trend Logic:
Source crossing over the upper band = uptrend
Source crossing below the lower band = downtrend
Enjoy G´s!
Volatilite
Adaptive Trend Following Suite [Alpha Extract]A sophisticated multi-filter trend analysis system that combines advanced noise reduction, adaptive moving averages, and intelligent market structure detection to deliver institutional-grade trend following signals. Utilizing cutting-edge mathematical algorithms and dynamic channel adaptation, this indicator provides crystal-clear directional guidance with real-time confidence scoring and market mode classification for professional trading execution.
🔶 Advanced Noise Reduction
Filter Eliminates market noise using sophisticated Gaussian filtering with configurable sigma values and period optimization. The system applies mathematical weight distribution across price data to ensure clean signal generation while preserving critical trend information, automatically adjusting filter strength based on volatility conditions.
advancedNoiseFilter(sourceData, filterLength, sigmaParam) =>
weightSum = 0.0
valueSum = 0.0
centerPoint = (filterLength - 1) / 2
for index = 0 to filterLength - 1
gaussianWeight = math.exp(-0.5 * math.pow((index - centerPoint) / sigmaParam, 2))
weightSum += gaussianWeight
valueSum += sourceData * gaussianWeight
valueSum / weightSum
🔶 Adaptive Moving Average Core Engine
Features revolutionary volatility-responsive averaging that automatically adjusts smoothing parameters based on real-time market conditions. The engine calculates adaptive power factors using logarithmic scaling and bandwidth optimization, ensuring optimal responsiveness during trending markets while maintaining stability during consolidation phases.
// Calculate adaptive parameters
adaptiveLength = (periodLength - 1) / 2
logFactor = math.max(math.log(math.sqrt(adaptiveLength)) / math.log(2) + 2, 0)
powerFactor = math.max(logFactor - 2, 0.5)
relativeVol = avgVolatility != 0 ? volatilityMeasure / avgVolatility : 0
adaptivePower = math.pow(relativeVol, powerFactor)
bandwidthFactor = math.sqrt(adaptiveLength) * logFactor
🔶 Intelligent Market Structure Analysis
Employs fractal dimension calculations to classify market conditions as trending or ranging with mathematical precision. The system analyzes price path complexity using normalized data arrays and geometric path length calculations, providing quantitative market mode identification with configurable threshold sensitivity.
🔶 Multi-Component Momentum Analysis
Integrates RSI and CCI oscillators with advanced Z-score normalization for statistical significance testing. Each momentum component receives independent analysis with customizable periods and significance levels, creating a robust consensus system that filters false signals while maintaining sensitivity to genuine momentum shifts.
// Z-score momentum analysis
rsiAverage = ta.sma(rsiComponent, zAnalysisPeriod)
rsiDeviation = ta.stdev(rsiComponent, zAnalysisPeriod)
rsiZScore = (rsiComponent - rsiAverage) / rsiDeviation
if math.abs(rsiZScore) > zSignificanceLevel
rsiMomentumSignal := rsiComponent > 50 ? 1 : rsiComponent < 50 ? -1 : rsiMomentumSignal
❓How It Works
🔶 Dynamic Channel Configuration
Calculates adaptive channel boundaries using three distinct methodologies: ATR-based volatility, Standard Deviation, and advanced Gaussian Deviation analysis. The system automatically adjusts channel multipliers based on market structure classification, applying tighter channels during trending conditions and wider boundaries during ranging markets for optimal signal accuracy.
dynamicChannelEngine(baselineData, channelLength, methodType) =>
switch methodType
"ATR" => ta.atr(channelLength)
"Standard Deviation" => ta.stdev(baselineData, channelLength)
"Gaussian Deviation" =>
weightArray = array.new_float()
totalWeight = 0.0
for i = 0 to channelLength - 1
gaussWeight = math.exp(-math.pow((i / channelLength) / 2, 2))
weightedVariance += math.pow(deviation, 2) * array.get(weightArray, i)
math.sqrt(weightedVariance / totalWeight)
🔶 Signal Processing Pipeline
Executes a sophisticated 10-step signal generation process including noise filtering, trend reference calculation, structure analysis, momentum component processing, channel boundary determination, trend direction assessment, consensus calculation, confidence scoring, and final signal generation with quality control validation.
🔶 Confidence Transformation System
Applies sigmoid transformation functions to raw confidence scores, providing 0-1 normalized confidence ratings with configurable threshold controls. The system uses steepness parameters and center point adjustments to fine-tune signal sensitivity while maintaining statistical robustness across different market conditions.
🔶 Enhanced Visual Presentation
Features dynamic color-coded trend lines with adaptive channel fills, enhanced candlestick visualization, and intelligent price-trend relationship mapping. The system provides real-time visual feedback through gradient fills and transparency adjustments that immediately communicate trend strength and direction changes.
🔶 Real-Time Information Dashboard
Displays critical trading metrics including market mode classification (Trending/Ranging), structure complexity values, confidence scores, and current signal status. The dashboard updates in real-time with color-coded indicators and numerical precision for instant market condition assessment.
🔶 Intelligent Alert System
Generates three distinct alert types: Bullish Signal alerts for uptrend confirmations, Bearish Signal alerts for downtrend confirmations, and Mode Change alerts for market structure transitions. Each alert includes detailed messaging and timestamp information for comprehensive trade management integration.
🔶 Performance Optimization
Utilizes efficient array management and conditional processing to maintain smooth operation across all timeframes. The system employs strategic variable caching, optimized loop structures, and intelligent update mechanisms to ensure consistent performance even during high-volatility market conditions.
This indicator delivers institutional-grade trend analysis through sophisticated mathematical modelling and multi-stage signal processing. By combining advanced noise reduction, adaptive averaging, intelligent structure analysis, and robust momentum confirmation with dynamic channel adaptation, it provides traders with unparalleled trend following precision. The comprehensive confidence scoring system and real-time market mode classification make it an essential tool for professional traders seeking consistent, high-probability trend following opportunities with mathematical certainty and visual clarity.
Deadband Hysteresis Filter [BackQuant]Deadband Hysteresis Filter
What this is
This tool builds a “debounced” price baseline that ignores small fluctuations and only reacts when price meaningfully departs from its recent path. It uses a deadband to define how much deviation matters and a hysteresis scheme to avoid rapid flip-flops around the decision boundary. The baseline’s slope provides a simple trend cue, used to color candles and to trigger up and down alerts.
Why deadband and hysteresis help
They filter micro noise so the baseline does not react to every tiny tick.
They stabilize state changes. Hysteresis means the rule to start moving is stricter than the rule to keep holding, which reduces whipsaw.
They produce a stepped, readable path that advances during sustained moves and stays flat during chop.
How it works (conceptual)
At each bar the script maintains a running baseline dbhf and compares it to the input price p .
Compute a base threshold baseTau using the selected mode (ATR, Percent, Ticks, or Points).
Build an enter band tauEnter = baseTau × Enter Mult and an exit band tauExit = baseTau × Exit Mult where typically Exit Mult < Enter Mult .
Let diff = p − dbhf .
If diff > +tauEnter , raise the baseline by response × (diff − tauEnter) .
If diff < −tauEnter , lower the baseline by response × (diff + tauEnter) .
Otherwise, hold the prior value.
Trend state is derived from slope: dbhf > dbhf → up trend, dbhf < dbhf → down trend.
Inputs and what they control
Threshold mode
ATR — baseTau = ATR(atrLen) × atrMult . Adapts to volatility. Useful when regimes change.
Percent — baseTau = |price| × pctThresh% . Scale-free across symbols of different prices.
Ticks — baseTau = syminfo.mintick × tickThresh . Good for futures where tick size matters.
Points — baseTau = ptsThresh . Fixed distance in price units.
Band multipliers and response
Enter Mult — outer band. Price must travel at least this far from the baseline before an update occurs. Larger values reject more noise but increase lag.
Exit Mult — inner band for hysteresis. Keep this smaller than Enter Mult to create a hold zone that resists small re-entries.
Response — step size when outside the enter band. Higher response tracks faster; lower response is smoother.
UI settings
Show Filtered Price — plots the baseline on price.
Paint candles — colors bars by the filtered slope using your long/short colors.
How it can be used
Trend qualifier — take entries only in the direction of the baseline slope and skip trades against it.
Debounced crossovers — use the baseline as a stabilized surrogate for price in moving-average or channel crossover rules.
Trailing logic — trail stops a small distance beyond the baseline so small pullbacks do not eject the trade.
Session aware filtering — widen Enter Mult or switch to ATR mode for volatile sessions; tighten in quiet sessions.
Parameter interactions and tuning
Enter Mult vs Response — both govern sensitivity. If you see too many flips, increase Enter Mult or reduce Response. If turns feel late, do the opposite.
Exit Mult — widening the gap between Enter and Exit expands the hold zone and reduces oscillation around the threshold.
Mode choice — ATR adapts automatically; Percent keeps behavior consistent across instruments; Ticks or Points are useful when you think in fixed increments.
Timeframe coupling — on higher timeframes you can often lower Enter Mult or raise Response because raw noise is already reduced.
Concrete starter recipes
General purpose — ATR mode, atrLen=14 , atrMult=1.0–1.5 , Enter=1.0 , Exit=0.5 , Response=0.20 . Balanced noise rejection and lag.
Choppy range filter — ATR mode, increase atrMult to 2.0, keep Response≈0.15 . Stronger suppression of micro-moves.
Fast intraday — Percent mode, pctThresh=0.1–0.3 , Enter=1.0 , Exit=0.4–0.6 , Response=0.30–0.40 . Quicker turns for scalping.
Futures ticks — Ticks mode, set tickThresh to a few spreads beyond typical noise; start with Enter=1.0 , Exit=0.5 , Response=0.25 .
Strengths
Clear, explainable logic with an explicit noise budget.
Multiple threshold modes so the same tool fits equities, futures, and crypto.
Built-in hysteresis that reduces flip-flop near the boundary.
Slope-based coloring and alerts that make state changes obvious in real time.
Limitations and notes
All filters add lag. Larger thresholds and smaller response trade faster reaction for fewer false turns.
Fixed Points or Ticks can under- or over-filter when volatility regime shifts. ATR adapts, but will also expand bands during spikes.
On extremely choppy symbols, even a well tuned band will step frequently. Widen Enter Mult or reduce Response if needed.
This is a chart study. It does not include commissions, slippage, funding, or gap risks.
Alerts
DBHF Up Slope — baseline turns from down to up on the latest bar.
DBHF Down Slope — baseline turns from up to down on the latest bar.
Implementation details worth knowing
Initialization sets the baseline to the first observed price to avoid a cold-start jump.
Slope is evaluated bar-to-bar. The up and down alerts check for a change of slope rather than raw price crossings.
Candle colors and the baseline plot share the same long/short palette with transparency applied to the line.
Practical workflow
Pick a mode that matches how you think about distance. ATR for volatility aware, Percent for scale-free, Ticks or Points for fixed increments.
Tune Enter Mult until the number of flips feels appropriate for your timeframe.
Set Exit Mult clearly below Enter Mult to create a real hold zone.
Adjust Response last to control “how fast” the baseline chases price once it decides to move.
Final thoughts
Deadband plus hysteresis gives you a principled way to “only care when it matters.” With a sensible threshold and response, the filter yields a stable, low-chop trend cue you can use directly for bias or plug into your own entries, exits, and risk rules.
Futty (Futures Lot Calculator)Futty – Futures Risk & Position Sizing Tool
Futty is a risk management and position sizing indicator designed for futures traders.
It automatically detects the dollar value per point for popular CME futures (Equity, Forex, Commodities, Bonds, Metals, etc.) and helps you calculate the optimal lot size based on:
Account size 💰
Risk percentage (%)
Entry, Stop Loss, and Take Profit levels
The indicator plots Entry, SL, and TP zones on the chart, shows risk/reward labels, and provides a clean info table displaying account size, risk %, dollar per point, cash at risk, and recommended lot size.
With Futty, you can trade with clarity, knowing your exact risk exposure and position size before entering any futures trade.
Smart Volume [Volume Hub]Smart Volume is a custom indicator designed to highlight meaningful changes in market activity by measuring how current volume compares to historical averages. Instead of looking at raw volume alone, it calculates how many standard deviations above or below the mean a bar’s volume is. This makes it possible to identify unusual activity (accumulation, distribution, breakouts, or fakeouts) that might not be visible just by looking at candle size or price action.
The script classifies each bar’s volume into zones:
🔴 Extra High: 4× or more standard deviations above average
🟠 High: 2.5× above average
🟡 Medium: 1× above average
🔵 Normal: around average
🟢 Low: below average
Each classification has its own color, which is applied directly to the volume histogram. This provides a quick “heatmap” effect so traders can instantly see when markets are entering phases of unusually high or unusually low participation.
🔑 How It Works
The script computes a moving average of volume over the last 610 bars.
It calculates the standard deviation of volume over the same lookback.
For each bar, it measures how far that bar’s volume is from the average, expressed in multiples of standard deviation.
Depending on the zone it falls into (low, normal, medium, high, or extra high), the bar is colored accordingly.
Background heatmap zones and threshold lines can optionally be displayed to help visualize where each threshold lies.
This approach goes beyond raw volume numbers by showing relative extremes. For example, a 50K-volume bar on one market might mean nothing, but if it’s 4 standard deviations higher than usual, it’s an “extra high” signal of market participation.
📌 How to Use It
Look for clusters of extra-high volume bars to spot institutional activity or breakout confirmation.
Use low-volume areas to identify possible consolidations, false breakouts, or lack of conviction.
Combine with your trend or price-action tools: e.g., if price breaks resistance on extra high volume, the move is more likely valid.
Works across all markets (stocks, forex, crypto, futures) and timeframes.
⚠️ Disclaimer
This script does not generate buy/sell signals. It is a volume analysis tool to help identify areas of high or low activity. Always combine with proper risk management and other forms of analysis.
2ATR / Close %Certainly. Here is the English version of the indicator description you requested.
---
### **2ATR Stop-Loss Ratio**
This indicator provides a straightforward calculation of **what percentage a 2ATR (Average True Range) move represents relative to the current price**. It's a specialized tool designed to help traders set dynamic, volatility-based stop-loss levels.
---
### **Purpose of the Indicator**
Many traders use a **2ATR** as their standard for setting a stop-loss, believing it's a good measure of a stock's typical movement. However, it can be difficult to quickly determine the exact percentage a 2ATR drop represents from the current price. This indicator solves that problem by giving you a clear, single number that shows the **anticipated percentage loss before you even enter a position**.
---
### **How It Works**
The indicator is calculated using a simple formula:
**(2 * ATR(20) / Current Price) * 100**
* `ATR(20)`: The Average True Range over the last 20 periods. This period can be customized in the indicator's settings.
* `Current Price`: The closing price at the time of calculation.
---
### **How to Use It**
* **Assess Risk**: A higher number on the indicator means greater volatility, indicating a wider stop-loss range.
* **Set a Stop-Loss**: If the indicator shows **3%**, it means a 2ATR move is roughly a 3% change from the current price. This gives you a clear understanding of the potential loss.
* **Adjust Position Size**: If the potential percentage loss is larger than you're comfortable with, you can use this information to reduce your position size, effectively managing your risk.
This tool is especially useful for trading highly volatile stocks, as it helps you establish a clear and effective risk management strategy.
Artharjan Heiken Ashi Super TrendArtharjan Heiken Ashi SuperTrend (AHAST)
The Artharjan Heiken Ashi SuperTrend (AHAST) indicator is a refined version of the classic SuperTrend tool, designed for traders who wish to blend trend-following logic with the smoothing effects of Heiken Ashi candles. This script not only highlights market trends but also introduces multi-timeframe filtering, visual cues, and alerts for sharper decision-making.
🔑 Key Features
Heiken Ashi Integration
Option to calculate trends using standard candles or Heiken Ashi candles.
Provides smoother visualization, reducing noise.
Flexible ATR Calculation
Choose between RMA (default) and SMA for ATR computation.
Option to switch between traditional ATR and Heiken Ashi-based ATR.
Customizable Inputs
ATR length, multiplier factor, trend colors, and higher-timeframe filters are all user-configurable.
Debug mode available for internal verification.
Visual Enhancements
Dynamic background highlighting to clearly distinguish bullish vs bearish phases.
Fill plots that emphasize ongoing trends.
Buy and Sell signal markers with optional on/off toggle.
Multi-Timeframe (MTF) Filter
Fetches higher timeframe (e.g., Weekly) Heiken Ashi values.
Detects bullish and bearish flips on higher timeframe trends.
Overlay highlights to align lower timeframe trades with broader market direction.
Alerts & Automation
Alerts available for:
Buy / Sell triggers
Direction changes
Higher timeframe bullish or bearish flips
Compatible with TradingView alerts for automated workflows.
⚙️ How It Works
Core Trend Logic
The script calculates the median price of Heiken Ashi highs and lows.
SuperTrend bands (up and dn) are adjusted using ATR.
A bullish or bearish state is determined based on price closing above or below these bands.
Signal Generation
Buy Signal: Trend flips from bearish (-1) to bullish (+1).
Sell Signal: Trend flips from bullish (+1) to bearish (-1).
Signals can be plotted as circles, labels, or both depending on configuration.
MTF SuperTrend
Parallel SuperTrend calculation on a higher timeframe (user-selected).
Detects bullish flip (HTF ↑) or bearish flip (HTF ↓).
Highlights the chart background with higher timeframe color filters when enabled.
Debug Mode
Turns on background shading to indicate whether Heiken Ashi or regular candles are in use.
Helps verify internal logic for advanced users.
🎨 Visualization Example
Green Highlight / Fill → Active bullish trend
Red Highlight / Fill → Active bearish trend
Light Blue / Gray Highlights → Higher timeframe bullish / bearish alignment
Buy / Sell Labels → Clear entry or exit cues, aligned with the trend
🚨 Practical Usage
Swing Traders: Use higher timeframe filters (e.g., Weekly) to align intraday signals with broader market direction.
Intraday Traders: Focus on Heiken Ashi smoothing to avoid whipsaws in volatile sessions.
Options Traders: Combine bullish/bearish flips with option strategies (e.g., Calls/Puts) to gain directional exposure.
✅ Final Thoughts
The Artharjan Heiken Ashi SuperTrend (AHAST) is not just another SuperTrend indicator—it’s a versatile trading companion. By merging classic ATR-based logic with Heiken Ashi smoothing and multi-timeframe confirmation, this tool equips traders with early signals, trend clarity, and strong alignment across timeframes.
Use it with discipline, combine it with your trading framework, and let it sharpen your edge in the markets.
With Thanks,
Rrahul Desai
@Artharjan
NY Anchored VWAP and Auto SMANY Anchored VWAP and Auto SMA
This script is a versatile trading indicator for the TradingView platform that combines two powerful components: a New York-anchored Volume-Weighted Average Price (VWAP) and a dynamic Simple Moving Average (SMA). Designed for traders who utilize VWAP for intraday trend analysis, this tool provides a clear visual representation of average price and volatility-adjusted moving averages, generating automated alerts for key crossover signals.
Indicator Components
1. NY Anchored VWAP
The VWAP is a crucial tool that represents the average price of a security adjusted for volume. This version is "anchored" to the start of the New York trading session, resetting at the beginning of each new session. This provides a clean, session-specific anchor point to gauge market sentiment and trend. The VWAP line changes color to reflect its slope:
Green: When the VWAP is trending upwards, indicating a bullish bias.
Red: When the VWAP is trending downwards, indicating a bearish bias.
2. Auto SMA
The Auto SMA is a moving average with a unique twist: its lookback period is not fixed. Instead, it dynamically adjusts based on market volatility. The script measures volatility using the Average True Range (ATR) and a Z-Score calculation.
When volatility is expanding, the SMA's length shortens, making it more sensitive to recent price changes.
When volatility is contracting, the SMA's length lengthens, smoothing out the price action to filter out noise.
This adaptive approach allows the SMA to react appropriately to different market conditions.
Suggested Trading Strategy
This indicator is particularly effective when used on a one-minute chart for identifying high-probability trade entries. The core of the strategy is to trade the crossover between the VWAP and the Auto SMA, with confirmation from a candle close.
The strategy works best when the entry signal aligns with the overall bias of the higher timeframe market structure. For example, if the daily or 4-hour chart is in an uptrend, you would look for bullish signals on the one-minute chart.
Bullish Entry Signal: A potential entry is signaled when the VWAP crosses above the Auto SMA, and is confirmed when the one-minute candle closes above both the VWAP and the SMA. This indicates a potential continuation of the bullish momentum.
Bearish Entry Signal: A potential entry is signaled when the VWAP crosses below the Auto SMA, and is confirmed when the one-minute candle closes below both the VWAP and the SMA. This indicates a potential continuation of the bearish momentum.
The built-in alerts for these crossovers allow you to receive notifications without having to constantly monitor the charts, ensuring you don't miss a potential setup.
Triple Tap Sniper Triple Tap Sniper v3 – EMA Retest Precision System
Triple Tap Sniper is a precision trading tool built around the 21, 34, and 55 EMAs, designed to capture high-probability retests after EMA crosses. Instead of chasing the first breakout candle, the system waits for the first pullback into the EMA21 after a trend-confirming cross — the spot where professional traders often enter.
🔑 Core Logic
EMA Alignment → Trend defined by EMA21 > EMA34 > EMA55 (bullish) or EMA21 < EMA34 < EMA55 (bearish).
Cross Detection → Signals are only armed after a fresh EMA cross.
Retest Entry → Buy/Sell signals fire only on the first retest of EMA21, with trend still intact.
Pro Filters →
📊 Higher Timeframe Confirmation: Aligns signals with larger trend.
📈 ATR Volatility Filter: Blocks weak signals in low-vol chop.
📏 EMA Spread Filter: Ignores tiny “fake crosses.”
🕯️ Price Action Filter: Requires a proper wick rejection for valid entries.
🚀 Why Use Triple Tap Sniper?
✅ Filters out most false signals from sideways markets.
✅ Focuses only on clean trend continuations after pullbacks.
✅ Beginner-friendly visuals (Buy/Sell labels) + alert-ready for automation.
✅ Flexible: works across multiple timeframes & asset classes (stocks, crypto, forex).
⚠️ Notes
This is a signal indicator, not a full strategy. For backtesting and optimization, convert to a strategy and adjust filters per market/timeframe.
No indicator guarantees profits — use with sound risk management.
Perfect Price-Anchored % Fib Grid This indicator generates support and resistance levels anchored to a fixed price of your choice.
You can also specify a percentage for the indicator to calculate potential highs and lows.
Commonly used values are 3.5% or 7%, as well as smaller decimal versions like 0.35% or 0.7%, depending on the volatility you expect.
In addition, the indicator can highlight potential stop-run levels in multiples of 27 — ranging from 0 up to 243. This automatically places the 243 GB range directly onto your chart.
The tool is versatile and can be applied not only to equities, but also to ES futures and Forex markets.
AlphaRSI Pro - Adaptive RSI with Trend AnalysisOverview
AlphaRSI Pro is a technical analysis indicator that enhances the traditional RSI by incorporating adaptive overbought/oversold levels, trend bias analysis, and divergence detection. This indicator addresses common limitations of standard RSI implementations through mathematical adaptations to market volatility.
Technical Methodology
1. Smoothed RSI Calculation
Applies weighted moving average smoothing to standard RSI(14)
Reduces noise while preserving momentum signals
Configurable smoothing period (default: 3)
2. Adaptive Level System
Mathematical Approach:
Calculates ATR-based volatility ratio: volatility_ratio = current_ATR / average_ATR
Applies dynamic adjustment: adaptive_level = base_level ± (volatility_ratio - 1) × 20
Bounds levels between practical ranges (15-35 for oversold, 65-85 for overbought)
Purpose: Adjusts RSI sensitivity based on current market volatility conditions rather than using fixed 70/30 levels.
3. Trend Bias Integration
Uses Simple Moving Average slope analysis over configurable period
Calculates trend strength: |slope / price| × 100
Provides visual background shading for trend context
Filters RSI signals based on underlying price trend direction
4. Signal Generation Logic
Entry Conditions:
Bullish: RSI crosses above adaptive oversold level
Bearish: RSI crosses below adaptive overbought level
Strong signals: Include trend bias confirmation
Enhancement over standard RSI: Reduces false signals in choppy markets by requiring trend alignment for "strong" signals.
5. Divergence Detection
Automated identification of regular bullish/bearish divergences
Uses 5-bar lookback for pivot detection
Compares price highs/lows with corresponding RSI highs/lows
Plots divergence markers when conditions are met
Key Features
Real-time adaptive levels based on volatility
Trend-filtered signals to improve reliability
Built-in divergence scanner
Information dashboard showing current values
Comprehensive alert system
Clean visual presentation with customizable colors
Usage Guidelines
This indicator works best when:
Combined with proper risk management
Used in conjunction with other technical analysis
Applied to liquid markets with sufficient volatility data
Configured appropriately for the selected timeframe
Input Parameters
RSI Period: Standard RSI calculation length (default: 14)
Smoothing Period: WMA smoothing for noise reduction (default: 3)
Volatility Lookback: Period for ATR volatility calculation (default: 50)
Base OB/OS Levels: Starting points for adaptive adjustment (70/30)
Trend Period: Moving average length for trend bias (default: 21)
Alert Conditions
Bullish Signal: RSI crosses above adaptive oversold
Bearish Signal: RSI crosses below adaptive overbought
Strong Bullish/Bearish: Signals with trend confirmation
Divergence Alerts: Automated divergence detection
Educational Value
This indicator demonstrates several advanced Pine Script concepts:
Dynamic level calculation using mathematical formulas
Multi-timeframe analysis integration
Conditional signal filtering based on market state
Table display for real-time information
Comprehensive alert system implementation
Limitations
Requires sufficient historical data for volatility calculations
May generate fewer signals in very low volatility environments
Trend bias effectiveness depends on selected MA period
Divergences may not always lead to immediate reversals
Disclaimer
This indicator is for educational and analysis purposes. Past performance does not guarantee future results. Always use proper risk management and consider multiple forms of analysis before making trading decisions.
Sentinel 5 — OHL daybreak signals [KedArc Quant]Overview
Sentinel 5 plots the first-bar high/low of each trading session and gives clean, rules-based signals in two ways:
1) OHL Setups at the close of the first bar (Open equals/near High for potential short; Open equals/near Low for potential long).
2) Breakout Signals later in the session when price breaks the first-bar High/Low, with optional body/penetration filters.
Basic workflow
1. Wait for the first session bar to finish.
*If O≈H (optionally by proximity) → short setup. •
*If O≈L → long setup. • If neither happens, optionally allow later breakouts.
2. Optional: Act only on breakouts that penetrate a minimum % of that bar’s range/body.
3. Skip the day automatically if the first bar is abnormally large (marubozu-like / extreme ATR / outsized vs yesterday).
Signals & Markers
Markers on the chart:
▲ O=L (exact) / O near L (proximity) – long setup at first-bar close.
▼ O=H (exact) / O near H (proximity) – short setup at first-bar close.
▲ Breakout Long – later bar breaks above first-bar High meeting your penetration rule.
▼ Breakout Short – later bar breaks below first-bar Low meeting your penetration rule.
Mean Reversion Channel [QuantAlgo]🟢 Overview
The Mean Reversion Channel indicator is a range-bound trading system that combines dynamic price channels with momentum-weighted analysis to identify optimal mean reversion opportunities. It creates adaptive upper and lower reversion zones based on recent price action and volatility, while incorporating a momentum-biased equilibrium line that shifts based on volume-weighted price momentum. This creates a three-tier system where traders and investors can identify overbought and oversold conditions within established ranges, detect momentum exhaustion points, and anticipate channel breakouts or breakdowns. This indicator is particularly valuable for strategic dollar cost averaging (DCA) strategies, as it helps identify optimal accumulation zones during oversold conditions and provides tactical risk management levels for systematic investment approaches across different market conditions and asset classes.
🟢 How It Works
The indicator employs a four-stage calculation process that transforms raw price and volume data into actionable mean reversion signals. First, it establishes the base channel by calculating the highest high and lowest low over a user-defined lookback period, creating the foundational price range for mean reversion analysis. This channel adapts continuously as new price data becomes available, ensuring the system remains relevant to current market conditions.
In the second stage, the system calculates volume-weighted momentum by combining price momentum with volume activity. The momentum calculation takes the price change over a specified period and multiplies it by the volume ratio (current volume versus 20-period average volume, for instance) and a volume factor multiplier. This creates momentum readings that are more significant during high-volume periods and less influential during low-volume conditions.
The third stage creates the dynamic reversion zones using Average True Range (ATR) calculations. The upper reversion zone is positioned below the channel high by an ATR-based distance, while the lower reversion zone is positioned above the channel low. These zones contract when momentum is negative (upper zone) or positive (lower zone), creating asymmetric reversion bands that adapt to momentum conditions.
The final stage establishes the momentum-biased equilibrium line by calculating the midpoint between the reversion zones and adjusting it based on momentum bias. When momentum is positive, the equilibrium shifts upward; when negative, it shifts downward. This creates a dynamic reference level that helps identify when price action is moving against the prevailing momentum trend, signaling potential mean reversion opportunities.
🟢 How to Use
1. Mean Reversion Signal Identification
Lower Reversion Zone Signals: When price reaches or falls below the lower reversion zone with bearish momentum, the system generates potential long/buy entry signals indicating oversold conditions within the established range.
Upper Reversion Zone Signals: When price reaches or exceeds the upper reversion zone with bullish momentum, the system generates potential short/sell entry signals indicating overbought conditions.
2. Equilibrium Line Analysis and Momentum Exhaustion
Equilibrium Breaks: The dynamic equilibrium line serves as a momentum bias indicator within the channel. Price crossing above equilibrium suggests shifting to bullish bias, while breaks below indicate bearish bias development within the mean reversion framework.
Momentum Exhaustion Signals: The system identifies momentum exhaustion when price breaks through the equilibrium line opposite to the prevailing momentum direction. Bullish exhaustion occurs when price falls below equilibrium despite positive momentum, while bearish exhaustion happens when price rises above equilibrium during negative momentum periods.
3. Channel Expansion and Breakout Detection
Channel Boundary Breaks: When price breaks above the upper reversion zone or below the lower reversion zone, it signals potential channel expansion or false breakout conditions. These events often precede significant trend changes or range expansion phases.
Range Expansion Alerts: Breaks above the channel high or below the channel low indicate potential breakout from the mean reversion range, suggesting trend continuation or new directional movement beyond the established boundaries.
🟢 Pro Tips for Trading and Investing
→ Strategic DCA Optimization: Use the lower reversion zone as primary accumulation levels for dollar cost averaging strategies. When price reaches oversold conditions with bearish momentum exhaustion signals, it often represents optimal entry points for systematic investment programs, allowing investors to accumulate positions at statistically favorable price levels within the established range.
→ DCA Pause and Acceleration Signals : Monitor equilibrium line breaks to adjust DCA frequency and amounts. When price consistently trades below equilibrium with momentum exhaustion signals, consider accelerating DCA intervals or increasing investment amounts. Conversely, when price reaches upper reversion zones, consider pausing or reducing DCA activity until more favorable conditions return.
→ Momentum Divergence Detection: Watch for divergences between price action and momentum readings within the channel. When price makes new lows but momentum shows improvement, or price makes new highs with deteriorating momentum, these signal high-probability mean reversion setups ideal for contrarian investment approaches.
→ Alert-Based Systematic Investing/Trading: Utilize the comprehensive alert system for automated DCA triggers. Set up alerts for lower reversion zone touches combined with momentum exhaustion signals to create systematic entry points that remove emotional decision-making from long-term investment strategies, particularly effective for volatile assets where timing improvements can significantly impact overall returns.
Planetary Angles - CEPlanetary Angles - Community Edition
Welcome to the Planetary Angles - Community Edition, a dynamic tool designed to enhance W.D. Gann-inspired trading by pinpointing dates when a selected planet reaches a user-defined ecliptic longitude angle. This feature-complete indicator provides traders with precise astrological timing for market analysis across equities, forex, commodities, and cryptocurrencies. It empowers traders to integrate celestial events into their strategies with ease.
Overview
The Planetary Angles - Community Edition calculates and plots vertical lines on your chart to mark dates when a chosen planet (Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, or Pluto) crosses a specific longitude angle (0° to 359.99°) in either heliocentric or geocentric mode. With customizable line and label styling, this script highlights key astrological moments, helping traders identify potential market turning points based on Gann’s time-theory principles. It supports multiple instances on a single chart, offering flexibility for multi-planet analysis.
Key Features
Custom Angle Selection : Choose any ecliptic longitude angle (0° to 359.99°) to track when a planet crosses that precise degree.
Planetary Coverage : Supports eight planets (Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, Pluto) for comprehensive astrological analysis.
Heliocentric and Geocentric Modes : Toggle between heliocentric and geocentric calculations to align with your preferred perspective.
Styling Options : Customize line styles (solid, dotted, dashed) and colors for lines and labels, with options to enable/disable lines and text for clarity.
Labeled Visuals : Displays labeled markers (e.g., “☿ 90°”) on the chart, with tooltips for easy identification of planetary angle crossings.
Multi-Instance Support : Add the script multiple times to track different planets or angles simultaneously on the same chart.
How It Works
Open Settings : Access the script’s settings to configure your preferences.
Enable the Script : Check the box to activate Planetary Angles.
Select a Planet : Choose from Mercury, Venus, Mars, Jupiter, Saturn, Uranus, Neptune, or Pluto.
Set the Angle : Input a specific ecliptic longitude angle (0° to 359.99°) to track.
Choose Planetary Mode : Select heliocentric or geocentric mode for the calculations.
Customize Styling : Adjust line and label styles and colors, and enable/disable lines or labels as needed.
Analyze and Trade : Observe the plotted vertical lines and labels to identify when the selected planet crosses the chosen angle, using these moments to inform your trading strategy.
Get Started
As a gift to the TradingView community and Gann traders, the Planetary Angles - Community Edition is provided free of charge. With no features locked, this tool offers full access to precise planetary angle tracking for enhanced market timing. Trade wisely and leverage the cosmic precision of Gann’s methodology!
Retrograde Planets - CERetrograde Planets - Community Edition
Welcome to the Retrograde Planets - Community Edition, a specialized tool designed to empower traders with W.D. Gann’s time-theory principles by highlighting planetary retrograde cycles. This feature-complete indicator allows traders to visualize critical retrograde periods for market analysis across equities, forex, commodities, and cryptocurrencies. As a seamless add-on to the Gann ToolBox, it enhances time-based trading strategies with precision and clarity.
Overview
The Retrograde Planets - Community Edition identifies and highlights retrograde cycles for Mercury, Venus, Mars, Jupiter, Saturn, Uranus, and Neptune, key periods often associated with market volatility and trend shifts in Gann’s methodology. By calculating ecliptic longitudes with high accuracy, the script plots historical and future retrograde periods (up to 365 days ahead) on your chart, complete with visual highlights and labels. This tool is ideal for traders leveraging astrological cycles to anticipate market turning points.
Key Features
Retrograde Cycle Highlighting : Displays retrograde periods for Mercury, Venus, Mars, Jupiter, Saturn, Uranus, and Neptune, marking start and end points with vertical lines and labels.
Historical and Future Projections : Visualizes past retrograde cycles and projects future ones up to a year in advance with minute-level precision.
Customizable Planet Selection : Choose from seven planets to focus on specific retrograde cycles relevant to your analysis.
24/7 Market Optimization : Enable extended future data for continuous markets like crypto, improving performance and projection accuracy.
Styling Flexibility : Customize the highlight color for retrograde periods to enhance chart clarity and align with your visual preferences.
Labeled Visuals : Includes labels (e.g., “℞ Starts,” “℞ Ends”) with tooltips for easy identification of retrograde cycle boundaries.
How It Works
Open Settings : Access the script’s settings to configure your preferences.
Select a Planet : Choose from Mercury, Venus, Mars, Jupiter, Saturn, Uranus, or Neptune to analyze its retrograde cycles.
Enable Retrograde Cycles : Check the box to activate retrograde highlighting for the selected planet.
Customize Highlight Color : Adjust the color of the highlighted retrograde periods for better chart visibility.
Enable 24/7 Mode (Optional) : For crypto or continuous markets, activate the 24/7 setting to include extended future data.
Analyze and Trade : Use the highlighted retrograde periods and labeled lines to identify potential market volatility or trend changes, integrating Gann’s time-theory into your strategy.
Get Started
As a gift to the TradingView community and Gann traders, the Retrograde Planets - Community Edition is provided free of charge. With no features locked, this tool offers full access to retrograde cycle analysis for precise market timing. Trade wisely and harness the power of planetary cycles!
Gann Seasonal Dates - CEGann Seasonal Dates - Community Edition
Welcome to the Gann Seasonal Dates V1.61 - Community Edition, a powerful tool designed to enhance time-based trading with W.D. Gann’s seasonal date methodology. This feature-complete indicator allows traders to plot critical seasonal dates on charts for equities, forex, commodities, and cryptocurrencies. It empowers traders to anticipate market turning points with precision.
Overview
The Gann Seasonal Dates plots Gann’s major and minor seasonal dates, which are rooted in the cyclical nature of solstices, equinoxes, and their midpoints. Major dates include the vernal equinox (March 21st), summer solstice (June 22nd), autumnal equinox (September 23rd), and winter solstice (December 22nd). Minor dates mark the halfway points between these events (February 4th, May 6th, July 23rd, August 8th, November 7th, and November 22nd). With customizable styling and historical data up to 50 years, this script helps traders identify key time-based market events.
Key Features
Major and Minor Seasonal Dates : Plot four major dates (solstices and equinoxes) and six minor dates (midpoints) to highlight potential market turning points.
Customizable Date Selection : Enable or disable individual major and minor dates to focus on specific cycles relevant to your analysis.
Historical Data Range : Adjust the lookback period up to 50 years, with recommendations for optimal performance based on your TradingView plan (5 years for Basic, 20 for Pro/Pro+/Premium).
Styling Options : Customize line styles (solid, dotted, dashed) and colors for major and minor dates to enhance chart clarity.
Labeled Visuals : Each plotted date includes a label with a tooltip (e.g., "Vernal equinox") for easy identification and context.
How It Works
Configure Settings : Enable major and/or minor dates and select specific dates (e.g., March 21st, February 4th) to display on your chart.
Set Historical Range : Adjust the years of data (up to 50) to plot historical seasonal dates, ensuring compatibility with your TradingView plan’s processing limits.
Customize Styling : Choose line styles and colors for major and minor dates to differentiate them visually.
Analyze and Trade : Use the plotted vertical lines and labels to identify potential market turning points, integrating Gann’s time-based cycles into your strategy.
Get Started
As a gift to the TradingView community and Gann traders, the Gann Seasonal Dates - Community Edition is provided free of charge. With no features locked, this tool offers full access to Gann’s seasonal date methodology for precise time-based analysis. Trade wisely and leverage the power of seasonal cycles!
Universal Trend+ [BackQuant]Universal Trend+
This indicator blends several well-known technical ideas into a single composite trend and momentum model. It can be show primarily as an overlay or a oscillator:
In which it produces two things:
a composite oscillator that summarizes multiple signals into one normalized score
a regime signal rendered on the chart as a colored ribbon with optional 𝕃 and 𝕊 markers
The goal is to simplify decision-making by having multiple, diverse measurements vote in a consistent framework, rather than relying on any single indicator in isolation.
What it does
Computes five independent components, each reading a different aspect of price behavior
Converts each component into a standardized bullish / neutral / bearish vote
Averages the available votes to a composite score
Compares that score to user thresholds to label the environment bullish, neutral, or bearish
Colors a fast/slow moving-average ribbon by the current regime, optionally paints candles, and can plot the composite oscillator in a lower pane
The five components (conceptual)
1)RSI Momentum Bias
A classic momentum gauge on a selectable source and lookback. The component emphasizes whether conditions are persistently strong or weak and applies a neutral buffer to avoid reacting to trivial moves. Output is expressed as a vote: bullish, neutral, or bearish.
2) Rate-of-Change Impulse
A smoothed rate-of-change that focuses on short bursts in acceleration. It is used to detect impulsive pushes rather than slow drift. Extreme readings cast a directional vote, mid-range readings abstain.
3) EMA Oscillator
A slope-style trend gauge formed by contrasting a fast and a slow EMA on a chosen source, normalized so that the sign and relative magnitude matter more than absolute price. A small dead-zone reduces whipsaws.
4) T3-Based Normalized Oscillator
A T3 smoother is transformed into a bounded oscillator via rolling normalization, then optionally smoothed by a user-selectable MA. This highlights directional drift while keeping scale consistent across symbols and regimes.
5) DEMA + ATR Bands State
A double-EMA core is wrapped in adaptive ATR bands to create a stepping state that reacts when pressure exceeds a volatility envelope. The component contributes an event-style vote on meaningful shifts.
Each component is designed to measure something different: trend slope, momentum impulse, normalized drift, and volatility-aware pressure. Their diversity is the point.
Composite scoring model
Standardization: Each component is mapped to -1 (bearish), 0 (neutral), or +1 (bullish) using bands and guards to cut noise.
Aggregation: The composite score is the average of the available votes. If a component is inactive on a bar, the composite uses the votes that are present.
Decision layer: Two user thresholds define your action bands.
Above the upper band → bullish regime
Below the lower band → bearish regime
Between the bands → neutral
This separation between measurement, aggregation, and decision avoids over-fitting any single threshold and makes the tool adaptable across assets and timeframes.
Plots and UI
Composite oscillator (optional lower pane): A normalized line that trends between bearish and bullish zones with user thresholds drawn for context.
Signal ribbon (on price): A fast/slow MA pair tinted by the current regime to give an at-a-glance market state.
Markers: Optional 𝕃 and 𝕊 labels when the regime flips.
Candle painting and background tint: Optional visual reinforcement of state.
Color and style controls: User inputs for long/short colors, threshold line color, and visibility toggles.
How it can be used
1) Regime filter
Use the composite regime to define bias. Trade only long in a bullish regime, only short in a bearish regime, and stand aside or scale down in neutral. This simple filter often reduces whipsaw.
2) Confirmation layer
Keep your entry method the same (breaks, pullbacks, liquidity sweeps, order-flow cues) but require agreement from the composite regime or a fresh flip in the 𝕃/𝕊 markers.
3) Momentum breakouts
Look for the composite oscillator to leave neutrality while the EMA oscillator is already positive and the ATR-band state has flipped. Confluence across components is the intent.
4) Pullback entries within trend
In a bullish regime, consider entries on shallow composite dips that recover before breaching the lower band. Reverse the logic in a bearish regime.
5) Exits and risk
Common choices are:
reduce on a return to neutral,
exit on an opposite regime flip, or
trail behind your own stop model (ATR, structure, session levels) while using the ribbon for context.
6) Multi-timeframe workflow
Select a higher timeframe for bias with this indicator, and time executions on a lower timeframe. The indicator itself stays on a single chart; you can load a second chart or pane if you prefer a strict top-down process.
Strengths
Diversified evidence: Five independent perspectives keep the model from hinging on one idea.
Noise control: Neutral buffers and a composite layer reduce reaction to minor wiggles.
Clarity: A single oscillator and a clearly colored ribbon present a complex assessment in a simple form.
Adaptable: Thresholds and lookbacks let you tune for faster or slower markets.
Practical tuning
Thresholds: Wider bands produce fewer regime flips and longer holds. Narrower bands increase sensitivity.
Lookbacks: Shorter lookbacks emphasize recent action; longer lookbacks emphasize stability.
T3 normalization window and volume factor: Increase the window to suppress noise on choppy symbols; tweak the factor to adjust the smoother’s response.
ATR factor for the band state: Raise it to demand more decisive pressure before registering a shift; lower it to respond earlier.
Alerts
Built-in alerts trigger when the regime flips long or short. If you prefer confirmed signals, set your alerts to bar close on your timeframe. Intrabar the composite can move with price; bar-close confirmation stabilizes behavior.
Limitations
Sideways markets: Even with buffers, any trend model can chop in range-bound conditions.
Lag vs sensitivity trade-off: Tighter thresholds react faster but flip more often; wider thresholds are steadier but later.
Asset specificity: Volatility regimes differ. Expect to retune ATR and normalization settings when switching symbols or timeframes.
Final Remarks
Universal Trend+ is meant to act like a disciplined voting committee. Each component contributes a different angle on the same underlying question: is the market pressing up, pressing down, or doing neither with conviction. By standardizing and aggregating those views, you get a single regime read that plays well with many entry styles and risk frameworks, while keeping the heavy math under the hood.
ATR% | Volatility NormalizerThis indicator measures true volatility by expressing the Average True Range (ATR) as a percentage of price. Unlike basic ATR plots, which show raw values, this version normalizes volatility to make it directly comparable across instruments and timeframes.
How it works:
Uses True Range (High–Low plus gaps) to capture actual market movement.
Normalizes by dividing ATR by the chosen price base (default: Close).
Multiplies by 100 to output a clean ATR% line.
Smoothing is flexible: choose from RMA, SMA, EMA, or WMA.
Optional Feature:
For comparison, you can toggle an auxiliary line showing the average absolute close-to-close % move, highlighting the difference between simplified and true volatility.
Why use it:
Track regime shifts: identify when volatility expands or contracts in % terms.
Compare volatility across different markets (equities, crypto, forex, commodities).
Integrate into risk management: position sizing, stop placement, or volatility filters for entries.
Interpretation:
Rising ATR% → expanding volatility, potential breakouts or unstable ranges.
Falling ATR% → contracting volatility, possible consolidation or range-bound conditions.
Sudden spikes → market “shocks” worth paying attention to.
News Volatility Bracketing StrategyThis is a news-volatility bracketing strategy. Five seconds before a scheduled release, the strategy brackets price with a buy-stop above and a sell-stop below (OCO), then converts the untouched side into nothing while the filled side runs with a 1:1 TP/SL set the same distance from entry. Distances are configurable in USD or %, so it scales to the instrument and can run on 1-second data (or higher TF with bar-magnifier). The edge it’s trying to capture is the immediate, one-directional burst and liquidity vacuum that often follows market-moving news—entering on momentum rather than predicting direction. Primary risks are slippage/spread widening and whipsaws right after the print, which can trigger an entry then snap back to the stop.
Volatility % Bands (O→C)Volatility % Bands (O→C) is an indicator designed to visualize the percentage change from Open to Close of each candle, providing a clear view of short-term momentum and volatility.
**Histogram**: Displays bar-by-bar % change (Close vs Open). Green bars indicate positive changes, while red bars indicate negative ones, making momentum shifts easy to identify.
**Moving Average Line**: Plots the Simple Moving Average (SMA) of the absolute % change, helping traders track the average volatility over a chosen period.
**Background Bands**: Based on the user-defined Level Step, ±1 to ±5 zones are highlighted as shaded bands, allowing quick recognition of whether volatility is low, moderate, or extreme.
**Label**: Shows the latest candle’s % change and the current SMA value as a floating label on the right, making it convenient for real-time monitoring.
This tool can be useful for volatility breakout strategies, day trading, and short-term momentum analysis.
Peak Reversal v3# Peak Reversal v3
## Summary
Peak Reversal v3 adds new configurability, clearer visuals, and a faster trader workflow. The release introduces a new Squeeze Detector , expanded Keltner Channels , and streamlined Momentum signals , with no repaints and improved performance. The menus have been reorganized and simplified. Color swatches have been added for better customization. All other colors will be derived from these swatches.
## Highlights
New Squeeze Detector to mark low-volatility periods and prepare for breakouts.
New: Bands are now fully configurable with independent MA length, ATR length, and multipliers.
Five moving average bases for bands: EMA (from v2), SMA, RMA, VMA, HMA.
Simplified color system: three swatches drive candles, on-chart marks, and band fill.
Reorganized menu with focused sections and tooltips for each parameter making the entire trader experience more intuitive.
No repaints and faster performance across calculations.
## Overview
Configuration : Pick from three color swatches and apply them to candles, plotted characters, and band fill for consistent chart context. Use the reorganized menu to reach Keltner settings, momentum signals, and squeeze detection without extra clicks; tooltips clarify each input.
Bands and averages: Choose the band basis from EMA, SMA, RMA, VMA, or HMA to match your strategy. Configure two bands independently by setting MA length, ATR length, and band multipliers for the inner and outer envelopes.
Signals : Select the band responsible for momentum signals. Choose wick or close as the price source for entries and exits. Control the window for extreme momentum with “Max Momentum Bars,” a setting now exposed in v3 for direct tuning.
Squeeze detection : The Squeeze Detector normalizes band width and uses percentile ranking to highlight volatility compression. When the market falls below a user-defined threshold, the indicator colors the region with a gradient to signal potential expansion.
## Details about major features and changes
### New
Squeeze Detector to highlight low-volatility conditions.
Five MA bases for bands: EMA, SMA, RMA, VMA, HMA.
“Max Momentum Bars” to cap the bars used for extreme momentum.
### Keltner channel improvements
Refactored Keltner settings for flexible inner and outer band control.
MA type selection added; band calculations updated for consistency.
Removed the third Keltner band to reduce noise and simplify setup.
### Display and signals
Gradient fills for band breakouts, mean deviations, and squeeze periods.
“Show Mean EMA?” set to true and default “Signal Band” set to “Inner.”
Clearer tooltips and input descriptions.
### Reliability and performance
No more repaints. The indicator waits for confirmation before drawing occurs.
Faster execution through targeted refactors.
All algorithms have been reviewed and now use a consistent logic, naming, and structure.
Advanced Range Analyzer ProAdvanced Range Analyzer Pro – Adaptive Range Detection & Breakout Forecasting
Overview
Advanced Range Analyzer Pro is a comprehensive trading tool designed to help traders identify consolidations, evaluate their strength, and forecast potential breakout direction. By combining volatility-adjusted thresholds, volume distribution analysis, and historical breakout behavior, the indicator builds an adaptive framework for navigating sideways price action. Instead of treating ranges as noise, this system transforms them into opportunities for mean reversion or breakout trading.
How It Works
The indicator continuously scans price action to identify active range environments. Ranges are defined by volatility compression, repeated boundary interactions, and clustering of volume near equilibrium. Once detected, the indicator assigns a strength score (0–100), which quantifies how well-defined and compressed the consolidation is.
Breakout probabilities are then calculated by factoring in:
Relative time spent near the upper vs. lower range boundaries
Historical breakout tendencies for similar structures
Volume distribution inside the range
Momentum alignment using auxiliary filters (RSI/MACD)
This creates a live probability forecast that updates as price evolves. The tool also supports range memory, allowing traders to analyze the last completed range after a breakout has occurred. A dynamic strength meter is displayed directly above each consolidation range, providing real-time insight into range compression and breakout potential.
Signals and Breakouts
Advanced Range Analyzer Pro includes a structured set of visual tools to highlight actionable conditions:
Range Zones – Gradient-filled boxes highlight active consolidations.
Strength Meter – A live score displayed in the dashboard quantifies compression.
Breakout Labels – Probability percentages show bias toward bullish or bearish continuation.
Breakout Highlights – When a breakout occurs, the range is marked with directional confirmation.
Dashboard Table – Displays current status, strength, live/last range mode, and probabilities.
These elements update in real time, ensuring that traders always see the current state of consolidation and breakout risk.
Interpretation
Range Strength : High scores (70–100) indicate strong consolidations likely to resolve explosively, while low scores suggest weak or choppy ranges prone to false signals.
Breakout Probability : Directional bias greater than 60% suggests meaningful breakout pressure. Equal probabilities indicate balanced compression, favoring mean-reversion strategies.
Market Context : Ranges aligned with higher timeframe trends often resolve in the dominant direction, while counter-trend ranges may lead to reversals or liquidity sweeps.
Volatility Insight : Tight ranges with low ATR imply imminent expansion; wide ranges signal extended consolidation or distribution phases.
Strategy Integration
Advanced Range Analyzer Pro can be applied across multiple trading styles:
Breakout Trading : Enter on probability shifts above 60% with confirmation of volume or momentum.
Mean Reversion : Trade inside ranges with high strength scores by fading boundaries and targeting equilibrium.
Trend Continuation : Focus on ranges that form mid-trend, anticipating continuation after consolidation.
Liquidity Sweeps : Use failed breakouts at boundaries to capture reversals.
Multi-Timeframe : Apply on higher timeframes to frame market context, then execute on lower timeframes.
Advanced Techniques
Combine with volume profiles to identify areas of institutional positioning within ranges.
Track sequences of strong consolidations for trend development or exhaustion signals.
Use breakout probability shifts in conjunction with order flow or momentum indicators to refine entries.
Monitor expanding/contracting range widths to anticipate volatility cycles.
Custom parameters allow fine-tuning sensitivity for different assets (crypto, forex, equities) and trading styles (scalping, intraday, swing).
Inputs and Customization
Range Detection Sensitivity : Controls how strictly ranges are defined.
Strength Score Settings : Adjust weighting of compression, volume, and breakout memory.
Probability Forecasting : Enable/disable directional bias and thresholds.
Gradient & Fill Options : Customize range visualization colors and opacity.
Dashboard Display : Toggle live vs last range, info table size, and position.
Breakout Highlighting : Choose border/zone emphasis on breakout events.
Why Use Advanced Range Analyzer Pro
This indicator provides a data-driven approach to trading consolidation phases, one of the most common yet underutilized market states. By quantifying range strength, mapping probability forecasts, and visually presenting risk zones, it transforms uncertainty into clarity.
Whether you’re trading breakouts, fading ranges, or mapping higher timeframe context, Advanced Range Analyzer Pro delivers a structured, adaptive framework that integrates seamlessly into multiple strategies.
BB Expansion Oscillator (BEXO)BB Expansion Oscillator (BEXO) is a custom indicator designed to measure and visualize the expansion and contraction phases of Bollinger Bands in a normalized way.
🔹 Core Features:
Normalized BB Width: Transforms Bollinger Band Width into a 0–100 scale for easier comparison across different timeframes and assets.
Signal Line: EMA-based smoothing line to detect trend direction shifts.
Histogram: Highlights expansion vs contraction momentum.
OB/OS Zones: Detects Over-Expansion and Over-Contraction states to spot potential volatility breakouts or squeezes.
Dynamic Coloring & Ribbon: Visual cues for trend bias and crossovers.
Info Table: Displays real-time values and status (Expansion, Contraction, Over-Expansion, Over-Contraction).
Background Highlighting: Optional visual aid for trend phases.
🔹 How to Use:
When BEXO rises above the Signal Line, the market is in an Expansion phase → potential trend continuation.
When BEXO falls below the Signal Line, the market is in a Contraction phase → potential consolidation or trend weakness.
Overbought/Over-Expansion zone (above OB level): Signals high volatility; watch for possible reversal or breakout exhaustion.
Oversold/Over-Contraction zone (below OS level): Indicates a squeeze or low volatility; often precedes strong breakout moves.
🔹 Best Application:
Identify volatility cycles (squeeze & expansion).
Filter trades by volatility conditions.
Combine with price action, volume, or momentum indicators for confirmation.
⚠️ Disclaimer:
This indicator is for educational and research purposes only. It should not be considered financial advice. Always combine with proper risk management and your own trading strategy.