Cardwell RSI by TQ📌 Cardwell RSI – Enhanced Relative Strength Index 
This indicator is based on  Andrew Cardwell’s RSI methodology , extending the classic RSI with tools to better identify  bullish/bearish ranges  and trend dynamics.
 In uptrends, RSI tends to hold between 40–80 (Cardwell bullish range).
In downtrends, RSI tends to stay between 20–60 (Cardwell bearish range). 
 Key Features :
 
  Standard RSI with configurable length & source
  Fast (9) & Slow (45) RSI Moving Averages (toggleable)
  Cardwell Core Levels (80 / 60 / 40 / 20) – enabled by default
  Base Bands (70 / 50 / 30) in dotted style
  Optional custom levels (up to 3)
  Alerts for MA crosses and level crosses
  Data Window metrics: RSI vs Fast/Slow MA differences
 
 How to Use :
 
  Monitor RSI behavior inside Cardwell’s bullish (40–80) and bearish (20–60) ranges
  Watch RSI crossovers with Fast (9) and Slow (45) MAs to confirm momentum or trend shifts
  Use levels and alerts as confluence with your trading strategy
 
 Default Settings :
 
  RSI Length: 14
  MA Type: WMA
  Fast MA: 9 (hidden by default)
  Slow MA: 45 (hidden by default)
  Cardwell Levels (80/60/40/20): ON
  Base Bands (70/50/30): ON
Oscillators
Sequential Pattern Strength [QuantAlgo]🟢 Overview 
The  Sequential Pattern Strength  indicator measures the power and sustainability of consecutive price movements by tracking unbroken sequences of up or down closes. It incorporates sequence quality assessment, price extension analysis, and automatic exhaustion detection to help traders identify when strong trends are losing momentum and approaching potential reversal or continuation points.
  
 🟢 How It Works 
The indicator's key insight lies in its sequential pattern tracking system, where pattern strength is measured by analyzing consecutive price movements and their sustainability:
 if close > close 
    upSequence := upSequence + 1
    downSequence := 0
else if close < close 
    downSequence := downSequence + 1
    upSequence := 0 
The system calculates sequence quality by measuring how "perfect" the consecutive moves are:
 perfectMoves = math.max(upSequence, downSequence)
totalMoves = math.abs(bar_index - ta.valuewhen(upSequence == 1 or downSequence == 1, bar_index, 0))
sequenceQuality = totalMoves > 0 ? perfectMoves / totalMoves : 1.0 
First, it tracks price extension from the sequence starting point:
 priceExtension = (close - sequenceStartPrice) / sequenceStartPrice * 100 
Then, pattern exhaustion is identified when sequences become overextended:
 isExhausted = math.abs(currentSequence) >= maxSequence or
              math.abs(priceExtension) > resetThreshold * math.abs(currentSequence) 
Finally, the pattern strength combines sequence length, quality, and price movement with momentum enhancement:
 patternStrength = currentSequence * sequenceQuality * (1 + math.abs(priceExtension) / 10)
enhancedSignal = patternStrength + momentum * 10
signal = ta.ema(enhancedSignal, smooth) 
This creates a sequence-based momentum indicator that combines consecutive movement analysis with pattern sustainability assessment, providing traders with both directional signals and exhaustion insights for entry/exit timing.
  
 🟢 Signal Interpretation  
 
 Positive Values (Above Zero):  Sequential pattern strength indicating bullish momentum with consecutive upward price movements and sustained buying pressure = Long/Buy opportunities
 Negative Values (Below Zero):  Sequential pattern strength indicating bearish momentum with consecutive downward price movements and sustained selling pressure = Short/Sell opportunities
 Zero Line Crosses:  Pattern transitions between bullish and bearish regimes, indicating potential trend changes or momentum shifts when sequences break
 Upper Threshold Zone:  Area above maximum sequence threshold (2x maxSequence) indicating extremely strong bullish patterns approaching exhaustion levels
 Lower Threshold Zone:  Area below negative threshold (-2x maxSequence) indicating extremely strong bearish patterns approaching exhaustion levels
 
 
AlphaADX Trend Meter - Enhanced ADX VisualizationTechnical Overview 
This indicator enhances the traditional Average Directional Index (ADX) with advanced visualization techniques and adaptive threshold management. It demonstrates several Pine Script programming concepts including dynamic color gradients, conditional plotting, and real-time information display systems.
 Mathematical Methodology 
 Core ADX Calculation 
Uses standard DMI (Directional Movement Index) calculation: ta.dmi(diLength, adxSmoothing)
Applies configurable smoothing to reduce noise while preserving trend signals
Maintains mathematical integrity of Welles Wilder's original ADX formula
 Dynamic Color System 
 Gradient Implementation: 
pinecolor.from_gradient(adxValue, minThreshold, maxThreshold, startColor, endColor)
Color Logic:
Strong trends (ADX > 25): Bright colors (green for bullish, red for bearish)
Weak trends (15 < ADX ≤ 25): Muted colors with transparency
Choppy markets (ADX ≤ 15): Gray coloring to indicate low directional movement
Gradient mode creates smooth color transitions based on ADX intensity
 Adaptive Threshold Framework 
While maintaining standard ADX interpretation levels, the indicator allows customization of:
Strong trend threshold (default: 25)
Weak trend threshold (default: 20)
Chop zone threshold (default: 15)
This flexibility accommodates different market conditions and trading styles.
 Technical Features 
 1. Multi-Layer Visualization 
Primary ADX Line: Color-coded based on strength and direction
Histogram Display: Shows ADX momentum with transparency effects
Trend Meter Bar: Simplified visual reference at bottom of chart
Background Zones: Subtle shading for strong trends and chop zones
 2. Signal Generation 
Automatic Detection:
Strong trend emergence (ADX crosses above strong threshold)
Chop zone entry warnings (ADX falls below chop threshold)
Trend direction changes in strong trending markets
Visual Markers:
Triangle arrows for strong trend signals
Cross markers for chop zone warnings
Color-coded based on bullish/bearish bias
 3. Information Dashboard 
Real-time table displaying:
Current ADX value with dynamic background coloring
Trend status classification (Strong/Weak/Neutral/Choppy)
Directional bias (Bullish ↑/Bearish ↓)
DI+ and DI- values for detailed analysis
 4. Alert System 
Programmatic alerts for:
Strong trend emergence
Entry into consolidation zones
Trend reversals during strong directional moves
Breakouts from choppy conditions
 Programming Techniques Demonstrated 
 Advanced Pine Script Concepts: 
Dynamic Color Functions: Custom color selection based on multiple conditions
Conditional Plotting: Different visual elements based on user preferences
Table Implementation: Real-time information display with formatting
Alert Integration: Multiple condition monitoring system
Input Validation: Parameter bounds and logical constraints
 Visual Enhancement Methods: 
Gradient color transitions for smooth visual feedback
Transparency effects to reduce visual clutter
Multi-component display system for comprehensive analysis
Customizable visual elements for user preference accommodation
 Educational Value 
This indicator serves as a learning tool for:
Enhanced ADX Implementation: Shows how to extend built-in indicators with additional functionality
Visual Design Principles: Demonstrates effective use of colors, transparency, and layout
User Interface Development: Table creation and information display techniques
Alert System Design: Comprehensive condition monitoring and notification
 Configuration Options 
 ADX Parameters: 
