Structural Liquidity ZonesTitle: Structural Liquidity Zones
Description:
This script is a technical analysis system designed to map market structure (Liquidity) using dynamic, volatility-adjusted zones, while offering an optional Trend Confluence filter to assist with trade timing.
Concept & Originality:
Standard support and resistance indicators often clutter the chart with historical lines that are no longer relevant. This script solves that issue by utilizing Pine Script Arrays and User-Defined Types to manage the "Lifecycle" of a zone. It automatically detects when a structure is broken by price action and removes it from the chart, ensuring traders only see valid, fresh levels.
By combining this structural mapping with an optional EMA Trend Filter, the script serves as a complete "Confluence System," helping traders answer both "Where to trade?" (Structure) and "When to trade?" (Trend).
Key Features:
1. Dynamic Structure (The Array Engine)
Pivot Logic: The script identifies major turning points using a customizable lookback period.
Volatility Zones: Instead of thin lines, zones are projected using the ATR (Average True Range). This creates a "breathing room" for price, visualizing potential invalidation areas.
Active Management: The script maintains a memory of active zones. As new bars form, the zones extend forward. If price closes beyond a zone, the script's garbage collection logic removes the level, keeping the chart clean.
2. Trend Confluence (Optional)
EMA System: Includes a Fast (9) and Slow (21) Exponential Moving Average module.
Signals: Visual Buy/Sell labels appear on crossover events.
Purpose: This allows for "Filter-based Trading." For example, a trader can choose to take a "Buy" bounce from a Support Zone only if the EMA Trend is also bullish.
Settings:
Structure Lookback: Controls the sensitivity of the pivot detection.
Max Active Zones: Limits the number of lines to optimize performance.
ATR Settings: Adjusts the width of the zones based on volatility.
Enable Trend Filter: Toggles the EMA lines and signals on/off.
Usage:
This tool is intended for structural analysis and educational purposes. It visualizes the relationship between price action pivots and momentum trends.
النطاقات والقنوات
Kernel Channel [BackQuant]Kernel Channel
A non-parametric, kernel-weighted trend channel that adapts to local structure, smooths noise without lagging like moving averages, and highlights volatility compressions, expansions, and directional bias through a flexible choice of kernels, band types, and squeeze logic.
What this is
This indicator builds a full trend channel using kernel regression rather than classical averaging. Instead of a simple moving average or exponential weighting, the midline is computed as a kernel-weighted expectation of past values. This allows it to adapt to local shape, give more weight to nearby bars, and reduce distortion from outliers.
You can think of it as a sliding local smoother where you define both the “window” of influence (Window Length) and the “locality strength” (Bandwidth). The result is a flexible midline with optional upper and lower bands derived from kernel-weighted ATR or kernel-weighted standard deviation, letting you visualize volatility in a structurally consistent way.
Three plotting modes help demonstrate this difference:
When the midline is shown alone, you get a smooth, adaptive baseline that behaves almost like a regression moving average, as shown in this view:
When full channels are enabled, you see how standard deviation reacts to local structure with dynamically widening and tightening bands, a mode illustrated here:
When ATR mode is chosen instead of StdDev, band width reflects breadth of movement rather than variance, creating a volatility-aware envelope like the example here:
Why kernels
Classical moving averages allocate fixed weights. Kernels let the user define weighting shape:
Epanechnikov — emphasizes bars near the current bar, fades fast, stable and smooth.
Triangular — linear decay, simple and responsive.
Laplacian — exponential decay from the current point, sharper reactivity.
Cosine — gentle periodic decay, balanced smoothness for trend filters.
Using these in combination with a bandwidth parameter gives fine control over smoothness vs responsiveness. Smaller bandwidths give sharper local sensitivity, larger bandwidths give smoother curvature.
How it works (core logic)
The indicator computes three building blocks:
1) Kernel-weighted midline
For every bar, a sliding window looks back Window Length bars. Each bar in this window receives a kernel weight depending on:
its index distance from the present
the chosen kernel shape
the bandwidth parameter (locality)
Weights form the denominator, weighted values form the numerator, and the resulting ratio is the kernel regression mean. This midline is the central trend.
2) Kernel-based width
You choose one of two band types:
Kernel ATR — ATR values are kernel-averaged, producing a smooth, volatility-based width that is not dependent on variance. Ideal for directional trend channels and regime separation.
Kernel StdDev — local variance around the midline is computed through kernel weighting. This produces a true statistical envelope that narrows in quiet periods and widens in noisy areas.
Width is scaled using Band Multiplier , controlling how far the envelope extends.
3) Upper and lower channels
Provided midline and width exist, the channel edges are:
Upper = midline + bandMult × width
Lower = midline − bandMult × width
These create smooth structures around price that adapt continuously.
Plotting modes
The indicator supports multiple visual styles depending on what you want to emphasize.
When only the midline is displayed, you get a pure kernel trend: a smooth regression-like curve that reacts to local structure while filtering noise, demonstrated here: This provides a clean read on direction and slope.
With full channels enabled, the behavior of the bands becomes visible. Standard deviation mode creates elastic boundaries that tighten during compressions and widen during turbulence, which you can see in the band-focused demonstration: This helps identify expansion events, volatility clusters, and breakouts.
ATR mode shifts interpretation from statistical variance to raw movement amplitude. This makes channels less sensitive to outliers and more consistent across trend phases, as shown in this ATR variation example: This mode is particularly useful for breakout systems and bar-range regimes.
Regime detection and bar coloring
The slope of the midline defines directional bias:
Up-slope → green
Down-slope → red
Flat → gray
A secondary regime filter compares close to the channel:
Trend Up Strong — close above upper band and midline rising.
Trend Down Strong — close below lower band and midline falling.
Trend Up Weak — close between midline and upper band with rising slope.
Trend Down Weak — close between lower band and midline with falling slope.
Compression mode — squeeze conditions.
Bar coloring is optional and can be toggled for cleaner charts.
Squeeze logic
The indicator includes non-standard squeeze detection based on relative width , defined as:
width / |midline|
This gives a dimensionless measure of how “tight” or “loose” the channel is, normalized for trend level.
A rolling window evaluates the percentile rank of current width relative to past behavior. If the width is in the lowest X% of its last N observations, the script flags a squeeze environment. This highlights compression regions that may precede breakouts or regime shifts.
Deviation highlighting
When using Kernel StdDev mode, you may enable deviation flags that highlight bars where price moves outside the channel:
Above upper band → bullish momentum overextension
Below lower band → bearish momentum overextension
This is turned off in ATR mode because ATR widths do not represent distributional variance.
Alerts included
Kernel Channel Long — midline turns up.
Kernel Channel Short — midline turns down.
Price Crossed Midline — crossover or crossunder of the midline.
Price Above Upper — early momentum expansion.
Price Below Lower — downward volatility expansion.
These help automate regime changes and breakout detection.
How to use it
Trend identification
The midline acts as a bias filter. Rising midline means trend strength upward, falling midline means downward behavior. The channel width contextualizes confidence.
Breakout anticipation
Kernel StdDev compressions highlight areas where price is coiling. Breakouts often follow narrow relative width. ATR mode provides structural expansion cues that are smooth and robust.
Mean reversion
StdDev mode is suitable for fade setups. Moves to outer bands during low volatility often revert to the midline.
Continuation logic
If price breaks above the upper band while midline is rising, the indicator flags strong directional expansion. Same logic for breakdowns on the lower band.
Volatility characterization
Kernel ATR maps raw bar movements and is excellent for identifying regime shifts in markets where variance is unstable.
Tuning guidance
For smoother long-term trend tracking
Larger window (150–300).
Moderate bandwidth (1.0–2.0).
Epanechnikov or Cosine kernel.
ATR mode for stable envelopes.
For swing trading / short-term structure
Window length around 50–100.
Bandwidth 0.6–1.2.
Triangular for speed, Laplacian for sharper reactions.
StdDev bands for precise volatility compression.
For breakout systems
Smaller bandwidth for sharp local detection.
ATR mode for stable envelopes.
Enable squeeze highlighting for identifying setups early.
For mean-reversion systems
Use StdDev bands.
Moderate window length.
Highlight deviations to locate overextended bars.
Settings overview
Kernel Settings
Source
Window Length
Bandwidth
Kernel Type (Epanechnikov, Triangular, Laplacian, Cosine)
Channel Width
Band Type (Kernel ATR or Kernel StdDev)
Band Multiplier
Visuals
Show Bands
Color Bars By Regime
Highlight Squeeze Periods
Highlight Deviation
Lookback and Percentile settings
Colors for uptrend, downtrend, squeeze, flat
Trading applications
Trend filtering — trade only in direction of the midline slope.
Breakout confirmation — expansion outside the bands while slope agrees.
Squeeze timing — compression periods often precede the next directional leg.
Volatility-aware stops — ATR mode makes channel edges suitable for adaptive stop placement.
Structural swing mapping — StdDev bands help locate midline pullbacks vs distributional extremes.
Bias rotation — bar coloring highlights when regime shifts occur.
Notes
The Kernel Channel is not a signal generator by itself, but a structural map. It helps classify trend direction, volatility environment, distribution shape, and compression cycles. Combine it with your entry and exit framework, risk parameters, and higher-timeframe confirmation.
It is designed to behave consistently across markets, to avoid the bluntness of classical averages, and to reveal subtle curvature in price that traditional channels miss. Adjust kernel type, bandwidth, and band source to match the noise profile of your instrument, then use squeeze logic and deviation highlighting to guide timing.
Grok/Claude Quantum Signal Pro * Grok/Claude X SeriesPro traders you are going to love this! Quantum Signal Pro is very much like the MoneyLine Fusion indicator but with a few additions. With Quantum Signal Pro you get a bullish/bearish Divergence indicator and signal filtering using a combination of RSI, Fisher Transform and the directional indicator ADX.
🎯 Key Features:
1. Dynamic ATR Bands with Smart Cloud
Adaptive bands that expand/contract with volatility
Color-coded cloud: 🟢 Green (uptrend) | 🔴 Red (downtrend) | 🟡 Yellow (neutral)
Basis line changes color to match market state
2. RSI Divergence Detection
Automatically spots bullish/bearish divergences
Bright cyan lines connect pivot points
Shows active divergences in info panel for 20 bars
Optional: Require divergence for signal confirmation
3. Triple-Filter Signal System
Signals trigger when ALL filters align:
✅ RSI (30/70 levels) - Oversold/Overbought
✅ Fisher Transform (±1.5) - Momentum exhaustion
✅ ADX (>20) - Trending market confirmation
Result: Fewer false signals, higher win rate!
4. Advanced Analytics Panel
Real-time 8-row display shows:
Fisher & RSI states with color coding
ATR status (Expanding/Contracting)
ADX trend strength (color-coded: white <15, orange 15-24, green >24)
DPO cycle position (±20% extremes highlighted)
Active divergence status
5. Detrended Price Oscillator (DPO)
Shows price deviation from detrended average:
>+20% = Lime (extreme overbought)
<-20% = Bright Red (extreme oversold)
Intensity-based color coding for all levels
🎨 Visual System:
Green = Bullish | Red = Bearish | Yellow = Neutral | Cyan = Divergences
Tiny arrows + price labels for clean chart
70% cloud opacity (visible but not obstructive)
📊 Trading Applications:
Trend Trading: Wait for colored cloud → pullback to bands → signal arrow
Reversal Trading: Divergence + extreme DPO → signal arrow confirmation
Range Trading: Yellow cloud → fade band extremes → exit on color change
🚨 Complete Alert System:
Signal alerts (Buy/Sell)
Setup building alerts (partial alignment)
Market state changes (Trending/Ranging)
Divergence detection (Bullish/Bearish)
💎 Why "Quantum"?
Multi-dimensional analysis: Price action + Momentum + Strength + Trend + Cycles + Divergence + Volatility = Complete trading system in one package!
🔗 Companion Indicator:
Fisher Momentum Bar - Separate pane histogram showing Fisher extremes without cluttering main chart
⚙️ Technical Specs:
Works on any timeframe (1m to 1M)
Max bars back: 5000
Stable table anchoring (no panning issues)
Pine Script v6
🎓 Pro Tips:
Divergence + DPO extreme = strongest reversal setups
Yellow cloud = wait for setup, don't force trades
ATR expanding = volatility breakout coming
ADX color tells you trend quality at a glance
If you loved MoneyLine Fusion's clarity, you'll love Quantum Signal Pro's intelligence and precision! 🚀
Part of the Grok/Claude X Series - Professional Trading Indicators
Ultimate Trend System — Flagship Full VersionUltimate Trend System — Flagship Full Version
The most complete intraday trend detection system, designed for traders who need fast and reliable directional signals.
🔥 Core Features
BUY / SELL / STOP signals
True Breakout Detection (high/low confirmation + volatility filter)
Fakeout Recognition (stop-hunt / liquidity sweep detection)
Dynamic Trend Strength Rating (0–3 stars, real-time updated)
SuperTrend + QQE + ATR + CHOP fusion model
Automatic Trend Background Coloring
Compact Info Panel (trend, momentum, volatility, regime)
Continuation-safe Pine v6 code (no line errors)
🚀 What This System Does
This indicator identifies:
The main trend direction
Trend strength
High-probability breakout zones
Areas to completely avoid trading
Fake breakouts caused by bots/liquidity sweeps
All signals update in real time and work extremely well for fast-moving assets such as Gold (MGC), Silver (SIL), Crude Oil, NASDAQ, and FX pairs.
⭐ Signal Logic
A BUY or SELL is triggered only when:
SuperTrend agrees
QQE momentum confirms
ATR expansion appears
Market regime (CHOP) allows trend following
This greatly filters noise and improves win rate.
📌 Ideal For
Scalpers (1m / 2m / 5m)
Intraday traders
Trend followers
Breakout traders
Ultimate Multi-Asset Correlation System by able eiei Ultimate Multi-Asset Correlation System - User Guide
Overview
This advanced TradingView indicator combines WaveTrend oscillator analysis with comprehensive multi-asset correlation tracking. It helps traders understand market relationships, identify regime changes, and spot high-probability trading opportunities across different asset classes.
Key Features
1. WaveTrend Oscillator
Main Signal Lines: WT1 (blue) and WT2 (red) plot momentum and its moving average
Overbought/Oversold Zones: Default levels at +60/-60
Cross Signals:
🟢 Bullish: WT1 crosses above WT2 in oversold territory
🔴 Bearish: WT1 crosses below WT2 in overbought territory
Higher Timeframe (HTF) Analysis: Shows WT1 from 4H, Daily, and Weekly timeframes for trend confirmation
2. Multi-Asset Correlation Tracking
Monitors relationships between:
Major Assets: Gold (XAUUSD), Dollar Index (DXY), US 10-Year Yield, S&P 500
Crypto Assets: Bitcoin, Ethereum, Solana, BNB
Cross-Asset Analysis: Correlation between traditional markets and crypto
3. Market Regime Detection
Automatically identifies market conditions:
Risk-On: High correlation + positive sentiment (🟢 Green background)
Risk-Off: High correlation + negative sentiment (🔴 Red background)
Crypto-Risk-On: Strong crypto correlations (🟠 Orange background)
Low-Correlation: Divergent market behavior (⚪ Gray background)
Neutral: Mixed signals (🟡 Yellow background)
How to Use
Basic Setup
Add to Chart: Apply the indicator to any chart (works on all timeframes)
Choose Display Mode (Display Options):
All: Shows everything (recommended for comprehensive analysis)
WaveTrend Only: Focus on momentum signals
Correlation Only: View market relationships
Heatmap Only: Simplified correlation view
Enable Asset Groups:
✅ Major Assets: Traditional markets (stocks, bonds, commodities)
✅ Crypto Assets: Digital currencies
Mix and match based on your trading focus
Reading the Charts
WaveTrend Section (Bottom Panel)
Above 0 = Bullish momentum
Below 0 = Bearish momentum
Above +60 = Overbought (potential reversal)
Below -60 = Oversold (potential bounce)
Lighter lines = Higher timeframe trends
Correlation Histogram (Colored Bars)
Blue bars: Major asset correlations
Orange bars: Crypto correlations
Purple bars: Cross-asset correlations
Bar height: Correlation strength (-50 to +50 scale)
Background Color
Intensity reflects correlation strength
Color shows market regime
Dashboard Elements
🎯 Market Regime Analysis (Top Left)
Current Regime: Overall market condition
Average Correlation: Strength of relationships (0-1 scale)
Risk Sentiment: -100% (risk-off) to +100% (risk-on)
HTF Alignment: Multi-timeframe trend agreement
Signal Quality: Confidence level for current signals
📊 Correlation Matrix (Top Right)
Shows correlation values between asset pairs:
1.00: Perfect positive correlation
0.75+: Strong correlation (🟢 Green)
0.50+: Medium correlation (🟡 Yellow)
0.25+: Weak correlation (🟠 Orange)
Below 0.25: Negative/no correlation (🔴 Red)
🔥 Correlation Heatmap (Bottom Right)
Visual matrix showing:
Gold vs. DXY, BTC, ETH
DXY vs. BTC, ETH
BTC vs. ETH
Color-coded strength
📈 Performance Tracker (Bottom Left)
Tracks individual asset momentum:
WT1 Values: Current momentum reading
Status: OB (overbought) / OS (oversold) / Normal
Trading Strategies
1. High-Probability Trend Following
✅ Entry Conditions:
WaveTrend bullish/bearish cross
HTF Alignment matches signal direction
Signal Quality > 70%
Correlation supports direction
2. Regime Change Trading
🎯 Watch for regime shifts:
Risk-Off → Risk-On = Consider long positions
High correlation → Low correlation = Reduce position size
Crypto-Risk-On = Focus on crypto longs
3. Divergence Trading
🔍 Look for:
Strong correlation breakdown = Potential volatility
Cross-asset correlation surge = Follow the leader
Volume-price correlation extremes = Trend confirmation
4. Overbought/Oversold Reversals
⚡ Trade reversals when:
WT crosses in extreme zones (-60/+60)
HTF alignment shows opposite trend weakening
Correlation confirms mean reversion setup
Customization Tips
Fine-Tuning Parameters
WaveTrend Core:
Channel Length (10): Lower = more sensitive, Higher = smoother
Average Length (21): Adjust for your timeframe
Correlation Settings:
Length (50): Longer = more stable, Shorter = more responsive
Smoothing (5): Reduce noise in correlation readings
Market Regime:
Risk-On Threshold (0.6): Lower = earlier regime signals
High Correlation Threshold (0.75): Adjust sensitivity
Custom Asset Selection
Replace default symbols with your preferred markets:
Major Assets: Any forex, indices, bonds
Crypto: Any digital currencies
Must use correct exchange prefix (e.g., BINANCE:BTCUSDT)
Alert System
Enable "Advanced Alerts" to receive notifications for:
✅ Market regime changes
✅ Correlation breakdowns/surges
✅ Strong signals with high correlation
✅ Extreme volume-price correlation
✅ Complete HTF alignment
Correlation Interpretation Guide
ValueMeaningTrading Implication+0.75 to +1.0Strong positiveAssets move together+0.5 to +0.75Moderate positiveGenerally aligned+0.25 to +0.5Weak positiveLoose relationship-0.25 to +0.25No correlationIndependent movements-0.5 to -0.25Weak negativeSlight inverse relationship-0.75 to -0.5Moderate negativeTend to move opposite-1.0 to -0.75Strong negativeStrongly inversely correlated
Best Practices
Use Multiple Timeframes: Check HTF alignment before trading
Confirm with Correlation: Strong signals work best with supportive correlations
Watch Regime Changes: Adjust strategy based on market conditions
Volume Matters: Enable volume-price correlation for confirmation
Quality Over Quantity: Trade only high-quality setups (>70% signal quality)
Common Patterns to Watch
🔵 Risk-On Environment:
Gold-BTC positive correlation
DXY negative correlation with risk assets
High crypto correlations
🔴 Risk-Off Environment:
Flight to safety (Gold up, stocks down)
DXY strength
Correlation breakdowns
🟡 Transition Periods:
Low correlation across assets
Mixed HTF signals
Use caution, reduce position sizes
Technical Notes
Calculation Period: Uses HLC3 (average of high, low, close)
Correlation Window: Rolling correlation over specified length
HTF Data: Accurately calculated using security() function
Performance: Optimized for real-time calculation on all timeframes
Support
For optimal performance:
Use on 15-minute to daily timeframes
Enable only needed asset groups
Adjust correlation length based on trading style
Combine with your existing strategy for confirmation
Enjoy comprehensive multi-asset analysis! 🚀
EDU PRO LITE – Divergence + Fake Breakout + CandleThis indicator is created for educational purposes only. It displays EMA, RSI, and the previous day’s high/low to help users understand market trends and price movement. This script does not provide any trading signals, buy/sell recommendations, or entry indications. All trading decisions are entirely outside the scope of this indicator.”
SUMA Fib Channels with JMA Ribbon TrendlinesI made this indicator because I was tired of drawing the lines everyday and adding fib lines, so I wanted to automated my daily process so I can be more productive,
-The Green Yellow and red line on the right side of the indicator are the Fib Regression
- The Green top of the line/sell the premium, wait for the price to fully stop and retest this area before you sell (double top or M pattern)
- Yellow is the 0.618 Possibly reversal and in most cases a highly likely area for price to comeback to this point.
- The Red/Buy price is at discount, Wait for the price to fully stop and retest this area before buying (double bottom or W pattern)
The channels lines are easy to read and self explanatory
- Price Above green lines or channel = bullish (always wait for retest and to break above resistance line (lines above price))
- Price Below red lines or channel = Bearish (always wait for retest and to break below support line (lines below price))
Orderbook Table1. Indicator Name
Orderbook Table
This is an order book style trading volume map
that upgraded the price from my first script to label
2. One-line Introduction
A visual heatmap-style orderbook simulator that displays volume and delta clustering across price levels.
3. Overall Description
Orderbook Table is a powerful visual tool designed to replicate an on-chart approximation of a traditional order book.
It scans historical candles within a specified lookback window and accumulates traded volume into price "bins" or levels.
Each level is color-coded based on total volume and directional bias (delta), offering a layered view of where market interest was concentrated.
The indicator approximates order flow by analyzing each candle's directional volume, separating bullish and bearish volume.
With adjustable parameters such as level depth, price bin density, delta sensitivity, and opacity, it provides a highly customizable visualization.
Displayed directly on the chart, each level shows the volume at that price zone, along with a price label, offset to the right of the current bar.
Traders can use this tool to detect high liquidity zones, support/resistance clusters, and volume imbalances that may precede future price movements.
4. Key Benefits (Title + Description)
✅ On-Chart Volume Heatmap
Shows volume distribution across price levels in real-time directly on the price chart, creating a live “orderbook” view.
✅ Delta-Based Bias Coloring
Color changes based on net buying/selling pressure (delta), making aggressive demand/supply zones easy to spot.
✅ High Customizability
Users can adjust lookback bars, price bins, opacity levels, and delta usage to fit any market condition or asset class.
✅ Lightweight Simulation
Approximates orderbook depth using candle data without needing L2 feed access—works on all assets and timeframes.
✅ Clear Visual Anchoring
Volume quantities and price levels are offset to the right for easy viewing without cluttering the active chart area.
✅ Fast Market Context Recognition
Quickly identify price levels where volume concentrated historically, improving decision-making for entries/exits.
5. Indicator User Guide
📌 Basic Concept
Orderbook Table analyzes a configurable number of past bars and distributes traded volume into price "bins."
Each bin shows how much volume occurred around that price level, optionally adjusted for bullish/bearish candle direction.
⚙️ Settings Overview
Lookback Bars: Number of candles to scan for volume history
Levels (Total): Number of price levels to display around the current price
Price Bins: Granularity of price segmentation for volume distribution
Shift Right: How far to offset labels to the right of the current bar
Max/Min Opacity: Controls visual strength of volume coloring
Use Candle Delta Approx.: If enabled, colors the volume based on candle direction (green for up, red for down)
📈 Example Timing
Look for green clusters (bullish bias) below current price → possible strong demand zones
Price enters a high-volume level with previously aggressive buyers (green), suggesting support
📉 Example Timing
Red clusters (bearish bias) above current price can act as resistance or supply zones
Price stalling at a red-heavy volume band may indicate exhaustion or reversal opportunity
🧪 Recommended Use
Use as a support/resistance mapping tool in ranging and trending markets
Pair with candlestick analysis or momentum indicators for refined entry/exit points
Combine with VWAP or volume profile for multi-dimensional volume insight
🔒 Cautions
This is an approximation, not a true L2 orderbook—volume is based on historical candles, not actual limit order data
In low-volume markets or higher timeframes, bin granularity may be too coarse—adjust "Price Bins" accordingly
Delta calculation is based on open-close direction and does not reflect true buy/sell volume splits
Avoid overinterpreting low-opacity (light color) zones—they may indicate low interest rather than true resistance/support
+++
PTP V3A setup using EMAs (Exponential Moving Averages) and various indicators ('Chiches' or 'Gadgets') which combines RSI and Fibonacci retracement after a drop to signal entries. It also marks trend zones based on the crosses of the 200 EMA, 42 EMA, and 10 WMA
OPEN/CLOSE RANGES (Cartoon_Futures)OPEN AND CLOSE INDICATOR, as well as SESSION OPEN/CLOSE
warning i am not a professional coder.
DOES NOT integrate lower time frame charts. So if you have it on 15min chart, you get 15min ranges, if you are 1min chart, the ranges are adjustable by the 1min. hopefully a new rev coming soon that fixes this
also provides the futures Halfgap pivot 50% of NY open and previous close
works with adjustable ranges.
NW Envelope + Hull Safe & Professional:No repainting — everything uses (previous closed bar)
Signals only appear after bar close
Built-in cooldown (10 bars) to avoid spam
Loud customizable sound alerts that actually play
Works perfectly on all timeframes (especially 15m, 1h, 4h)
Bollinger Band with Clouds, MA, and Selectable Buy/Sell AlertsBollinger Bands + Clouds + Multi-TF Signals — All in One Open-Source Indicator
This open-source indicator combines multiple technical tools into a single, flexible charting solution — giving traders clear context and the ability to customize or build upon the code. Perfect for intraday, swing, or longer-term analysis.
What it includes:
NMA (Normalized Moving Average): Adaptive, multi-length moving average for trend visualization.
VWAP: Volume-weighted average price for intraday anchoring.
Bollinger Bands: Customizable upper/lower bands with baseline and fill, providing dynamic volatility context.
Hull Moving Average + Kalman Filter: Smoothed trend detection with optional buy/sell shapes on crossovers.
Multi-Timeframe EMAs: Short, medium, and long-term EMAs from multiple timeframes, all in one view.
RSI & ATR: Optional visibility to track momentum and volatility.
Customizable Colors & Transparency: Every line, fill, and shape can be adjusted independently.
Selectable Buy/Sell Alerts: Configurable shapes and TradingView alert conditions for strategy observation.
Why you’ll love it:
Fully open-source: inspect, modify, and adapt the code for your own analysis.
Clean, informative visualizations that consolidate multiple indicators without cluttering your chart.
Flexible for intraday, swing, or longer-term timeframes.
Team Player Friendly:
This script is intentionally published as open-source to support the TradingView community. All code is fully visible — no proprietary sections — so anyone can learn from, modify, and contribute to the indicator.
Disclaimer:
This indicator is for informational purposes only. It does not constitute financial, trading, or investment advice. Users should conduct their own analysis before making trading decisions.
Supply and Demand Trading Zones (Miller Concept)Pine Script base on the concept of frank miller
The Concept of Supply and Demand Trading
The specific trading strategy discussed in the Frank Miller book, "Supply and Demand Trading," is based on the fundamental economic principle:
Demand Zone: An area on a price chart where buyers are dominant and are likely to enter the market, causing the price to rise. Traders look to buy in this zone.
Supply Zone: An area on a price chart where sellers are dominant and are likely to enter the market, causing the price to fall. Traders look to sell in this zone.
The strategy involves identifying these "zones" to predict high-probability entry and exit points for a trade.
Filter Wave1. Indicator Name
Filter Wave
2. One-line Introduction
A visually enhanced trend strength indicator that uses linear regression scoring to render smoothed, color-shifting waves synced to price action.
3. General Overview
Filter Wave+ is a trend analysis tool designed to provide an intuitive and visually dynamic representation of market momentum.
It uses a pairwise comparison algorithm on linear regression values over a lookback period to determine whether price action is consistently moving upward or downward.
The result is a trend score, which is normalized and translated into a color-coded wave that floats above or below the current price. The wave's opacity increases with trend strength, giving a visual cue for confidence in the trend.
The wave itself is not a raw line—it goes through a three-stage smoothing process, producing a natural, flowing curve that is aesthetically aligned with price movement.
This makes it ideal for traders who need a quick visual context before acting on signals from other tools.
While Filter Wave+ does not generate buy/sell signals directly, its secure and efficient design allows it to serve as a high-confidence trend filter in any trading system.
4. Key Advantages
🌊 Smooth, Dynamic Wave Output
3-stage smoothed curves give clean, flowing visual feedback on market conditions.
🎨 Trend Strength Visualized by Color Intensity
Stronger trends appear with more solid coloring, while weak/neutral trends fade visually.
🔍 Quantitative Trend Detection
Linear regression ordering delivers precise, math-based trend scoring for confidence assessment.
📊 Price-Synced Floating Wave
Wave is dynamically positioned based on ATR and price to align naturally with market structure.
🧩 Compatible with Any Strategy
No conflicting signals—Filter Wave+ serves as a directional overlay that enhances clarity.
🔒 Secure Core Logic
Core algorithm is lightweight and secure, with minimal code exposure and strong encapsulation.
📘 Indicator User Guide
📌 Basic Concept
Filter Wave+ calculates trend direction and intensity using linear regression alignment over time.
The resulting wave is rendered as a smoothed curve, colored based on trend direction (green for up, red for down, gray for neutral), and adjusted in transparency to reflect trend strength.
This allows for fast trend interpretation without overwhelming the chart with signals.
⚙️ Settings Explained
Lookback Period: Number of bars used for pairwise regression comparisons (higher = smoother detection)
Range Tolerance (%): Threshold to qualify as an up/down trend (lower = more sensitive)
Regression Source: The price input used in regression calculation (default: close)
Linear Regression Length: The period used for the core regression line
Bull/Bear Color: Customize the color for bullish and bearish waves
📈 Timing Example
Wave color changes to green and becomes more visible (less transparent)
Wave floats above price and aligns with an uptrend
Use as trend confirmation when other signals are present
📉 Timing Example
Wave shifts to red and darkens, floating below the price
Regression direction down; price continues beneath the wave
Acts as bearish confirmation for short trades or risk-off positioning
🧪 Recommended Use Cases
Use as a trend confidence overlay on your existing strategies
Especially useful in swing trading for detecting and confirming dominant market direction
Combine with RSI, MACD, or price action for high-accuracy setups
🔒 Precautions
This is not a signal generator—intended as a trend filter or directional guide
May respond slightly slower in volatile reversals; pair with responsive indicators
Wave position is influenced by ATR and price but does not represent exact entry/exit levels
Parameter optimization is recommended based on asset class and timeframe
Filter Volume1. Indicator Name
Filter Volume
2. One-line Introduction
A regression-based trend filter that quantifies and visualizes market direction and strength using price behavior.
3. Overall Description
Filter Volume+ is a trend-detection indicator that uses linear regression to evaluate the dominant direction of price movement over a given period.
It compares historical regression values to determine whether the market is in a bullish, bearish, or neutral state.
The indicator applies a percentage threshold to filter out weak or indecisive trends, highlighting only significant movements.
Each trend state is visualized through distinct colors: bullish (greenish), bearish (reddish), and neutral (gray), with intensity reflecting trend strength.
To reduce noise and create smooth visual signals, a three-step smoothing process is applied to the raw trend intensity.
Users can customize the regression source, lookback period, and sensitivity, allowing the indicator to adapt to various assets and timeframes.
This tool is especially useful in filtering entry signals based on clear directional bias, making it suitable for trend-following or confirmation strategies.
4. Key Benefits (Title + Description)
✅ Quantified Trend Strength
Only displays trend signals when a statistically significant direction is detected using linear regression comparisons.
✅ Visual Clarity with Color Coding
Each market state (bullish, bearish, neutral) is represented with distinct colors and transparency, enabling fast interpretation.
✅ Custom Regression Source
Users can define the data input (e.g., close, open, indicator output) for regression calculation, increasing strategic flexibility.
✅ Multi-Level Smoothing
Applies three layers of smoothing (via moving averages) to eliminate noise and produce a stable, flowing trend curve.
✅ Area Fill Visualization
Plots a colored band between the trend value and zero-line, helping users quickly gauge the market's dominant force.
✅ Adjustable Sensitivity Settings
Includes tolerance and lookback controls, allowing traders to fine-tune how reactive or conservative the trend detection should be.
5. Indicator User Guide
📌 Basic Concept
Filter Volume+ assesses the direction of price by comparing regression values over a selected period.
If the percentage of upward comparisons exceeds a threshold, a bullish state is shown; if downward comparisons dominate, it shows a bearish state.
⚙️ Settings Overview
Lookback Period (n): The number of bars to compare for trend analysis
Range Tolerance (%): Minimum threshold for declaring a strong trend
Regression Source: The data used for regression (e.g., close, open)
Linear Regression Length: Number of bars used to compute each regression value
Bull/Bear Color: Custom colors for bullish and bearish trends
📈 Example Timing
When the trend line stays above zero and the green color intensity increases → trend gaining strength
After a neutral phase (gray), the color shifts quickly to greenish → early trend reversal
📉 Example Timing
When the trend line stays below zero with deepening red color → strong bearish continuation
Sudden change from bullish to bearish color with rising intensity
🧪 Recommended Use
Use as a trend confirmation filter alongside entry/exit strategies
Ideal for swing or position trades in trending markets
Combine with oscillators like RSI or MACD for improved signal validation
🔒 Cautions
In ranging (sideways) markets, the color may change frequently – avoid relying solely on this indicator in those zones.
Low-intensity colors (faded) suggest weak trends – better to stay on the sidelines.
A short lookback period may cause over-sensitivity and false signals.
When using non-price regression sources, expect the indicator to behave differently – test before deploying.
+++
bows//@version=5
indicator("NQ EMA+RSI+ATR Alerts with SL/TP", overlay=true, shorttitle="NQ Alerts SLTP")
// === Inputs ===a
fastLen = input.int(9, "Fast EMA", minval=1)
slowLen = input.int(21, "Slow EMA", minval=1)
rsiLen = input.int(14, "RSI Length", minval=1)
rsiLongMax = input.int(70, "Max RSI to allow LONG", minval=50, maxval=90)
rsiShortMin = input.int(30, "Min RSI to allow SHORT", minval=10, maxval=50)
atrLen = input.int(14, "ATR Length", minval=1)
atrMultSL = input.float(1.5, "ATR Stop-Loss Multiplier", step=0.1)
atrMultTP = input.float(2.5, "ATR Take-Profit Multiplier", step=0.1)
// === Indicator calculations ===
price = close
fastEMA = ta.ema(price, fastLen)
slowEMA = ta.ema(price, slowLen)
rsiVal = ta.rsi(price, rsiLen)
atr = ta.atr(atrLen)
// === Entry signals ===
longSignal = ta.crossover(fastEMA, slowEMA) and rsiVal < rsiLongMax
shortSignal = ta.crossunder(fastEMA, slowEMA) and rsiVal > rsiShortMin
// === SL/TP Levels ===
longSL = price - atr * atrMultSL
longTP = price + atr * atrMultTP
shortSL = price + atr * atrMultSL
shortTP = price - atr * atrMultTP
// === Plotting ===
plot(fastEMA, color=color.orange, title="Fast EMA")
plot(slowEMA, color=color.blue, title="Slow EMA")
plotshape(longSignal, title="Buy Signal", style=shape.triangleup, color=color.new(color.green, 0), location=location.belowbar, size=size.tiny)
plotshape(shortSignal, title="Sell Signal", style=shape.triangledown, color=color.new(color.red, 0), location=location.abovebar, size=size.tiny)
// Optional visualization of SL/TP
plot(longSignal ? longSL : na, "Long Stop-Loss", color=color.new(color.red, 50), style=plot.style_linebr)
plot(longSignal ? longTP : na, "Long Take-Profit", color=color.new(color.green, 50), style=plot.style_linebr)
plot(shortSignal ? shortSL : na, "Short Stop-Loss", color=color.new(color.red, 50), style=plot.style_linebr)
plot(shortSignal ? shortTP : na, "Short Take-Profit", color=color.new(color.green, 50), style=plot.style_linebr)
// === Alerts with SL/TP info ===
alertcondition(longSignal, title="BUY Signal",
message="BUY Alert — NQ LONG: Entry @ {{close}} | SL: {{plot_1}} | TP: {{plot_2}} | {{ticker}}")
alertcondition(shortSignal, title="SELL Signal",
message="SELL Alert — NQ SHORT: Entry @ {{close}} | SL: {{plot_3}} | TP: {{plot_4}} | {{ticker}}")
// === Visual labels ===
if (longSignal)
label.new(bar_index, low, "BUY SL: " + str.tostring(longSL, format.mintick) + " TP: " + str.tostring(longTP, format.mintick),
style=label.style_label_up, color=color.new(#be14c4, 0), textcolor=color.white)
if (shortSignal)
label.new(bar_index, high, "SELL SL: " + str.tostring(shortSL, format.mintick) + " TP: " + str.tostring(shortTP, format.mintick),
style=label.style_label_down, color=color.new(color.red, 0), textcolor=color.white)
ORB 15min: Break & ConfirmUsing the 15-minute opening candle range, this generates an alert when a 5-minute candle breaks the range and another 5-minute candle closes above the breakout candle's high or the high of any other candle that attempted to break the range.
H1 Pro Neon SignalsFull Description:
H1 Pro Regression Channel + Levels + RSI + Signals + Colored Gaps + Divergence Table + Liquidity Filter (NEON UI)
This advanced TradingView indicator combines multiple powerful tools for intraday and swing traders into a single, visually intuitive dashboard:
Features:
Regression Channel (H1): Auto-calculated upper, middle, and lower channels with smooth deviation bands.
Strong Levels: Detects high-probability support and resistance zones with liquidity filtering (volume & candle body).
RSI + Divergence: Highlights bullish and bearish divergences with pivot-based confirmation.
EMA Trend Confirmation: EMA50 and EMA200 plotted for trend bias.
Neon Signals & Table: Visual buy/sell signals with % participation, total volume, quantity, RSI, and divergence in a neon-styled table.
Liquidity Filters: Optional volume and candle body filters for stronger signal validation.
Colored Gaps & Highlights: Neon-colored lines and zones for instant visual clarity.
Settings: Fully customizable regression window, pivot strength, distance filters, EMA lengths, volume multipliers, and more.
Ideal for traders looking for a consolidated view of trend, momentum, support/resistance, divergence, and liquidity-based entries, all presented in a futuristic neon UI.
EMA CloudSimple EMA cloud using a fast, a slow and an optinal middle EMA.
It has EMA, EMA cloud and candle coloring depending on whether it's a downtrend or an uptrend.
It has a dashboard also with 4 customizable time frames that tells you if they are bullish or bearish and tells you the strength of the trend for the timeframe you are viewing.
CL INVENTORY (Cartoon_Futures)Tracks the 30min range on the weekly inventory news
Designed for 30min chart and under.
Grok/Claude Quantum Signal Pro V2 * Grok/Clause X Series📊 Quantum Signal Pro+ Enhanced - Complete Guide
🎯 What This Script Does
This is an advanced momentum reversal trading system that combines multiple technical filters to identify high-probability buy and sell signals. It's designed to catch market reversals at extreme oversold/overbought levels while avoiding choppy, low-conviction trades.
🔍 Buy/Sell Signal Logic
BUY SIGNAL (Long Entry)
A BUY signal triggers when ALL core conditions are met:
Core Requirements (Always Required):
ADX Trending - Market must be trending (ADX > 20 by default)
RSI Oversold - RSI below 30 (extreme selling)
Fisher Oversold - Fisher Transform below -2.0 (momentum exhaustion)
Optional Filters (Can be toggled ON/OFF):
EMA Trend Alignment - Price must be above 50 EMA (uptrend confirmation)
Volume Surge - Volume must be 1.5x above average (strong participation)
Divergence Confirmation - Regular or Hidden bullish divergence detected
Signal Philosophy: Wait for extreme oversold conditions in a trending market, then enter when momentum exhausts.
SELL SIGNAL (Short Entry)
A SELL signal triggers when ALL core conditions are met:
Core Requirements (Always Required):
ADX Trending - Market must be trending (ADX > 20)
RSI Overbought - RSI above 70 (extreme buying)
Fisher Overbought - Fisher Transform above 2.0 (momentum exhaustion)
Optional Filters (Can be toggled ON/OFF):
EMA Trend Alignment - Price must be below 50 EMA (downtrend confirmation)
Volume Surge - Volume must be 1.5x above average
Divergence Confirmation - Regular or Hidden bearish divergence detected
Signal Philosophy: Wait for extreme overbought conditions in a trending market, then enter when momentum exhausts.
🛠️ Key Settings Explained
Dynamic Bands Settings
Basis Type: EMA (faster) or SMA (smoother)
Basis Length: 20 (default) - The midline
ATR Period: 14 - Volatility measurement window
ATR Multiplier: 2.5 - Band width (higher = wider bands)
Adaptive Band Width: ON - Bands widen in trending markets (ADX-based)
💡 Tip: Keep ATR multiplier at 2.5-3.0 for most markets. Lower values (1.5-2.0) for ranging markets.
Signal Filters (The Brain)
Fisher Transform
Period: 10 bars
Overbought: +2.0
Oversold: -2.0
More sensitive than RSI, catches momentum shifts faster
RSI (Relative Strength Index)
Period: 14 bars
Oversold: 30
Overbought: 70
Classic momentum indicator
ADX (Trend Strength)
Length: 14
Threshold: 20
Purpose: Filters out choppy/ranging markets
ADX < 20 = Ranging (no signals)
ADX > 20 = Trending (signals allowed)
💡 Critical Tip: ADX is your signal quality filter. Raise threshold to 25-30 for cleaner signals in volatile markets.
EMA Trend Filter (Optional - OFF by default)
Period: 50 bars
When ON: Only buys above EMA, only sells below EMA
Use case: Strong trending markets
💡 Tip: Turn this ON in strong trends, leave OFF in choppy markets for more signals.
Volume Filter (Optional - OFF by default)
Average Period: 20 bars
Surge Multiplier: 1.5x
When ON: Requires volume spike for signal confirmation
Use case: High-volume breakouts
💡 Tip: Enable this for crypto/stocks, disable for forex (lower volume reliability).
RSI Divergence Detection (Advanced)
Regular Divergences (Reversal Signals)
Regular Bullish: Price makes lower low, RSI makes higher low → Reversal UP
Regular Bearish: Price makes higher high, RSI makes lower high → Reversal DOWN
Line Color: Bright Light Blue (#00D9FF) - Solid lines
Meaning: Momentum is weakening, trend may reverse
Hidden Divergences (Continuation Signals)
Hidden Bullish: Price makes higher low, RSI makes lower low → Uptrend continues
Hidden Bearish: Price makes lower high, RSI makes higher high → Downtrend continues
Line Color: Purple (#9D4EDD) - Dashed lines
Meaning: Trend is healthy, expect continuation
Divergence Settings:
Pivot Lookback: 5 left, 5 right (sensitivity)
Max Lookback: 60 bars (how far back to compare)
Require Divergence: OFF by default (optional extra filter)
💡 Tip: Regular divergences are more reliable for reversals. Hidden divergences are great for trend-following entries.
📈 Visual Elements
Dynamic Bands (Envelope System)
Upper Band: Red line (resistance)
Lower Band: Green line (support)
Basis Line: Middle line (changes color with trend)
Green = Uptrend
Red = Downtrend
Yellow = Neutral
Cloud Fill: Shows trend strength
Green cloud = Bullish momentum
Red cloud = Bearish momentum
Info Panel (Top Right)
Displays real-time status of all indicators:
Fisher State (OVERSOLD/OVERBOUGHT/NEUTRAL)
RSI value
Volume status (SURGE/NORMAL)
ATR state (EXPANDING/CONTRACTING)
ADX value (color-coded: gray<15, orange 15-24, green>24)
Trend direction
DPO % (cycle position)
Regular Divergence status
Hidden Divergence status
💡 Tip: Watch the panel! When ADX turns green (>25) and RSI hits oversold/overbought, prepare for signals.
💡 Usage Tips & Best Practices
For Beginners:
Start with default settings - They work well across most markets
Keep ALL optional filters OFF initially - Get more signals to learn
Focus on ADX - Only trade when ADX > 20 (trending markets)
Use 15m-1H timeframes for day trading
Use 4H-Daily for swing trading
For Intermediate Traders:
Enable EMA Trend Filter - Cleaner signals in strong trends
Raise ADX threshold to 25 - Higher quality setups
Watch divergences - They add conviction to signals
Combine timeframes - Check 1H signals on 5m chart for entries
Adjust RSI levels for volatility:
Crypto: RSI 25/75 (more extreme)
Forex: RSI 30/70 (default)
Stocks: RSI 30/70 (default)
For Advanced Traders:
Enable Volume Filter for breakout confirmation
Enable "Require Divergence" for ultra-selective signals
Raise ADX threshold to 30 for only the strongest trends
Customize Fisher levels:
Aggressive: ±1.5
Conservative: ±2.5
Use multiple timeframes:
Check Daily for trend
Trade 1H signals
Enter on 15m pullbacks
Market-Specific Settings:
Crypto (High Volatility):
ATR Multiplier: 3.0-3.5
RSI: 25/75
ADX: 25
Volume Filter: ON
Forex (Trending):
ATR Multiplier: 2.5
RSI: 30/70
ADX: 20
EMA Filter: ON
Stocks (Balanced):
ATR Multiplier: 2.5
RSI: 30/70
ADX: 20
Volume Filter: ON (for breakouts)
Ranging Markets:
ATR Multiplier: 2.0
ADX: Keep at 20 but expect fewer signals
Disable EMA Filter
Focus on divergences
⚠️ Important Notes
What This Script Does Well:
✅ Catches momentum exhaustion reversals
✅ Filters out choppy, low-conviction trades
✅ Combines multiple confirmations
✅ Visual divergence detection
✅ Adaptive to market volatility
What This Script Doesn't Do:
❌ Predict the future (no indicator does)
❌ Work well in sideways/ranging markets (use ADX filter)
❌ Provide stop loss/take profit levels (you must decide)
❌ Guarantee profits (always use proper risk management)
Risk Management Tips:
Always use stop losses - Suggested: 1-1.5x ATR below entry
Position sizing - Risk 1-2% per trade maximum
Take profits - Consider 2-3x ATR targets
Don't force trades - Wait for all conditions to align
Avoid news events - Signals can fail during major news
🎯 Quick Setup Guide
Conservative Setup (Fewer, Higher Quality Signals):
ADX Threshold: 25-30
Enable: EMA Trend Filter
Enable: Volume Filter
Keep: Divergence optional
Balanced Setup (Default - Recommended):
ADX Threshold: 20
Disable: All optional filters
Let core logic work
Aggressive Setup (More Signals):
ADX Threshold: 15-18
Disable: All optional filters
Lower RSI thresholds: 35/65
📊 Alert System
The script includes comprehensive alerts:
🟢 BUY Signal - All conditions met
🔴 SELL Signal - All conditions met
⚠️ Setup Building - 4/5 conditions met (early warning)
📈 Market Trending - ADX crosses above threshold
📊 Market Ranging - ADX drops below threshold
💚 Regular Bullish Divergence - Reversal signal UP
❤️ Regular Bearish Divergence - Reversal signal DOWN
💙 Hidden Bullish Divergence - Uptrend continuation
💜 Hidden Bearish Divergence - Downtrend continuation
💡 Tip: Set up "Setup Building" alerts to prepare for signals before they trigger!
🏆 Pro Strategies
The Divergence Entry: Wait for regular divergence + signal arrow
The Trend Rider: Enable EMA filter, only trade with trend
The Breakout Hunter: Enable volume filter for explosive moves
The Patient Sniper: Enable ALL filters, take only perfect setups
Remember: The best traders wait for high-quality setups. Quality > Quantity! 🎯






