ADX Length: Period for directional movement calculation
DI Length: Directional indicator smoothing period
ADX Smoothing: Additional smoothing for noise reduction
 Threshold Levels: 
Strong Trend Level: Threshold for identifying strong directional movement
Weak Trend Level: Moderate trend identification threshold
Chop Zone Level: Low directional movement threshold
 Visual Controls: 
Trend Meter: Toggle bottom reference bar
Histogram: Show/hide ADX momentum bars
Signal Arrows: Enable/disable trend change markers
Info Table: Display/hide real-time information panel
Gradient Mode: Switch between smooth gradients and solid colors
 Use Cases and Applications 
Market Analysis:
Trend Identification: Determine current market directional strength
Regime Classification: Distinguish between trending and ranging markets
Timing Analysis: Identify optimal periods for trend-following strategies
 Risk Management: 
Environment Assessment: Avoid trading during low-ADX choppy periods
Position Sizing: Adjust trade size based on trend strength
Strategy Selection: Choose appropriate techniques based on market regime
 Educational Purposes: 
ADX Understanding: Visual representation of directional movement concepts
Pine Script Learning: Example of advanced indicator development techniques
Market Behavior: Observation of trend strength patterns across different timeframes
 Limitations and Considerations 
 Technical Limitations: 
ADX is a lagging indicator that confirms existing trends rather than predicting them
Requires sufficient price movement data for meaningful calculations
May generate false signals in very low volatility environments
Threshold levels may need adjustment for different asset classes
 Usage Guidelines: 
Most effective when combined with other forms of technical analysis
Consider market context and fundamental factors
Use appropriate timeframes for intended trading approach
Regular parameter review for optimal performance
 Performance Notes: 
Calculations optimized for real-time analysis
Visual elements designed to minimize chart clutter
Alert system prevents excessive notifications through condition filtering
 Disclaimer 
This indicator is designed for educational and analytical purposes. It demonstrates enhanced visualization of the ADX indicator and various Pine Script programming techniques. Users should understand that past performance does not guarantee future results and should always employ proper risk management practices. The indicator should be used as part of a comprehensive trading approach rather than as a standalone decision-making tool.
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.
ADX MTF mura visionOverview 
ADX MTF — mura vision measures trend strength and visualizes a higher-timeframe (HTF) ADX on any chart. The current-TF ADX is drawn as a line; the HTF ADX is rendered as “step” segments to reflect closed HTF bars without repainting. Optional soft fills highlight the 20–25 (trend forming) and 40–50 (strong trend) zones.
 How it works 
 
 ADX (current TF) : Classic Wilder formulation using DI components and RMA smoothing.
 HTF ADX : Requested via request.security(..., lookahead_off, gaps_off).
 When a new HTF bar opens, the previous value is frozen as a horizontal segment.
 The current HTF bar is shown as a live moving segment.
 This staircase look is expected on lower timeframes.
 
 Auto timeframe mapping 
If “Auto” is selected, the HTF is derived from the chart TF:
<30m → 60m, 30–<240m → 240m, 240m–<1D → 1D, 1D → 1W, 1W/2W → 1M, ≥1M → same.
 Inputs 
 
 DI Length and ADX Smoothing — core ADX parameters.
 Higher Time Frame — Auto or a fixed TF.
 Line colors/widths for current ADX and HTF ADX.
 Fill zone 20–25 and Fill zone 40–50 — optional light background fills.
 Number of HTF ADX Bars — limits stored HTF segments to control chart load.
 
 Reading the indicator 
 
 ADX < 20: typically range-bound conditions; trend setups require extra caution.
 20–25: trend emergence; breakouts and continuation structures gain validity.
 40–50: strong trend; favor continuation and manage with trailing stops.
 >60 and turning down: possible trend exhaustion or transition toward range.
 
Note: ADX measures strength, not direction. Combine with your directional filter (e.g., price vs. MA, +DI/−DI, structure/levels).
 Non-repainting behavior 
 
 HTF values use lookahead_off; closed HTF bars are never revised.
 The only moving piece is the live segment for the current HTF bar.
 
 Best practices 
 
 Use HTF ADX as a regime filter; time entries with the current-TF ADX rising through your threshold.
 Pair with ATR-based stops and a MA/structure filter for direction.
 Consider higher thresholds on highly volatile altcoins.
 
 Performance notes 
The script draws line segments for HTF bars. If your chart becomes heavy, reduce “Number of HTF ADX Bars.”
 Disclaimer 
This script is for educational purposes only and does not constitute financial advice. Trading involves risk.
RSI Multi Time FrameWhat it is 
A clean, two-layer RSI that shows your chart-timeframe RSI together with a higher-timeframe (HTF) RSI on the same pane. The HTF line is drawn as a live segment plus frozen “steps” for each completed HTF bar, so you can see where the higher timeframe momentum held during your lower-timeframe bars.
 How it works 
 Auto HTF mapping (when “Auto” is selected): 
 
 Intraday < 30m → uses 60m (1-hour) RSI
 30m ≤ tf < 240m (4h) → uses 240m (4-hour) RSI
 240m ≤ tf < 1D → uses 1D RSI
 1D → uses 1W RSI
 1W or 2W → uses 1M RSI
 ≥ 1M → keeps the same timeframe
 
The HTF series is requested with request.security(..., gaps_off, lookahead_off), so values are confirmed bar-by-bar. When a new HTF bar begins, the previous value is “frozen” as a horizontal segment; the current HTF value is shown by a short moving segment and a small dot (so you can read the last value easily).
 Visuals 
 
 Current RSI (chart TF): solid line (color/width configurable).
 HTF RSI: same-pane line + tiny circle for the latest value; historical step segments show completed HTF bars.
 Guides: dashed 70 / 30 bands, dotted 60/40 helpers, dashed 50 midline.
 
 Inputs 
 
 Higher Time Frame: Auto or a fixed TF (1, 3, 5, 10, 15, 30, 45, 60, 120, 180, 240, 360, 480, 720, D, W, 2W, M, 3M, 6M, 12M).
 Length: RSI period (default 14).
 Source: price source for RSI.
 RSI / HTF RSI colors & widths.
 Number of HTF RSI Bars: how many frozen HTF segments to keep.
 
 Reading it 
 
 Alignment: When RSI (current TF) and HTF RSI both push in the same direction, momentum is aligned across frames.
 Divergence across frames: Current RSI failing to confirm HTF direction can warn about chops or early slowdowns.
 Zones: 70/30 boundaries for classic overbought/oversold; 60/40 can be used as trend bias rails; 50 is the balance line.
 
This is a context indicator, not a signal generator. Combine with your entry/exit rules.
 Notes & limitations 
HTF values do not repaint after their bar closes (lookahead is off). The short “live” segment will evolve until the HTF bar closes — this is expected.
Very small panels or extremely long histories may impact performance if you keep a large number of HTF segments.
 Credits 
Original concept by LonesomeTheBlue; Pine v6 refactor and auto-mapping rules by trading_mura.
 Suggested use 
Day traders: run the indicator on 5–15m and keep HTF on Auto to see 1h/4h momentum.
Swing traders: run it on 1h–4h and watch the daily HTF.
Position traders: run on daily and watch the weekly HTF.
If you find it useful, a ⭐ helps others discover it.
Top and Bottom Probability
The top and bottom probability oscillator is an  educational  indicator that estimates the probability of a local top or bottom using four ingredients:
 
 
 price extension since the last RSI overbought/oversold,
 
 
 time since that OB/OS event,
 
 
 RSI divergence strength,
 
 
 Directional Momentum Velocity (DMV) — a normalized, signed trend velocity.
It plots RSI, two probability histograms (Top %, Bottom %), and an optional 0–100 velocity gauge.
 How to read it 
RSI & Levels: Standard RSI with OB/OS lines (70/30 by default).
Prob Top (%): Red histogram, 0–100. Higher values suggest increasing risk of a local top after an RSI overbought anchor.
Prob Bottom (%): Green histogram, 0–100. Higher values suggest increasing chance of a local bottom after an RSI oversold anchor.
Velocity (0–100): Optional line. Above 50 = positive/upward DMV; below 50 = negative/downward DMV. DMV pushes Top risk when trending down and Bottom chance when trending up.
These are composite, scale-free scores, not certainties or trade signals.
 What the probabilities consider 
Price Delta: How far price has moved beyond the last OB (for tops) or below the last OS (for bottoms). More extension → higher probability.
Time Since OB/OS: Longer time since the anchor → higher probability (until capped by the “Time Normalization (bars)” input).
Oscillator Divergence: RSI pulling away from its last OB/OS reading in the opposite direction implies weakening momentum and increases probability.
 Directional Momentum Velocity (DMV): 
Computes a regression slope of hlc3 vs. bar index, normalized by ATR, then squashed with tanh.
Downward DMV boosts Top probability; upward DMV boosts Bottom probability.
Toggle the velocity plot and adjust its sensitivity with Velocity Lookback, ATR Length, and Velocity Gain.
All four terms are blended with user-set weights. If Normalize Weights is ON, weights are rescaled to sum to 1.
Inputs (most useful)
RSI Length / OB / OS: Core RSI setup.
Time Normalization (bars): Sets how quickly the “time since OB/OS” term ramps from 0→1.
 Weights: 
Price Delta, Time Since OB/OS, Osc Divergence, Directional Velocity.
Turn Normalize Weights ON to keep the blend consistent when you experiment.
 Settings: 
Velocity Lookback: Window for slope estimation (shorter = more reactive).
ATR Length: Normalizes slope so symbols/timeframes are comparable.
Velocity Gain: Steepens or softens the tanh curve (higher = punchier extremes).
Show Velocity (0–100): Toggles the DMV display.
Tip: If you prefer momentum measured on RSI rather than price, in the DMV block replace hlc3 with rsi (concept stays identical).
 Practical tips 
Use Top/Bottom % as context, not triggers. Combine with structure (S/R), trend filters, and risk management.
On strong trends, expect the opposite probability (e.g., Top % during an uptrend) to stay suppressed longer.
Calibrate weights: e.g., raise Osc Divergence on mean-reversion symbols; raise Velocity in trending markets.
For lower noise: lengthen Velocity Lookback and ATR Length, or reduce Velocity Gain.
FibADX MTF Dashboard — DMI/ADX with Fibonacci DominanceFibADX MTF Dashboard — DMI/ADX with Fibonacci Dominance (φ) 
This indicator fuses classic DMI/ADX with the Fibonacci Golden Ratio to score directional dominance and trend tradability across multiple timeframes in one clean panel.
 What’s unique 
	•	Fibonacci dominance tiers:
	•	BULL / BEAR → one side slightly stronger
	•	STRONG when one DI ≥ 1.618× the other (φ)
	•	EXTREME when one DI ≥ 2.618× (φ²)
	•	Rounded dominance % in the +DI/−DI columns (e.g., STRONG BULL 72%).
	•	ADX column modes: show the value (with strength bar ▂▃▅… and slope ↗/↘) or a tier (Weak / Tradable / Strong / Extreme).
	•	Configurable intraday row (30m/1H/2H/4H) + D/W/M toggles.
	•	Threshold line: color & width; Extended (infinite both ways) or Not extended (historical plot).
	•	Theme presets (Dark / Light / High Contrast) or full custom colors.
	•	Optional panel shading when all selected TFs are strong (and optionally directionally aligned).
 How to use 
	1.	Choose an intraday TF (30/60/120/240). Enable D/W/M as needed.
	2.	Use ADX ≥ threshold (e.g., 21 / 34 / 55) to find tradable trends.
	3.	Read the +DI/−DI labels to confirm bias (BULL/BEAR) and conviction (STRONG/EXTREME).
	4.	Prefer multi-TF alignment (e.g., 4H & D & W all strong bull).
	5.	Treat EXTREME as a momentum regime—trail tighter and scale out into spikes.
 Alerts 
	•	All selected TFs: Strong BULL alignment
	•	All selected TFs: Strong BEAR alignment
 Notes 
	•	Smoothing selectable: RMA (Wilder) / EMA / SMA.
	•	Percentages are whole numbers (72%, not 72.18%).
	•	Shorttitle is FibADX to comply with TV’s 10-char limit.
 Why We Use Fibonacci in FibADX 
Traditional DMI/ADX indicators rely on fixed numeric thresholds (e.g., ADX > 20 = “tradable”), but they ignore the relationship between +DI and −DI, which is what really determines trend conviction.
FibADX improves on this by introducing the Fibonacci Golden Ratio (φ ≈ 1.618) to measure directional dominance and classify trend strength more intelligently.
⸻
 1. Fibonacci as a Natural Strength Threshold 
The golden ratio φ appears everywhere in nature, growth cycles, and fractals.
Since financial markets also behave fractally, Fibonacci levels reflect natural crowd behavior and trend acceleration points.
 In FibADX: 
	•	When one DI is slightly larger than the other → BULL or BEAR (mild advantage).
	•	When one DI is at least 1.618× the other → STRONG BULL or STRONG BEAR (trend conviction).
	•	When one DI is 2.618× or more → EXTREME BULL or EXTREME BEAR (high momentum regime).
This approach adds structure and consistency to trend classification.
⸻
 2. Why 1.618 and 2.618 Instead of Random Numbers 
Other traders might pick thresholds like 1.5 or 2.0, but φ has special mathematical properties:
	•	φ is the most irrational ratio, meaning proportions based on φ retain structure even when scaled.
	•	Using φ makes FibADX naturally adaptive to all timeframes and asset classes — stocks, crypto, forex, commodities.
⸻
3 . Trading Advantages 
Using the Fibonacci Golden Ratio inside DMI/ADX has several benefits:
	•	Better trend filtering → Avoid false DI crossovers without conviction.
	•	Catch early momentum shifts → Spot when dominance ratios approach φ before ADX reacts.
	•	Consistency across markets → Because φ is scalable and fractal, it works everywhere.
⸻
 4. How FibADX Uses This 
FibADX combines:
	•	+DI vs −DI ratio → Measures directional dominance.
	•	φ thresholds (1.618, 2.618) → Classifies strength into BULL, STRONG, EXTREME.
	•	ADX threshold → Confirms whether the move is tradable or just noise.
	•	Multi-timeframe dashboard → Aligns bias across 4H, D, W, M.
⸻
 Quick Blurb for TradingView 
FibADX uses the Fibonacci Golden Ratio (φ ≈ 1.618) to classify trend strength.
Unlike classic DMI/ADX, FibADX measures how much one side dominates:
	•	φ (1.618) = STRONG trend conviction
	•	φ² (2.618) = EXTREME momentum regime
This creates an adaptive, fractal-aware framework that works across stocks, crypto, forex, and commodities.
⚠️  Disclaimer : This script is provided for educational purposes only.
It does not constitute financial advice.
Use at your own risk. Always do your own research before making trading decisions.
Created by @nomadhedge 
Ultra Volume DetectorNative Volume — Auto Levels + Ultra Label
What it does
This indicator classifies volume bars into four categories — Low, Medium, High, and Ultra — using rolling percentile thresholds. Instead of fixed cutoffs, it adapts dynamically to recent market activity, making it useful across different symbols and timeframes. Ultra-high volume bars are highlighted with labels showing compacted values (K/M/B/T) and the appropriate unit (shares, contracts, ticks, etc.).
Core Logic
Dynamic thresholds: Calculates percentile levels (e.g., 50th, 80th, 98th) over a user-defined window of bars.
Categorization: Bars are colored by category (Low/Med/High/Ultra).
Ultra labeling: Only Ultra bars are labeled, preventing chart clutter.
Optional MA: A moving average of raw volume can be plotted for context.
Alerts: Supports both alert condition for Ultra events and dynamic alert() messages that include the actual volume value at bar close.
How to use
Adjust window size: Larger windows (e.g., 200+) provide stable thresholds; smaller windows react more quickly.
Set percentiles: Typical defaults are 50 for Medium, 80 for High, and 98 for Ultra. Lower the Ultra percentile to see more frequent signals, or raise it to isolate only extreme events.
Read chart signals:
Bar colors show the category.
Labels appear only on Ultra bars.
Alerts can be set up for automatic notification when Ultra volume occurs.
Why it’s unique
Adaptive: Uses rolling statistics, not static thresholds.
Cross-asset ready: Adjusts units automatically depending on instrument type.
Efficient visualization: Focuses labels only on the most significant events, reducing noise.
⚠️ Disclaimer: This tool is for educational and analytical purposes only. It does not provide financial advice. Always test and manage risk before trading live
CandelaCharts - Mean Reversion Oscillator 📝  Overview 
The Mean Reversion Oscillator (MRO) is a bounded 0–100 indicator that shows how far the price has deviated from its statistical mean. Normalizing deviations into a consistent scale helps traders spot overbought/oversold conditions, potential mean reversion setups, and momentum shifts around a moving average.
 📦  Features 
 
  Bounded scale (0–100) for easy recognition of stretched conditions.  
  Customizable MA & StdDev periods for different trading horizons.  
  Dynamic coloring: Red = Overbought, Green = Oversold, Blue = Neutral  
  Visual aids: Background shading in OB/OS zones + 50 midline.  
 
 ⚙️  Settings 
 
  MA Length – Period for the moving average baseline.  
  StdDev Length – Standard deviation window. Tip: match the MA length for smoother results.  
  Overbought Level – Threshold for stretched highs.  
  Oversold Level – Threshold for stretched lows.  
 
 ⚡️  Showcase 
 Overbought/Oversold Zones 
 Divergences 
 📒  Usage 
The Mean Reversion Oscillator (MRO) is best used as a context tool, not as a standalone buy/sell signal generator. Its primary purpose is to tell you when the price is statistically stretched relative to its average, so you can anticipate a potential return toward the mean.
 
   Add to chart  – Paste the script in TradingView and load it in a separate pane.  
   Set MA Length  – Use 20–50 for intraday, 100–200 for swing/position trading.  
   Match StdDev Length  – Keep it close to the MA Length to avoid distortion (e.g., MA 200 → StdDev 200).  
  Interpret readings:  
   >70 (Overbought)  – Price stretched high, reversion or slowdown likely.  
   <30 (Oversold)  – Price stretched low, bounce potential.  
   50 (Midline)  – Neutral, momentum shift point.  
   Use with confluence  – Strongest signals occur when MRO extremes align with S/R levels, trend filters, or volume cues.  
   Adjust thresholds  – 70/30 is balanced; 80/20 gives fewer but stronger signals, 60/40 gives more but weaker ones.  
   Stay trend-aware  – In strong trends, OB/OS can persist. Always check higher timeframe bias before fading moves.  
 
 🚨  Alerts 
The indicator does not provide any alerts!
 ⚠️  Disclaimer 
 These tools are exclusively available on the TradingView platform. 
Our charting tools are intended solely for informational and educational purposes and should not be regarded as financial, investment, or trading advice. They are not designed to predict market movements or offer specific recommendations. Users should be aware that past performance is not indicative of future results and should not rely on these tools for financial decisions. By using these charting tools, the purchaser agrees that the seller and creator hold no responsibility for any decisions made based on information provided by the tools. The purchaser assumes full responsibility and liability for any actions taken and their consequences, including potential financial losses or investment outcomes that may result from the use of these products.
By purchasing, the customer acknowledges and accepts that neither the seller nor the creator is liable for any undesired outcomes stemming from the development, sale, or use of these products. Additionally, the purchaser agrees to indemnify the seller from any liability. If invited through the Friends and Family Program, the purchaser understands that any provided discount code applies only to the initial purchase of Candela's subscription. The purchaser is responsible for canceling or requesting cancellation of their subscription if they choose not to continue at the full retail price. In the event the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable.
We do not offer reimbursements, refunds, or chargebacks. Once these Terms are accepted at the time of purchase, no reimbursements, refunds, or chargebacks will be issued under any circumstances.
By continuing to use these charting tools, the user confirms their understanding and acceptance of these Terms as outlined in this disclaimer.
PulseMA Oscillator Normalized v2█ OVERVIEW
PulseMA Oscillator Normalized v2 is a technical indicator designed for the TradingView platform, assisting traders in identifying potential trend reversal points based on price dynamics derived from moving averages. The indicator is normalized for easier interpretation across various market conditions, and its visual presentation with gradients and signals facilitates quick decision-making.
█ CONCEPTS
The core idea of the indicator is to analyze trend dynamics by calculating an oscillator based on a moving average (EMA), which is then normalized and smoothed. It provides insights into trend strength, overbought/oversold levels, and reversal signals, enhanced by gradient visualizations.
Why use it?
Identifying reversal points: The indicator detects overbought and oversold levels, generating buy/sell signals at their crossovers.
Price dynamics analysis: Based on moving averages, it measures how long the price stays above or below the EMA, incorporating trend slope.
Visual clarity: Gradients, fills, and colored lines enable quick chart analysis.
Flexibility: Configurable parameters, such as moving average lengths or normalization period, allow adaptation to various strategies and markets.
How it works?
Trend detection: Calculates a base exponential moving average (EMA with PulseMA Length) and measures how long the price stays above or below it, multiplied by the slope for the oscillator.
Normalization: The oscillator is normalized based on the minimum and maximum values over a lookback period (default 150 bars), scaling it to a range from -100 to 100: (oscillator - min) / (max - min) * 200 - 100. This ensures values are comparable across different instruments and timeframes.
Smoothing: The main line (PulseMA) is the normalized oscillator (oscillatorNorm). The PulseMA MA line is a smoothed version of PulseMA, calculated using an SMA with the PulseMA MA length. As PulseMA MA is smoothed, it reacts more slowly and can be used as a noise filter.
Signals: Generates buy signals when crossing the oversold level upward and sell signals when crossing the overbought level downward. Signals are stronger when PulseMA MA is in the overbought or oversold zone (exceeding the respective thresholds for PulseMA MA).
Visualization: Draws lines with gradients for PulseMA and PulseMA MA, levels with gradients, gradient fill to the zero line, and signals as triangles.
Alerts: Built-in alerts for buy and sell signals.
Settings and customization
PulseMA Length: Length of the base EMA (default 20).
PulseMA MA: Length of the SMA for smoothing PulseMA MA (default 20).
Normalization Lookback Period: Normalization period (default 150, minimum 10).
Overbought/Oversold Levels: Levels for the main line (default 100/-100) and thresholds for PulseMA MA, indicating zones where PulseMA MA exceeds set values (default 50/-50).
Colors and gradients: Customize colors for lines, gradients, and levels; options to enable/disable gradients and fills.
Visualizations: Show PulseMA MA, gradients for overbought/oversold/zero levels, and fills.
█ OTHER SECTIONS
Usage examples
Trend analysis: Observe PulseMA above 0 for an uptrend or below 0 for a downtrend. Use different values for PulseMA Length and PulseMA MA to gain a clearer trend picture. PulseMA MA, being smoothed, reacts more slowly and can serve as a noise filter to confirm trend direction.
Reversal signals: Look for buy triangles when PulseMA crosses the oversold level, especially when PulseMA MA is in the oversold zone. Similarly, look for sell triangles when crossing the overbought level with PulseMA MA in the overbought zone. Such confirmation increases signal reliability.
Customization: Test different values for PulseMA Length and PulseMA MA on a given instrument and timeframe to minimize false signals and tailor the indicator to market specifics.
Notes for users
Combine with other tools, such as support/resistance levels or other oscillators, for greater accuracy.
Test different settings for PulseMA Length and PulseMA MA on the chosen instrument and timeframe to find optimal values.
Commodity Channel Index DualThe CCI Dual is a custom TradingView indicator built in Pine Script v5, designed to help traders identify potential buy and sell signals using two Commodity Channel Index (CCI) oscillators. It combines a shorter-period CCI (default: 14) for quick momentum detection with a longer-period CCI (default: 50) for confirmation, focusing on mean-reversion opportunities in overbought or oversold conditions. 
This setup is particularly suited for volatile markets like cryptocurrencies on higher timeframes (e.g., 3-day charts), where it highlights reversals by requiring both CCIs to cross out of extreme zones within a short window (default: 3 bars). 
The indicator plots the CCIs, customizable bands (inner: 100, OB/OS: 175, outer: 200), dynamic fills for visual emphasis, background highlights for signals, and alert conditions for notifications.
How It Works
The indicator calculates two CCIs based on user-defined lengths and source (default: close price):
CCI Calculation: CCI measures price deviation from its average, using the formula: CCI = (Typical Price - Simple Moving Average) / (0.015 * Mean Deviation). The short CCI reacts faster to price changes, while the long CCI provides smoother, trend-aware confirmation.
Overbought/Oversold Levels: Customizable thresholds define extremes (Overbought at +175, Oversold at -175 by default). Bands are plotted at inner (±100), mid (±175 dashed), and outer (±200) levels, with gray fills for the outer zones.
Dynamic Fills: The longer CCI is used to shade areas beyond OB/OS levels in red (overbought) or green (oversold) for quick visual cues.
Signals:
Buy Signal: Triggers when both CCIs cross above the Oversold level (-175) within the signal window (3 bars). This suggests a potential upward reversal from an oversold state.
Sell Signal: Triggers when both cross below the Overbought level (+175) within the window, indicating a possible downward reversal.
Visuals and Alerts: Buy signals highlight the background green, sells red. Separate alertconditions allow setting TradingView alerts for buys or sells independently.
Customization: Adjust lengths, levels, and window via inputs to fit your timeframe or asset—e.g., higher OB/OS for crypto volatility.
This logic reduces noise by requiring dual confirmation, but like all oscillators, it can produce false signals in strong trends where prices stay extended.
To mitigate false signals (e.g., in trending markets), layer the CCI Dual with MACD (default: 12,26,9) and RSI (default: 14) for multi-indicator confirmation:
With MACD: Only take CCI buys if the MACD line is above the signal line (or histogram positive), confirming bullish momentum. For sells, require MACD bearish crossover. This filters counter-trend signals by aligning with trend strength—e.g., ignore CCI sells if MACD shows upward momentum.
With RSI: Confirm CCI oversold buys only if RSI is below 30 and rising (or shows bullish divergence). For overbought sells, RSI above 70 and falling. This adds overextension validation, reducing whipsaws in crypto trends.
I made this customizable for you to find what works best for your asset you are trading. I trade the 6 hour and 3 day timeframe mainly on major cryptocurrency pairs. I hope you enjoy this script and it serves you well.
Adaptive Convergence Divergence### Adaptive Convergence Divergence (ACD)
By Gurjit Singh
The Adaptive Convergence Divergence (ACD) reimagines the classic MACD by replacing fixed moving averages with adaptive moving averages. Instead of a static smoothing factor, it dynamically adjusts sensitivity based on price momentum, relative strength, volatility, fractal roughness, or volume pressure. This makes the oscillator more responsive in trending markets while filtering noise in choppy ranges.
#### 📌 Key Features
1. Dual Adaptive Structure: The oscillator uses two adaptive moving averages to form its convergence-divergence line, with EMA/RMA as signal line:
   * Primary Adaptive (MA): Fast line, reacts quickly to changes.
   * Following Adaptive (FAMA): Slow line, with half-alpha smoothing for confirmation.
2. Adaptive MA Types
   * ACMO: Adaptive CMO (momentum)
   * ARSI: Adaptive RSI (relative strength)
   * FRMA: Fractal Roughness (volatility + fractal dimension)
   * VOLA: Volume adaptive (volume pressure)
3. PPO Option: Switch between classic MACD or Percentage Price Oscillator (PPO) style calculation.
4. Signal Smoothing: Choose between EMA or Wilder’s RMA.
5. Visuals: Colored oscillator, signal line, histogram with adaptive transparency.
6. Alerts: Bullish/Bearish crossovers built-in.
#### 🔑 How to Use
1. Add to chart: Works on any timeframe and asset.
2. Choose MA Type: Experiment with ACMO, ARSI, FRMA, or VOLA depending on market regime.
3. Crossovers:
   * Bullish (🐂): Oscillator crosses above signal → potential long entry.
   * Bearish (🐻): Oscillator crosses below signal → potential short entry.
4. Histogram: expansion = strengthening trend; contraction = weakening trend.
5. Divergences: 
   * Bullish (hidden strength): Price pushes lower, but ACD turns higher = potential upward reversal.  
   * Bearish (hidden weakness): Price pushes higher, but ACD turns lower = potential downward reversal.  
6. Customize: Adjust lengths, smoothing type, and PPO/MACD mode to match your style.
7. Set Alerts:
   * Enable Bullish or Bearish crossover alerts to catch momentum shifts in real time.
   
#### 💡 Tips
* PPO mode normalizes values across assets, useful for cross-asset analysis.
* Wilder’s smoothing is gentler than EMA, reducing whipsaws in sideways conditions.
* Adaptive smoothing helps reduce false divergence signals by filtering noise in choppy ranges.
ZLEMA Trend Index 2.0ZTI — ZLEMA Trend Index 2.0 (0–1000)
 Overview 
Price Mapped ZTI v2.0 - Enhanced Zero-Lag Trend Index.
This indicator is a significant upgrade to the original ZTI v1.0, featuring enhanced resolution from 0-100 to 0-1000 levels for dramatically improved price action accuracy. The Price Mapped ZTI uses direct price-to-level mapping to eliminate statistical noise and provide true proportional representation of market movements.
Key Innovation: Instead of statistical normalization, this version maps current price position within a user-defined lookback period directly to the ZTI scale, ensuring perfect correlation with actual price movements. I believe this is the best way to capture trends instead of directly on the charts using a plethora of indicators which introduces bad signals resulting in drawdowns. The RSI-like ZTI overbought and oversold lines filter valid trends by slicing through the current trading zone. Unlike RSI that can introduce false signals, the ZTI levels 1 to 1000 is faithfully mapped to the lowest to highest price in the current trading zone (lookback period in days) which can be changed in the settings. The ZTI line will never go off the beyond the ZTI levels in case of extreme trend continuation as the trading zone is constantly updated to reflect only the most recent bars based on lookback days.
 Core Features 
✅ 10x Higher Resolution - 0-1000 scale provides granular movement detection
✅ Adjustable Trading Zone - Customizable lookback period from 1-50 days
✅ Price-Proportional Mapping - Direct correlation between price position and ZTI level
✅ Zero Statistical Lag - No rolling averages or standard deviation calculations
✅ Multi-Strategy Adaptability - Single parameter adjustment for different trading styles
 Trading Zone Optimization 
📊 Lookback Period Strategies
Short-term (1-3 days):
 
 Ultra-responsive to recent price action
 Perfect for scalping and day trading
 Tight range produces more sensitive signals
 
Medium-term (7-14 days):
 
 Balanced view of recent trading range
 Ideal for swing trading
 Captures meaningful support/resistance levels
 
Long-term (21-30 days):
 
 Broader market context
 Excellent for position trading
 Smooths out short-term market noise
 
⚡ Market Condition Adaptation
Volatile Markets: Use shorter lookback (3-5 days) for tighter ranges
Trending Markets: Use longer lookback (14-21 days) for broader context
Ranging Markets: Use medium lookback (7-10 days) for clear boundaries
🎯 Timeframe Optimization
 
 1-minute charts: 1-2 day lookback
 5-minute charts: 2-5 day lookback
 Hourly charts: 7-14 day lookback
 Daily charts: 21-50 day lookback
 
 Trading Applications 
Scalping Setup (2-day lookback): 
 
 Super tight range for quick reversals
 ZTI 800+ = immediate short opportunity
 ZTI 200- = immediate long opportunity
 
Swing Trading Setup (10-day lookback):
 
 Meaningful swing levels captured
 ZTI extremes = high-probability reversal zones
 More stable signals, reduced whipsaws
 
 Advanced Usage 
🔧 Real-Time Adaptability
 
 Trending days: Increase to 14+ days for broader perspective
 Range-bound days: Decrease to 3 days for tighter signals
 High volatility: Shorter lookback for responsiveness
 Low volatility: Longer lookback to avoid false signals
 
💡 Multi-Timeframe Approach
 
 Entry signals: Use 7-day ZTI on main timeframe
 Trend confirmation: Use 21-day ZTI on higher timeframe
 Exit timing: Use 3-day ZTI for precise exits
 
🌐 Session Optimization
 
 Asian session: Shorter lookback (3-5 days) for range-bound conditions
 London/NY session: Longer lookback (7-14 days) for trending conditions
 
 How It Works 
The indicator maps the current price position within the specified lookback period directly to a 0-1000 scale and plots it using ZLEMA (Zero Lag Exponential Moving Average) which has the least lag of the available popular moving averages:
 
 Price at recent high = ZTI at 1000
 Price at recent low = ZTI at 1
 Price at mid-range = ZTI at 500
 
This creates perfect proportional representation where every price movement translates directly to corresponding ZTI movement, eliminating the false signals common in traditional oscillators.
This single, versatile indicator adapts to any market condition, timeframe, or trading style through one simple parameter adjustment, making it an essential tool for traders at every level.
 Credits 
ZLEMA techniques widely attributed to John Ehlers.
 Disclaimer 
This tool is for educational purposes only and is not financial advice. Backtest and forward‑test before live use, and always manage risk. 
Please note that I set this as closed source to prevent source code cloning by others, repackaging and republishing which results in multiple confusing choices of the same indicator.
B@dshah Indicator🚀 Advanced Multi-Indicator Trading System
A comprehensive trading indicator that combines multiple technical analysis tools for high-probability signal generation:
📊 CORE FEATURES:
- EMA Trend Analysis (Fast/Slow crossovers)
- RSI Momentum Detection 
- MACD Signal Confirmation
- Bollinger Bands (Squeeze & Mean Reversion)
- Fibonacci Retracement Levels
- Volume & ATR Filtering
- Multi-Confluence Scoring System (0-10 scale)
🎯 SIGNAL QUALITY:
- Non-repainting signals (confirmed at bar close)
- Minimum 60% strength threshold for trades
- Dynamic TP/SL based on market structure
- Real-time win rate tracking
- Signal strength percentage display
⚙️ UNIQUE FEATURES:
- BB Squeeze detection for volatility breakouts
- Fibonacci level confluence analysis
- Smart position sizing recommendations  
- Visual TP/SL lines with outcome tracking
- Comprehensive statistics table
🔔 ALERTS INCLUDED:
- Buy/Sell signals with strength ratings
- TP/SL hit notifications
- BB squeeze/expansion alerts
- Fibonacci level touches
Best used on 1H+ timeframes for optimal results. 
Perfect for swing trading and position entries.
Quad Stochastic OscillatorThis is my take on the "Quad Rotation Strategy".  It's a simple but powerful indicator once you know what to look for.  I combined the four different periods into one script, which makes seeing the rotation, and other cues, easier.  I suggest changing the %K line to dotted or off, so it doesn't clutter the view.  
Capiba RSI + Ichimoku + VolatilidadeThe "Capiba RSI + Ichimoku + Volatility" indicator is a powerful, all-in-one technical analysis tool designed to provide traders with a comprehensive view of market dynamics directly on their price chart. This multi-layered indicator combines a custom Relative Strength Index (RSI), the trend-following Custom Ichimoku Cloud, and dynamic volatility lines to help identify high-probability trading setups.
How It Works
This indicator functions by overlaying three distinct, yet complementary, analysis systems onto a single chart, offering a clear and actionable perspective on a wide range of market conditions, from strong trends to periods of consolidation.
1. Custom RSI & Momentum Signals
The core of this indicator is a refined version of the Relative Strength Index (RSI). It calculates a custom Ultimate RSI that is more sensitive to price movements, offering a quicker response to potential shifts in momentum. The indicator also plots a moving average of this RSI, allowing for the generation of clear trading signals. Use RMAs.   
Bar Coloring: The color of the price bars on your chart dynamically changes to reflect the underlying RSI momentum.
Blue bars indicate overbought conditions, suggesting trend and a potential short-term reversal.   
Yellow bars indicate oversold conditions, hinting at a potential bounce.   
Green bars signal bullish momentum, where the Custom RSI is above both 50 and its own moving average.
Red bars indicate bearish momentum, as the Custom RSI is below both 50 and its moving average.
Trading Signals: The indicator plots visual signals directly on the chart in the form of triangles to highlight key entry and exit points. A green triangle appears when the Custom RSI crosses above its moving average (a buy signal), while a red triangle marks a bearish crossunder (a sell signal).
2. Custom Ichimoku Cloud for Trend Confirmation
This component plots a standard Ichimoku Cloud directly on the chart, providing a forward-looking view of trend direction, momentum, and dynamic support and resistance levels.   
The cloud’s color serves as a strong visual cue for the prevailing trend: a green cloud indicates a bullish trend, while a red cloud signals a bearish trend.   
The cloud itself acts as a dynamic support or resistance zone. For example, in an uptrend, prices are expected to hold above the cloud, which provides a strong support level for the market.   
3. Dynamic Volatility Lines
This final layer is a dynamic volatility channel that automatically plots the highest high and lowest low from a user-defined period. These lines create a visual representation of the recent price range, helping traders understand the current market volatility.   
Volatility Ratio: A label is displayed on the chart showing a volatility ratio, which compares the current price range to a historical average. A high ratio indicates increasing volatility, while a low ratio suggests a period of price consolidation or lateral movement, a valuable insight for day traders.   
The indicator is highly customizable, allowing you to adjust parameters like RSI length, overbought/oversold levels, Ichimoku periods, and volatility lookback periods to suit your personal trading strategy. It is an ideal tool for traders who rely on a combination of momentum, trend, and volatility to make well-informed decisions.
AlphaFlow — Direcional ProThe AlphaFlow — Direcional Pro is a complete trading suite designed to give traders a clear, structured view of market direction, volatility, and momentum.
📌 Key Features:
Trend Detection with Dual EMAs: Fast and slow EMAs for directional bias, plus an optional 200 EMA filter for long-term context.
Volatility Regime Filter (ATR): Confirms market conditions by comparing current ATR with its average.
RSI Confirmation: Adaptive RSI filter to validate bullish and bearish regimes.
Directional Signals (BUY/SELL): Clear chart markers with bar coloring for instant trend visualization.
Swing Structure with Star Markers: Automatic detection of HH, HL, LH, LL swings, highlighted with color-coded ★ stars.
RSI Divergences: Automatic bullish/bearish divergence spotting for early trend reversal signals.
VWAP Levels: Daily, Weekly, and Anchored VWAP for institutional reference points.
Trade Management Tools: Automatic plotting of Entry, Stop-Loss, TP1, and TP2 levels, with optional trailing ATR stop.
Multi-Timeframe Support: Generate signals from a higher timeframe and confirm on chart close.
Alerts: Pre-configured alerts for entries, SL, TP1, TP2, and divergences.
✨ With its combination of trend, volatility, swing structure, and divergence analysis, AlphaFlow provides both short-term signals and long-term directional context — making it a versatile tool for intraday traders, swing traders, and investors.
CandelaCharts - Vertex Oscillator 📝  Overview 
The Vertex Oscillator is a proprietary momentum-based oscillator designed to detect periods of deep undervaluation (accumulation) and excessive euphoria (distribution) in markets.
By combining price deviation, volume normalization, and volatility scaling, the indicator identifies extreme conditions and provides actionable signals for both traders and analysts.
 📦  Features 
 
   Volume-normalized momentum  – integrates price deviations with relative volume weighting.
   Adaptive volatility scaling  – reduces distortion from sudden spikes and low-volume noise.
   Z-score normalization  – standardizes readings into intuitive zones.
   Accumulation & Euphoria detection  – highlights market extremes with color-coded zones.
   Built-in alerts  – instantly notify traders when critical thresholds are crossed.
 
⚙️  Settings 
 
  Source: The input price source.
  Lookback: Number of bars used for deviation & volatility calculation.
  Smoothing: Smoothing length applied to oscillator.
  Colors: Customize bullish, bearish, and neutral oscillator line colors.
  Zones: Set shading colors for accumulation (≤ -2) and euphoria (≥ +2).
  Line: Choose oscillator line width and color.
 
 ⚡️  Showcase 
 ≤ -2 (Green Zone) 
Market undervaluation / accumulation opportunities.
 ≥ +2 (Red Zone) 
Market euphoria / overheated conditions.
 0 (Neutral Line) 
Balanced state.
 Divergences 
 📒  Usage 
The Vertex Oscillator is most effective when interpreted through its key zones, helping traders quickly spot undervaluation, euphoria, or neutral market conditions.
 
   Identify Accumulation  – When the oscillator drops below -2, markets may be undervalued.
   Spot Euphoria  – When the oscillator rises above +2, markets may be overheated.
   Neutral Zone  – Around 0, conditions are balanced with no strong bias.
   Best Practice  – Use alongside trend, support/resistance, or volume tools to confirm signals.
 
 🚨  Alerts 
The Vertex Oscillator includes built-in alerts to help traders react instantly when the market enters extreme conditions. Instead of constantly monitoring the chart, alerts notify you in real time when accumulation or euphoria thresholds are triggered.
 
   Deep Accumulation  – triggers when the oscillator crosses below -2, signaling undervaluation.
   Euphoria Triggered  – triggers when the oscillator crosses above +2, signaling overheated conditions.
 
 ⚠️  Disclaimer 
 These tools are exclusively available on the TradingView platform. 
Our charting tools are intended solely for informational and educational purposes and should not be regarded as financial, investment, or trading advice. They are not designed to predict market movements or offer specific recommendations. Users should be aware that past performance is not indicative of future results and should not rely on these tools for financial decisions. By using these charting tools, the purchaser agrees that the seller and creator hold no responsibility for any decisions made based on information provided by the tools. The purchaser assumes full responsibility and liability for any actions taken and their consequences, including potential financial losses or investment outcomes that may result from the use of these products.
By purchasing, the customer acknowledges and accepts that neither the seller nor the creator is liable for any undesired outcomes stemming from the development, sale, or use of these products. Additionally, the purchaser agrees to indemnify the seller from any liability. If invited through the Friends and Family Program, the purchaser understands that any provided discount code applies only to the initial purchase of Candela's subscription. The purchaser is responsible for canceling or requesting cancellation of their subscription if they choose not to continue at the full retail price. In the event the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable.
We do not offer reimbursements, refunds, or chargebacks. Once these Terms are accepted at the time of purchase, no reimbursements, refunds, or chargebacks will be issued under any circumstances.
By continuing to use these charting tools, the user confirms their understanding and acceptance of these Terms as outlined in this disclaimer.
AnalistAnka FlowScore Pro (v8.2)AnalistAnka FlowScore Pro – User Guide (EN)
1) What it is
AnalistAnka FlowScore Pro aggregates money flow into a single scale.
Components:
SMF-Z: Z-score of (log return × volume)
OBV-Z: Z-score of OBV (cumulative volume flow)
MFI-Z (optional): Z-score of Money Flow Index
Combined into FlowScore, then smoothed by EMA.
Core signal:
FlowScore > +0.5 → strong long bias
FlowScore < −0.5 → strong short bias
Optional HTF EMA filter keeps you trading with the higher-timeframe trend.
2) Inputs (summary)
FlowScore & Signal: wSMF, wOBV, wMFI, smoothFS, enterBand, exitBand, cooldownBars
HTF Filter: useHTF, htf (e.g., 60/240/1D), htfEmaLen (default 200)
MFI: useMfi, mfiLen, mfiSmooth, mfiZwin
Spike: spWin, spK (σ threshold), minVolPct (volume MA threshold)
Fills: fillSMF, fillOBV with separate positive/negative colors
Divergences: showDiv, divLeft/right, divShowLines, divShowLabels, colors
3) How to read
A) FlowScore (primary)
Long setup: FlowScore crosses above enterBand (+)
Short setup: FlowScore crosses below −exitBand
Hysteresis (±bands) reduces whipsaws; cooldown throttles repeats.
B) HTF trend filter (recommended)
With useHTF=true: only longs above HTF EMA, only shorts below it.
Example: trade 15-min, filter with 1-hour EMA200.
C) Spike IN/OUT (confirmation)
Detects statistical surges in OBV derivative plus volume threshold.
Use as confirmation, not as a standalone trigger.
D) Divergence (pivot-based)
Bearish: price HH while FlowScore prints LH
Bullish: price LL while FlowScore prints HL
Tune pivots via divLeft/right; toggle lines/labels in the panel.
4) Timeframes & suggested presets
Profile	Chart	HTF (Filter)	Band (±)	Cooldown	Notes
Scalp	1–5m	15–60m	0.7	5–8	Fewer, cleaner signals
Intraday	5–15m	60–240m	0.5	8–12	Solid default
Swing	1–4h	1D	0.4	12–20	Patient entries
Daily usage:
On a daily chart, nothing extra is needed.
On intraday but want daily filter → set htf=1D.
5) Example playbook
Long:
useHTF=true and price above HTF EMA
FlowScore crosses above +band
Optional confirmations: recent Spike IN, SMF-Z & OBV-Z aligned positive
Stop: below last swing low or ATR(14)×1.5
Exit: partial on FlowScore below 0; full on below −band or at 1R/2R
Short: mirror logic (below HTF EMA, break under −band, Spike OUT, etc.).
6) Alerts
FlowScore LONG / SHORT → immediate signal notification
Spike IN / OUT → money-in/out warnings
7) Tips
Too many signals → widen bands (0.6–0.7), increase cooldown, raise smoothFS (6–9).
Too slow → lower smoothFS (3–4), reduce bands to 0.4–0.5.
Thin liquidity → reduce minVolPct, also reduce position size.
Best reliability when SMF-Z & OBV-Z share the same polarity.
8) Disclaimer
For educational purposes only. Not financial advice. Always apply risk management.
RSI Divergence Indicator with Strength and LabelsHere's a complete Pine Script (version 5) for a TradingView indicator that detects and plots bullish and bearish RSI divergences. This is based on a proven method that tracks price and RSI swings while RSI is in oversold/overbought territories, then checks for mismatched highs/lows within a configurable bar distance.
Derivative Dynamics Indicator [MarktQuant]The Derivative Dynamics Indicator is a versatile technical indicator that combines several critical metrics used in cryptocurrency and derivatives trading. It helps traders understand the relationship between spot prices, perpetual contract prices, trading volume pressure, and open interest across multiple exchanges. This indicator provides real-time visualizations of:
 
 Funding Rate : The cost traders pay or receive to hold perpetual contracts, indicating market sentiment.
 Open Interest (OI) : The total value of outstanding derivative contracts, showing market activity.
 Cumulative Volume Delta (CVD) : A measure of buying vs. selling pressure over time.
 Additional Data:  Includes customizable options for volume analysis, smoothing, and reset mechanisms.
 
Key Features & How It Works
1.  Metric Selection 
You can choose which main metric to display:
 
 Funding Rate: Shows the current funding fee, reflecting market sentiment (positive or negative).
 CVD: Tracks buying vs. selling pressure, helping identify trend strength.
 Open Interest: Displays total outstanding contracts, indicating market activity levels.
 
2.  Volume Data Validation 
The script checks if the selected chart includes volume data, which is essential for accurate calculations, especially for CVD. If volume data is missing or zero for multiple bars, it warns you to verify your chart setup.
3.  CVD Calculation Methods 
You can select how the CVD (Cumulative Volume Delta) is calculated:
 
 Basic: Uses candle open and close to estimate whether buying or selling pressure dominates.
 Advanced: Uses a money flow multiplier considering price position within high-low range, generally more accurate.
 Tick Estimation: Uses percentage price change to estimate pressure.
 
 You can also choose to display a smoothed version of CVD via a Simple Moving Average (SMA) to better visualize overall trends. 
4.  CVD Reset Option 
To prevent the CVD value from becoming too large over long periods, you can set the indicator to reset periodically after a specified number of bars.
5.  CVD Scaling 
Adjust the scale of CVD values for better visibility:
 
 Auto: Automatically adjusts based on magnitude.
 Raw: Shows raw numbers.
 Thousands/Millions: Divides the CVD values for easier reading.
 
 Funding Rate Calculation 
The indicator fetches data from multiple popular exchanges (e.g., Binance, Bybit, OKX, MEXC, Bitget, BitMEX). You can select which exchanges to include.
It calculates the funding rate by taking the mean of spot and perpetual prices across selected exchanges.
Open interest is fetched similarly and scaled according to user preferences (auto, millions, billions). It indicates the total amount of open contracts, providing insight into market activity intensity.
 Visualizations & Data Presentation 
 
 Funding Rate: Shown as colored columns—green for positive (bullish sentiment), red for negative (bearish sentiment).
 Open Interest: Displayed as a line, showing overall market activity.
 CVD & SMA: Plotted as lines to visualize buying/selling pressure and its smoothed trend.
 Information Table: Located at the top right, summarizes:
 
 
 Current base currency
 Number of active sources (exchanges)
 Calculated funding rate
 Total open interest
 Current CVD and its SMA
 Last delta (buy vs. sell pressure)
 
 How to Use It 
 
 Select Metrics & Exchanges: Choose which data you want to see and from which exchanges.
 Adjust Settings: Tweak CVD calculation method, SMA length, reset interval, and scaling options.
 Interpret Visuals:
 
 
 A positive funding rate suggests traders are paying long positions, often indicating bullish sentiment.
 Negative funding rates can indicate bearish market sentiment.
 Rising CVD indicates increasing buying pressure.
 Open interest spikes typically mean increased market participation.
 
 
 Important Notes 
 The indicator relies on the availability of volume data for accurate CVD calculation.
Always verify that the exchanges and symbols are correctly set and supported on your chart.
Use the combined insights from funding rates, CVD, and open interest for a comprehensive market view. This tool is designed for research purposes only.






















