Turttle_Dalmata Indicator v10📘 Turttle_Dalmata Indicator – Overview
The Turttle_Dalmata v10 is a proprietary trading indicator engineered for high-precision intraday scalping and trend breakout validation. It combines real-time price action, volume dynamics, and multi-timeframe confluence to generate high-quality entry signals while filtering out noise and chop.
⸻
🧠 What It Does
• Dynamically scores market conditions using a multi-layered confluence engine
• Detects trend-aligned breakout setups, fair value gaps, and volume surges
• Uses a session-anchored VWAP to keep entries near equilibrium
• Implements advanced filtering logic to avoid signals during overextended or sideways conditions
• Includes intelligent signal throttling to prevent back-to-back entries in choppy markets
⸻
🎯 Why It Works
• Filters out low-conviction moves and extended breakouts that often lead to reversals
• Waits for structure-confirmed and volume-backed price breaks
• Avoids false signals by enforcing cooldown windows and signal cycle rotation
⸻
🧠 Core Features
• 🔟 Confluence Scoring System: Combines EMA trend, RSI strength, volume spikes, break of structure, fair value gaps, CVC momentum, and more.
• 🟣 Market Cipher-Style VWAP: Uses a daily session VWAP anchored at 00:00 UTC for equilibrium-based trade filters.
• 🧮 Custom Signal Filtering:
• ✅ VWAP max distance filter – blocks trades too far from VWAP (mean reversion bias)
• ✅ Cooldown system – blocks signals if another signal happened in the last X bars (default: 5)
• ✅ EMA velocity – detects acceleration during breakouts
• 🔁 Signal Lock Logic: Prevents same-side signals from repeating until an opposite signal occurs.
📈 How It Looks
• 🔼 Green triangles for high-probability long entries
• 🔽 Red triangles for high-probability short entries
• Clean visual overlays: session VWAP and EMA for trend tracking
⸻
✅ Optimized For
• 1-minute and 2-minute charts
• Crypto and futures markets
• Traders who value signal quality over quantity
Volume
BT Bar - 1.0 BTBar Description
BTBar is a visual script designed to identify and highlight candles with abnormally high volume, making it easier for traders to spot pressure imbalances and key price areas during live market action.
🔍 The script compares the current candle’s volume to the previous one, and highlights candles that exceed specific percentage thresholds (customizable by the user) using distinct colors.
Rather than relying on generic trend or scalping strategies, BTBar is based on relative volume intensity detection — a concept rooted in order flow analysis — to help traders identify:
Candles with unusual volume spikes (possible absorption or exhaustion),
Medium/high volume continuation signals,
Areas where price might reverse or accelerate.
🛠️ It also offers the option to automatically draw horizontal lines from the open of the highest-volume candles, helping traders track potential institutional decision levels throughout the day.
⚙️ How to use:
Apply BTBar to a clean chart.
Customize the volume threshold levels (e.g., 300%, 400%, etc.).
Watch for highlighted candles — these indicate moments when volume significantly broke previous levels, marking potential points of interest or behavior shifts.
Use the optional horizontal lines as visual support/resistance levels derived from volume extremes.
🧠 Underlying concept:
BTBar uses a percentage-based volume comparison approach, inspired by techniques in footprint charts and volume spike detection.
This allows traders to visually spot key market reactions without relying on numeric overload or complex setups.
PrismWMA (Rolling)# PrismWMA (Rolling)
Overview
PrismWMA computes rolling VWMA, TWMA and TrueWMA over a fixed lookback window, then plots dynamic volatility bands around each. It’s the rolling-window counterpart to PrismWAP’s anchored spans, giving you per-bar, up-to-date average levels and band excursions.
How It Works
Every bar, PrismWMA:
• Calculates VWMA, TWMA and TrueWMA over the last wmaWindowLen bars.
• Computes your chosen volatility measure (Std Dev, MAD, ATR-scaled) or Percent of WMA over volWindowLen bars.
• Draws upper/lower bands as ±mult × volatility (or ±mult % of the WMA in Percent mode).
Inputs
Settings/Default/Description
WMA Lookback (bars)/50/Number of bars for rolling WMA
Volatility Measure/Std Dev/Band width method: Std Dev, MAD, ATR (scaled), or Percent of WMA
Volatility Lookback (bars)/50/Number of bars used to compute rolling volatility
Band Multiplier (or %)/3.0/Multiplier for band width (or percent of WMA in Percent mode)
Scale MAD to σ/true/When MAD is selected, scale by √(π/2) so it aligns with σ
Display
• Show VWMA true
• Show TWMA true
• Show TrueWMA true
• Show VBands false
• Show TBands false
• Show TrueBands true
References:
1. TrueWMA Description
## 1. TrueWMA: Volatility-Weighted Price Averaging
What Is TrueWMA?
TrueWMA weights each bar’s TrueMid (TrueRange midpoint) by its TrueRange, so high-volatility bars carry more influence. It blends price level and volatility into one moving average
Pseudocode
// TWMA Example for Comparison
window_size = 50
OHLC = (Open + High + Low + Close) / 4
TWMA = MA(OHLC, window_size)
// VWMA Example for Comparison
window_size = 50
HLC3 = (High + Low + Close) / 3
VWMA = Sum(HLC3 * Volume, window_size) / Sum(Volume, window_size)
// TrueWMA (Rolling)
window_size = 50
max_val = Maximum(Close , High)
min_val = Minimum(Close , Low)
true_mid = (max_val + min_val) / 2
TrueWMA = Sum(true_mid * TrueRange, window_size) / Sum(TrueRange, window_size)
Interpretation
For each bar, Rolling TrueWMA:
• Computes a TrueMid (“contextual midpoint”) from the prior close and the current bar’s high/low.
• Weights each TrueMid by that bar’s TrueRange.
• Divides the sum of those weighted midpoints by the total TrueRange over the lookback window.
The result is a single series that dynamically blends price levels with recent volatility.
RSI WMA VWMA Divergence Indicator// This Pine Script® code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © Kenndjk
//@version=6
indicator(title="RSI WMA VWMA Divergence Indicator", shorttitle="Kenndjk", format=format.price, precision=2)
oscType = input.string("RSI", "Oscillator Type", options = , group="General Settings")
// RSI Settings
rsiGroup = "RSI Settings"
rsiLengthInput = input.int(14, minval=1, title="RSI Length", group=rsiGroup)
rsiSourceInput = input.source(close, "Source", group=rsiGroup)
// WMA VWMA
wmaLength = input.int(9, "WMA Length", minval=1, group="WMA Settings")
vwmaLength = input.int(3, "VWMA Length", minval=1, group="WMA Settings")
wma = ta.wma(close, wmaLength)
vwma = ta.vwma(close, vwmaLength)
useVWMA = input.bool(true, "Use VWMA for Divergence (when WMA + VWMA mode)", group="WMA Settings")
// Oscillator selection
rsi = ta.rsi(rsiSourceInput, rsiLengthInput) // Calculate RSI always, but use conditionally
osc = oscType == "RSI" ? rsi : useVWMA ? vwma : wma
// RSI plots (conditional)
isRSI = oscType == "RSI"
rsiPlot = plot(isRSI ? rsi : na, "RSI", color=isRSI ? #7E57C2 : na)
rsiUpperBand = hline(isRSI ? 70 : na, "RSI Upper Band", color=isRSI ? #787B86 : na)
midline = hline(isRSI ? 50 : na, "RSI Middle Band", color=isRSI ? color.new(#787B86, 50) : na)
rsiLowerBand = hline(isRSI ? 30 : na, "RSI Lower Band", color=isRSI ? #787B86 : na)
fill(rsiUpperBand, rsiLowerBand, color=isRSI ? color.rgb(126, 87, 194, 90) : na, title="RSI Background Fill")
midLinePlot = plot(isRSI ? 50 : na, color = na, editable = false, display = display.none)
fill(rsiPlot, midLinePlot, 100, 70, top_color = isRSI ? color.new(color.green, 0) : na, bottom_color = isRSI ? color.new(color.green, 100) : na, title = "Overbought Gradient Fill")
fill(rsiPlot, midLinePlot, 30, 0, top_color = isRSI ? color.new(color.red, 100) : na, bottom_color = isRSI ? color.new(color.red, 0) : na, title = "Oversold Gradient Fill")
// WMA VWMA plots
wmaColor = oscType != "RSI" ? (useVWMA ? color.new(color.blue, 70) : color.blue) : na
wmaWidth = useVWMA ? 1 : 2
vwmaColor = oscType != "RSI" ? (useVWMA ? color.orange : color.new(color.orange, 70)) : na
vwmaWidth = useVWMA ? 2 : 1
plot(oscType != "RSI" ? wma : na, "WMA", color=wmaColor, linewidth=wmaWidth)
plot(oscType != "RSI" ? vwma : na, "VWMA", color=vwmaColor, linewidth=vwmaWidth)
// Smoothing MA inputs (only for RSI)
GRP = "Smoothing (RSI only)"
TT_BB = "Only applies when 'Show Bollinger Bands' is selected. Determines the distance between the SMA and the bands."
maLengthSMA = input.int(14, "SMA Length", minval=1, group=GRP, display=display.data_window)
maLengthEMA = input.int(14, "EMA Length", minval=1, group=GRP, display=display.data_window)
maLengthRMA = input.int(14, "SMMA (RMA) Length", minval=1, group=GRP, display=display.data_window)
maLengthWMA = input.int(14, "WMA Length", minval=1, group=GRP, display=display.data_window)
maLengthVWMA = input.int(14, "VWMA Length", minval=1, group=GRP, display=display.data_window)
bbMultInput = input.float(2.0, "BB StdDev", minval=0.001, maxval=50, step=0.5, tooltip=TT_BB, group=GRP, display=display.data_window)
showSMA = input.bool(false, "Show SMA", group=GRP)
showEMA = input.bool(false, "Show EMA", group=GRP)
showRMA = input.bool(false, "Show SMMA (RMA)", group=GRP)
showWMAsmooth = input.bool(false, "Show WMA", group=GRP)
showVWMAsmooth = input.bool(false, "Show VWMA", group=GRP)
showBB = input.bool(false, "Show SMA + Bollinger Bands", group=GRP, tooltip=TT_BB)
// Smoothing MA Calculations
sma_val = (showSMA or showBB) and isRSI ? ta.sma(rsi, maLengthSMA) : na
ema_val = showEMA and isRSI ? ta.ema(rsi, maLengthEMA) : na
rma_val = showRMA and isRSI ? ta.rma(rsi, maLengthRMA) : na
wma_val = showWMAsmooth and isRSI ? ta.wma(rsi, maLengthWMA) : na
vwma_val = showVWMAsmooth and isRSI ? ta.vwma(rsi, maLengthVWMA) : na
smoothingStDev = showBB and isRSI ? ta.stdev(rsi, maLengthSMA) * bbMultInput : na
// Smoothing MA plots
plot(sma_val, "RSI-based SMA", color=(showSMA or showBB) ? color.yellow : na, display=(showSMA or showBB) ? display.all : display.none, editable=(showSMA or showBB))
plot(ema_val, "RSI-based EMA", color=showEMA ? color.purple : na, display=showEMA ? display.all : display.none, editable=showEMA)
plot(rma_val, "RSI-based RMA", color=showRMA ? color.red : na, display=showRMA ? display.all : display.none, editable=showRMA)
plot(wma_val, "RSI-based WMA", color=showWMAsmooth ? color.blue : na, display=showWMAsmooth ? display.all : display.none, editable=showWMAsmooth)
plot(vwma_val, "RSI-based VWMA", color=showVWMAsmooth ? color.orange : na, display=showVWMAsmooth ? display.all : display.none, editable=showVWMAsmooth)
bbUpperBand = plot(showBB ? sma_val + smoothingStDev : na, title="Upper Bollinger Band", color=showBB ? color.green : na, display=showBB ? display.all : display.none, editable=showBB)
bbLowerBand = plot(showBB ? sma_val - smoothingStDev : na, title="Lower Bollinger Band", color=showBB ? color.green : na, display=showBB ? display.all : display.none, editable=showBB)
fill(bbUpperBand, bbLowerBand, color=showBB ? color.new(color.green, 90) : na, title="Bollinger Bands Background Fill", display=showBB ? display.all : display.none, editable=showBB)
// Divergence Settings
divGroup = "Divergence Settings"
calculateDivergence = input.bool(true, title="Calculate Divergence", group=divGroup, tooltip = "Calculating divergences is needed in order for divergence alerts to fire.")
lookbackLeft = input.int(5, "Pivot Lookback Left", minval=1, group=divGroup)
lookbackRight = input.int(5, "Pivot Lookback Right", minval=1, group=divGroup)
rangeLower = input.int(5, "Min Range for Divergence", minval=0, group=divGroup)
rangeUpper = input.int(60, "Max Range for Divergence", minval=1, group=divGroup)
showHidden = input.bool(true, "Show Hidden Divergences", group=divGroup)
bearColor = color.red
bullColor = color.green
textColor = color.white
noneColor = color.new(color.white, 100)
_inRange(cond) =>
bars = ta.barssince(cond)
rangeLower <= bars and bars <= rangeUpper
bool plFound = false
bool phFound = false
bool bullCond = false
bool bearCond = false
bool hiddenBullCond = false
bool hiddenBearCond = false
float oscLBR = na
float lowLBR = na
float highLBR = na
float prevPlOsc = na
float prevPlLow = na
float prevPhOsc = na
float prevPhHigh = na
if calculateDivergence
plFound := not na(ta.pivotlow(osc, lookbackLeft, lookbackRight))
phFound := not na(ta.pivothigh(osc, lookbackLeft, lookbackRight))
oscLBR := osc
lowLBR := low
highLBR := high
prevPlOsc := ta.valuewhen(plFound, oscLBR, 1)
prevPlLow := ta.valuewhen(plFound, lowLBR, 1)
prevPhOsc := ta.valuewhen(phFound, oscLBR, 1)
prevPhHigh := ta.valuewhen(phFound, highLBR, 1)
// Regular Bullish
oscHL = oscLBR > prevPlOsc and _inRange(plFound )
priceLL = lowLBR < prevPlLow
bullCond := priceLL and oscHL and plFound
// Regular Bearish
oscLL = oscLBR < prevPhOsc and _inRange(phFound )
priceHH = highLBR > prevPhHigh
bearCond := priceHH and oscLL and phFound
// Hidden Bullish
oscLL_hidden = oscLBR < prevPlOsc and _inRange(plFound )
priceHL = lowLBR > prevPlLow
hiddenBullCond := priceHL and oscLL_hidden and plFound and showHidden
// Hidden Bearish
oscHH_hidden = oscLBR > prevPhOsc and _inRange(phFound )
priceLH = highLBR < prevPhHigh
hiddenBearCond := priceLH and oscHH_hidden and phFound and showHidden
// Plot divergences (lines and labels on pane)
if bullCond
leftBar = ta.valuewhen(plFound, bar_index , 1)
line.new(leftBar, prevPlOsc, bar_index , oscLBR, xloc=xloc.bar_index, color=bullColor, width=2)
label.new(bar_index , oscLBR, "R Bull", style=label.style_label_up, color=noneColor, textcolor=textColor)
if bearCond
leftBar = ta.valuewhen(phFound, bar_index , 1)
line.new(leftBar, prevPhOsc, bar_index , oscLBR, xloc=xloc.bar_index, color=bearColor, width=2)
label.new(bar_index , oscLBR, "R Bear", style=label.style_label_down, color=noneColor, textcolor=textColor)
if hiddenBullCond
leftBar = ta.valuewhen(plFound, bar_index , 1)
line.new(leftBar, prevPlOsc, bar_index , oscLBR, xloc=xloc.bar_index, color=bullColor, width=2, style=line.style_dashed)
label.new(bar_index , oscLBR, "H Bull", style=label.style_label_up, color=noneColor, textcolor=textColor)
if hiddenBearCond
leftBar = ta.valuewhen(phFound, bar_index , 1)
line.new(leftBar, prevPhOsc, bar_index , oscLBR, xloc=xloc.bar_index, color=bearColor, width=2, style=line.style_dashed)
label.new(bar_index , oscLBR, "H Bear", style=label.style_label_down, color=noneColor, textcolor=textColor)
// Alert conditions
alertcondition(bullCond, title="Regular Bullish Divergence", message="Found a new Regular Bullish Divergence, Pivot Lookback Right number of bars to the left of the current bar.")
alertcondition(bearCond, title="Regular Bearish Divergence", message="Found a new Regular Bearish Divergence, Pivot Lookback Right number of bars to the left of the current bar.")
alertcondition(hiddenBullCond, title="Hidden Bullish Divergence", message="Found a new Hidden Bullish Divergence, Pivot Lookback Right number of bars to the left of the current bar.")
alertcondition(hiddenBearCond, title="Hidden Bearish Divergence", message="Found a new Hidden Bearish Divergence, Pivot Lookback Right number of bars to the left of the current bar.")
PrismWAP (Anchored)# PrismWAP (Anchored)
Overview
PrismWAP plots three anchored weighted-average prices (VWAP, TWAP, TrueWAP) with dynamic volatility bands and a resettable anchor line. It helps you see key value levels since your chosen anchor period and gauge price excursions relative to volatility.
How It Works
On each new span (session, week, month, quarter, etc.), the indicator resets a base price from the first bar’s open. It computes anchored VWAP, TWAP, and TrueWAP cumulatively over the span. Volatility bands are drawn as ±multiplier × a span-length-weighted average of your chosen volatility measure (Std Dev, MAD, ATR-scaled, or Percent of WAP).
Inputs
Settings/Default/Description
Anchor Period/Quarter/Span for resetting WAP and anchor line (Week, Month, etc.)
Volatility Measure/Std Dev/Method for band width: SD, MAD, ATR (scaled), Percent of WAP
Volatility Spans/current+2/Number of spans (current + previous spans) used in volatility
Band Multiplier(or %)/3.0/Multiplier for band width (or Percent of WAP in Percent mode)
Scale MAD to σ/true/When MAD selected, scale by √(π/2) so it aligns with σ
Display
• Show Anchor Line true
• Show VWAP true
• Show TWAP true
• Show TrueWAP true
• Show VWAP Bands false
• Show TWAP Bands false
• Show TrueWAP Bands true
Tips & Use Cases
• Use shorter spans (Session, Week) for sub-daily bar intervals.
• Use longer spans (Quarter, Year) for daily bar intervals.
References:
1. TrueWAP Description
2. SD, MAD, ATR (scaled) weighted average volatility
## 1. TrueWAP: Volatility-Weighted Price Averaging
What Is TrueWAP?
TrueWAP plugs actual price fluctuations into your average. Instead of only tracking time (TWAP) or volume (VWAP), it weights each bar’s TrueRange midpoint by its TrueRange—so when the market moves more, that bar counts more.
TrueWAP (Anchored) Overview
• On the first bar, it uses the simple high-low midpoint for price and the bar’s high-low range for weighting.
• From the next bar onward, it computes TrueMid by averaging the TrueRange high (higher of prior close or current high) with the TrueRange low (lower of prior close or current low).
• Each TrueMid is weighted by its TrueRange and cumulatively summed from the anchor point.
Pseudocode
// TWAP Example for Comparison
current_days = BarsSince("start_of_period")
OHLC = (Open + High + Low + Close) / 4
TWAP = MA(OHLC, current_days)
// VWAP Example for Comparison
current_days = BarsSince("start_of_period")
HLC3 = (High + Low + Close) / 3
VWAP = Sum(HLC3 * Volume, current_days) / Sum(Volume, current_days)
// TrueWAP (Anchored)
current_days = BarsSince("start_of_period") // Count of bars since the period began
first_bar = (current_days == 0) // Boolean flag that is true if current bar is the first of period
hilo_mid = (High + Low) / 2 // For the first bar, use its simple high/low avg
max_val = max(Close , High) // For subsequent bars, TrueRange high
min_val = min(Close , Low) // For subsequent bars, TrueRange low
true_mid = (max_val + min_val) / 2 // True Range midpoint for subsequent bars
// Use hilo_mid and (High - Low) for the first bar; otherwise, use true_mid and True Range
mid_val = IF(first_bar, hilo_mid, true_mid)
range_val = IF(first_bar, (High - Low), TrueRange)
TrueWAP = Sum(mid_val * range_val, current_days) / Sum(range_val, current_days)
Recap: Interpretation
• The first bar uses the simple high-low midpoint and range.
• Subsequent bars use TrueMid and TrueRange based on prior close.
• This ensures the average reflects only the observed volatility and price since the anchor.
A Note on True Range
TrueRange captures the full extent of bar-to-bar volatility as the maximum of:
• High – Low
• |High – Previous Close|
• |Low – Previous Close|
## 2. Segmented Weighted-Average Volatility: A Fixed-Point Multi-Period Approach
### Introduction
Conventional standard deviation calculations aggregate data over an expanding window and rely on a single mean, producing one summary statistic. This can obscure segmented, sequential datasets—such as MTD, QTD, and YTD—where additional granularity and time-sensitive insights matter.
This methodology isolates standard deviation within defined time frames and then proportionally allocates them based on custom lookback criteria. The result is a dynamic, multi-period normalization benchmark that captures both emerging volatility and historical stability.
Note: While this example uses SD, the same fixed-point approach applies to MAD and ATR (scaled).
### 2.1 Standard Deviation (Rolling Window)
pseudocode
// -- STANDARD DEVIATION (ROLLING) Calculation --
window_size = 20
rolling_SD = STDDEV(Close, window_size)
• Ideal for immediate trading insights.
• Reflects pure, short-term price dynamics.
• Captures volatility using the most recent 20 trading days.
### 2.2 Blended SD: Current + 3 Past Periods
This method fuses current month data with the last three complete months.
pseudocode
// -- MULTI-PERIOD STANDARD DEVIATION (PROXY) with Three Past Periods --
current_days = BarsSince("start_of_month")
current_SD = STDDEV(Close, current_days)
prev1_days = TradingDaysLastMonth
prev1_SD = STDDEV_LastMonth(Close)
prev2_days = TradingDaysTwoMonthsAgo
prev2_SD = STDDEV_TwoMonthsAgo(Close)
prev3_days = TradingDaysThreeMonthsAgo
prev3_SD = STDDEV_ThreeMonthsAgo(Close)
// Blending with Proportional Weights
Weighted_SD = (current_SD * current_days +
prev1_SD * prev1_days +
prev2_SD * prev2_days +
prev3_SD * prev3_days) /
(current_days + prev1_days + prev2_days + prev3_days)
• Merges evolving volatility with the stability of three prior months.
• Weights each period by its trading days.
• Yields a robust normalization benchmark.
### 2.3 Blended SD: Current + 1 Past Period
This variant tempers emerging volatility by blending the current month with last month only.
pseudocode
// -- MULTI-PERIOD STANDARD DEVIATION (PROXY) with One Past Period --
current_days = BarsSince("start_of_month")
current_SD = STDDEV(Close, current_days)
prev1_days = TradingDaysLastMonth
prev1_SD = STDDEV_LastMonth(Close)
// Proportional Blend
Weighted_SD = (current_SD * current_days +
prev1_SD * prev1_days) /
(current_days + prev1_days)
• Anchors current volatility to last month’s baseline.
• Softens spikes by blending with historical data.
Conclusion
Segmented weighted-average volatility transforms global benchmarking by integrating immediate market dynamics with enduring historical context. This fixed-point approach—applicable to SD, MAD (scaled), and ATR (scaled)—delivers time-sensitive analysis.
Dynamic Structure Overlay [AlgoXcalibur]Dynamic Structure Overlay combines an ultra-dynamic Ribbon, adaptive supply/demand Zones, and a versatile momentum-based Cloud to paint a stunning picture of market structure. Whether you're riding strong trends or patiently analyzing consolidation, this tool helps visualize factors that influence trend direction and price movement.
📊 Indicator Components and Functions
This indicator integrates three core elements to provide an intuitive analysis of trend and market structure. Each component can be independently enabled or disabled to suit your preferences.
• Dynamic Ribbon
At the center of attention is the Dynamic Ribbon, which uses multi-layered moving averages rendered as a flowing ribbon with adaptive color gradients. It reacts to price action in real time, revealing trend direction, strength, and periods of expansion or compression.
• Dynamic Zones
These volume-weighted supply and demand zones are derived from price-to-volume deviations relative to VWAP. These zones often guide price action during strong trends.
• Dynamic Cloud
A unique momentum-based structure derived from dynamic price ranges by averaging the highs and lows from recent price action. The Cloud captures momentum strength and directional pressure, providing a visual guide to trend continuations and transitions.
Together, these components form a comprehensive overlay that adapts in real time to changing market conditions.
🚀 Ride the Trend
Dynamic Structure Overlay is a multi-dimensional tool — its framework helps visualize dynamic factors that often influence price action, assisting traders in staying aligned with the evolving trend.
Waterfall ScreenerHow to Use This to Screen Stocks: A Step-by-Step Guide
Save the Screener Script: Open the Pine Editor, paste the code above, and save it with a clear name like "Waterfall Screener".
Open the Stock Screener: Go to the TradingView homepage or any chart page and click the "Screener" tab at the bottom. Make sure you are on the "Stock" screener.
Set Your Market: Choose the market you want to scan (e.g., NASDAQ, NYSE).
Add Your Custom Filter (The Magic Step):
Click the "Filters" button on the right side of the screener panel.
In the search box that appears, type the name of your new script: "Waterfall Screener".
It will appear as a selectable filter. Click it.
Configure the Filter:
A new filter will appear in your screener list named "Waterfall Screener".
You can now set conditions for the "ScreenerSignal" value we plotted.
To find stocks with a new, actionable trade plan, set the filter to:
Waterfall Screener | Equal | 1
Refine and Scan:
Add other essential filters to reduce noise, such as:
Volume > 1M (to find liquid stocks)
Market Cap > 1B (to find established companies)
The screener will now automatically update and show you a list of all stocks that currently have a "PENDING_ENTRY" setup according to the indicator's logic and your chosen timeframe (e.g., Daily).
Adaptive VWAP📌 Adaptive VWAP (AVWAP) — Volatility-Responsive Volume Weighted Average Price
Overview:
The Adaptive VWAP (AVWAP) is an enhanced and intelligent version of the traditional Volume Weighted Average Price (VWAP). Unlike standard VWAPs that reset at the start of each trading session, this script recalculates dynamically based on real-time market volatility, making it suitable for any timeframe and any asset class.
This tool is ideal for trend-followers, mean-reversion traders, and volatility-sensitive strategies, providing a smarter way to track average price and spot key support/resistance zones.
🔍 Key Features:
📈 Adaptive Lookback Length
Automatically adjusts the VWAP calculation length based on ATR-based market volatility. When volatility increases, the length shortens for faster responsiveness; when volatility contracts, the length expands to smooth out noise.
📊 Standard Deviation Bands (Optional)
Upper and lower bands are calculated based on volume-weighted variance, providing dynamic support and resistance zones. These help identify overbought/oversold levels or volatility breakouts.
🧠 Smoothing Factor
A user-defined smoothing option reduces sensitivity to short-term spikes in volatility, ensuring cleaner signals.
🧾 Real-Time Info Table
Displays key stats including the current adaptive length, volatility ratio, and VWAP value to help traders interpret how the indicator is adjusting to market conditions.
⚙️ How It Works (Technical Summary):
Volatility Measurement: Uses ATR (Average True Range) over a user-defined period to detect recent market volatility.
Adaptive Length Calculation: Compares the current ATR to its moving average to compute a volatility ratio. This ratio dynamically scales the VWAP length between length_min and length_max.
Smoothing: The adaptive length is then smoothed using a simple moving average for stability.
AVWAP Calculation: The VWAP is calculated using cumulative typical price × volume, divided by total volume over the adaptive window.
Deviation Bands: Volume-weighted standard deviation is used to draw bands above and below the AVWAP, similar to Bollinger Bands, but adjusted for volume and volatility.
🧠 Why Use AVWAP?
Unlike fixed-length VWAPs or session-bound versions, AVWAP adapts intelligently to changing market conditions. It behaves conservatively in stable markets and becomes more reactive in volatile environments — all without manual intervention. This makes it highly useful for:
✅ Tracking fair value on any timeframe
✅ Identifying dynamic support and resistance
✅ Spotting volatility shifts early
✅ Confirming trend continuation or potential reversals
🛠️ Customizable Inputs:
length_min / length_max — Range of adaptive lookback periods
volatility_period — ATR period used to measure volatility
smoothing — Smoothing for adaptive length
deviation_multiplier — Controls the width of the upper/lower bands
show_bands — Toggle to enable or disable deviation bands
color options — Customize VWAP and band colors
📌 Usage Notes:
This script does not reset daily — it continuously adapts to market structure.
Works well with stocks, crypto, forex, commodities, and indices.
Best used with price action confirmation, support/resistance zones, or momentum indicators for entries/exits.
Can be applied in scalping, swing trading, or long-term charting setups.
This indicator is designed to work on any timeframe and any market — from stocks and indices to forex and crypto.
To get the best results:
Timeframe Usage:
Works well on 5-min, 15-min, 1H, and daily charts.
On lower timeframes, try reducing the length_min and volatility_period for faster adaptation.
On higher timeframes (daily/weekly), consider increasing smoothing for a cleaner trend.
Trading Ideas:
Use AVWAP as a dynamic support/resistance line. Look for price bounces or breaks.
The deviation bands can be used like Bollinger Bands:
Upper band: potential resistance or overbought area.
Lower band: potential support or oversold area.
During sideways markets, price often oscillates around AVWAP — great for mean reversion.
During trending markets, AVWAP can act as a pullback entry zone.
Customization Tips:
Use color settings to match your chart theme.
Toggle bands off if you prefer a cleaner chart.
The info table at the top-right corner helps track how AVWAP is reacting to volatility — great for analysis.
Combining with Other Tools:
Works well with momentum indicators like RSI or MACD.
You can add traditional VWAP or moving averages for comparison.
Try combining with price action tools for best entries/exits.
⚠️ This is a visual tool — not a signal generator. Always validate with confirmation from your broader strategy.
✅ Credits & Disclaimer:
This script was developed to provide traders with a more context-aware version of VWAP by combining price, volume, and volatility into a unified framework. While this indicator can aid decision-making, it should be used alongside proper risk management and trading discipline.
Relative Volume Pulse [Asa]Relative Volume Pulse is a powerful intraday tool designed to help you instantly spot volume surges and anomalies compared to recent history. It highlights how today’s volume at each bar time compares to the typical volume observed at the same time over your chosen number of previous days. With intuitive color-coding and threshold logic, you can quickly identify both significant and extreme spikes in buying or selling activity—ideal for day traders, scalpers, and anyone who cares about real-time volume dynamics.
Key Features
Smart Intraday Volume Benchmarking:
Compares today’s volume to the average volume at the exact same time over the past X days, automatically adapting to typical intraday volume waves.
Dynamic Color Coding:
Up/Down Volume Bars:
Uses different colors for bullish and bearish candles.
Threshold Highlights:
Volume bars that exceed user-defined multiples of average (“Large” and “Extreme” thresholds) are highlighted with stronger colors, making true surges pop visually.
Configurable Visualization:
Choose to view today’s volume as columns, histogram, or line—whatever fits your workflow best.
Average Volume Overlay:
Plots the rolling intraday average as a reference line, so you can see at a glance what’s “normal” for any bar in the session.
Extreme Event Marker:
Optional marker flags bars that cross your “Extreme” volume threshold.
How It Works
For each bar, the script calculates the average volume at this exact time using your selected number of previous days (e.g., 5 days).
Today’s volume is compared to this average:
If volume exceeds your “Large” threshold (e.g., 1.5× average), the bar is colored with a more intense highlight.
If volume exceeds your “Extreme” threshold (e.g., 2× average), the bar is colored with the strongest highlight and optionally flagged with a marker.
Separate color controls for up and down candles let you instantly see whether surging volume is driven by buyers or sellers.
Typical Uses
Spotting Breakouts:
Quickly identify bars where volume is truly unusual for the time of day—filtering out routine open/close surges and focusing on real-time activity.
Scalping & Day Trading:
Use threshold-based color alerts to time entries or exits, especially when sudden volume accompanies price moves.
Volume-Based Confirmation:
Validate signals from other indicators by requiring confirmation from large or extreme relative volume.
Parameters
Number of Past Days for Average: How many previous days to use for the time-matched average.
Large / Extreme Thresholds: Customize what constitutes a notable or extreme volume event, as multiples of the average.
Up/Down & Highlight Colors: Choose your preferred colors for all volume and threshold levels.
Display Style: Select columns, histogram, or line to match your charting style.
Why Use This Indicator?
Most “relative volume” tools compare only to simple session averages, which miss the real ebb and flow of intraday trading. Relative Volume Pulse gives you contextually accurate volume analysis—helping you spot the bars that matter, not just those that look big on paper.
Stop guessing what’s “high” volume—see it, and act on it.
ICT Dr FX with SMA EMA Cloud & Squeeze Arrows📊 ICT Dr FX — Advanced TradingView Indicator with SMA/EMA Cloud & Squeeze Signals
Take your trading to the next level with ICT Dr FX, a comprehensive indicator that integrates institutional trading strategies (ICT) directly into your charts. Combining advanced price action techniques, dynamic market zone detection, and real-time squeeze signals, this tool offers unparalleled insight for traders of all levels.
🔍 Key Features
Market Structure Analysis
Automatic detection of Market Structure Shifts (MSS) and Break of Structure (BOS)
Dynamic support/resistance zones with customizable color schemes
Advanced Candlestick Patterns
Detection of Bullish/Bearish Engulfing Patterns
Institutional volume entries: Volume Spikes + Strong Candle Bodies
Critical Market Zones
Order Blocks (OBs) with sensitivity controls
Fair Value Gaps (FVG/IFVG) with breakout alerts
Liquidity Pools and
Opening Gaps (NWOG/NDOG) for early positioning
AI-Powered Squeeze System
Real-time Squeeze Arrows at breakout points
Identifies three phases:
🔴 Squeeze Off (breakout complete)
🟠 Mid Squeeze (active compression)
⚪ No Squeeze (neutral state)
Dynamic Moving Average Clouds
SMA Cloud (180–200): Trend-colored for long-term bias
EMA Cloud (34–63): Directional filter for precision entries
Professional Time Filters (Killzones)
Highlights major trading sessions with clarity:
Asia: 10:00–14:00
London Open: 07:00–10:00
London Close: 15:00–17:00
New York: 07:00–09:00
💡 Why ICT Dr FX?
⚙️ Optimized Presets: Smart inputs tailored for multiple strategies
🎨 Unified Visual System: Consistent color coding across signals
⚡ Lightweight Engine: No chart lag despite rich features
⏱️ Multi-Timeframe Support: Perfect for scalping and swing trading alike
🛠️ How to Use (Sample Strategies)
🔹 FVG + Squeeze Strategy
Entry: On FVG retest + Green Squeeze Arrow
Exit: At opposing liquidity zone
🔹 Order Block + SMA Strategy
Entry: On Bullish OB retest + SMA Cloud Blue
Stop Loss: Below liquidity sweep zone
📥 How to Get It
Run the exclusive TradingView code and analyze the markets with a professional, institutional-grade lens.
t.me
الشمعة الماسية @zakaryaalalnsi💠Indicator for Reading Small Reversal Candles and Relying on Them in Resistance Areas (Support – Resistance – Trend, etc.) According to Specific Conditions.
Reading Ultra Volume Candlesticks for Confirmation.
For inquiries, contact on Telegram: zakarya @zakaryaalalnsi
الشمعة الماسية 💠Indicator for Reading Small Reversal Candles and Relying on Them in Resistance Areas (Support – Resistance – Trend, etc.) According to Specific Conditions.
Reading Ultra Volume Candlesticks for Confirmation.
For inquiries, contact on Telegram: zakarya @zakaryaalalnsi
Prev Candle Quarters (MTF) – % + PriceThis TradingView indicator visualizes quarter levels (25%, 50%, 75%, 100%) of the previous candle body from a user-selected higher timeframe, helping traders identify key reaction zones within a candle’s structure.
ulti-Timeframe Input: Choose between 15m, 1H, or 2H candles for your measurement basis.
Body-Based Calculation: Measures from open to close of the previous candle (not wick-to-wick), reflecting where price actually closed.
Precise Quarter Levels: Automatically draws horizontal lines at 25%, 50%, 75%, and 100% of the candle body.
Custom Toggles: Enable or disable each individual level via checkboxes.
Price + % Labels: Each level includes a clean label showing the exact price and corresponding percentage.
My Ultimate Reversal Probability Signal (Adaptive)Adaptive indicator combining RSI, T3, ZigZag, Torben, TDI, POB, and reversal probability (credit to original Author) to identify potential trend reversals with customizable settings.
My Ultimate Reversal Probability Signal (Adaptive)
Overview:
This advanced technical indicator is designed to help traders identify potential trend reversals by combining multiple analytical methods into a single, customizable tool. It integrates adaptive RSI, T3 Moving Average, ZigZag Multi-Scale, Torben Moving Median, Trend Direction Index (TDI), Point of Balance (POB) Oscillator, and a Trend Reversal Probability model. The indicator provides clear visual signals and a detailed table for real-time market analysis, making it suitable for traders of all experience levels.
Key Features:
Adaptive RSI: Dynamically adjusts RSI length based on market volatility, with customizable min/max lengths (5–50).
T3 Moving Average: Smooths price data with adaptive length (5–50) for trend detection.
ZigZag Multi-Scale: Identifies key swing points with adaptive length (3–20) and plots an average line.
Torben Moving Median: Provides robust trend bands using a median-based approach (5–50).
Trend Direction Index (TDI): Assesses future trend direction with adaptive length (3–7) and ADX integration.
Point of Balance (POB) Oscillator: Measures market equilibrium with adaptive length (5–50).
Trend Reversal Probability: Estimates reversal likelihood using a statistical model based on SMA crossovers.
Reversal Zones: Highlights overbought/oversold conditions with RSI-based zones (default: 70/30).
Future Trend Visualization: Projects potential price movements using volume delta analysis.
Comprehensive Table: Displays real-time values for RSI length, T3 length, ZigZag length, Torben length, TDI length, POB length, Delta1, and reversal probability.
Backtesting Metrics: Tracks win rate, profit factor, and total trades within a user-defined date range.
Customizable Settings: Extensive input options for enabling/disabling components, adjusting lengths, and tweaking volatility influence.
How It Works:
The indicator combines multiple signals to generate buy/sell conditions, visualized as upward (▲) or downward (▼) arrows on the chart. Each component (RSI, T3, etc.) can be enabled or disabled via the settings panel, allowing traders to tailor the tool to their strategy. The adaptive lengths adjust dynamically based on market conditions, ensuring relevance across different timeframes and assets. A table in the bottom-left corner provides a snapshot of key metrics, including the newly added Delta1 (volume delta for the first period), enhancing decision-making.
Usage Tips:
Timeframes: Works on any timeframe, but higher timeframes (e.g., 1H, 4H, Daily) may reduce noise.
Assets: Suitable for stocks, forex, cryptocurrencies, and commodities.
Confirmation: Combine with price action or other indicators for stronger signals.
Settings: Adjust RSI overbought/oversold levels (default 70/30) and enable/disable components to match your trading style.
Backtesting: Use the built-in win rate and profit factor metrics to evaluate performance within a custom date range.
Settings:
Main Settings: ATR period (14), RSI length (min 5, max 50, default 14).
Signal Filtering: Enable/disable T3, ZigZag, VolDelta, Torben, TDI, POB, Reversal Probability, and Reversal Zones.
T3 Settings: Adaptive/static length (5–50), volume factor (0.7), volatility influence (0.3).
VolDelta Settings: Adaptive/static length (3–20), volatility influence (0.3).
Torben Settings: Adaptive/static length (5–50), volatility influence (0.3).
Trend Reversal Settings: Adaptive/static length (5–50), SMA periods (5/34).
TDI Settings: Adaptive/static length (3–7), ATR/ADX periods (14), smoothing factor (0.5).
POB Settings: Adaptive/static length (5–50), volatility influence (0.3).
Colors: Customize up/down colors and volatility band display.
Backtest Date Range: Set start/end dates for performance metrics.
Visual Elements:
Plots: T3 line, ZigZag average line, Torben bands, volatility bands, reversal zones.
Shapes: Buy (▲) and sell (▼) signals, T3 crossover markers (🞛).
Boxes: Volume delta-based future trend boxes (drawn on the last bar).
Table: Displays adaptive lengths, Delta1, and reversal probability.
Labels: Optional reversal labels for overbought/oversold conditions.
Intended Audience:
Day traders seeking precise reversal signals.
Swing traders analyzing multi-timeframe trends.
Technical analysts combining multiple indicators.
Beginners learning adaptive indicator mechanics.
Disclaimer:
This indicator is for educational and analytical purposes only. It does not guarantee profits or predict future market movements. Always conduct your own research, use proper risk management, and consider market conditions before trading. The author is not responsible for any financial losses incurred.
Feedback:
I welcome your feedback and suggestions to improve this indicator. Please share your experience in the comments or contact me directly. Happy trading!
WT + Stoch RSI Reversal ComboOverview – WT + Stoch RSI Reversal Combo
This custom TradingView indicator combines WaveTrend (WT) and Stochastic RSI (Stoch RSI) to detect high-probability market reversal zones and generate Buy/Sell signals.
It enhances accuracy by requiring confirmation from both oscillators, helping traders avoid false signals during noisy or weak trends.
🔧 Key Features:
WaveTrend Oscillator with optional Laguerre smoothing.
Stochastic RSI with adjustable smoothing and thresholds.
Buy/Sell combo signals when both indicators agree.
Histogram for WT momentum visualization.
Configurable overbought/oversold levels.
Custom dotted white lines at +100 / -100 levels for reference.
Alerts for buy/sell combo signals.
Toggle visibility for each element (lines, signals, histogram, etc.).
✅ How to Use the Indicator
1. Add to Chart
Paste the full Pine Script code into TradingView's Pine Editor and click "Add to Chart".
2. Understand the Signals
Green Triangle (BUY) – Appears when:
WT1 crosses above WT2 in oversold zone.
Stoch RSI %K crosses above %D in oversold region.
Red Triangle (SELL) – Appears when:
WT1 crosses below WT2 in overbought zone.
Stoch RSI %K crosses below %D in overbought region.
⚠️ A signal only appears when both WT and Stoch RSI agree, increasing reliability.
3. Tune Settings
Open the settings ⚙️ and adjust:
Channel Lengths, smoothing, and thresholds for both indicators.
Enable/disable visibility of:
WT lines
Histogram
Stoch RSI
Horizontal level lines
Combo signals
4. Use with Price Action
Use this indicator in conjunction with support/resistance zones, chart patterns, or trendlines.
Works best on lower timeframes (5m–1h) for scalping or 1h–4h for swing trading.
5. Set Alerts
Set alerts using:
"WT + Stoch RSI Combo BUY Signal"
"WT + Stoch RSI Combo SELL Signal"
This helps you catch setups in real time without watching the chart constantly.
📊 Ideal Use Cases
Reversal trading from extremes
Mean reversion strategies
Timing entries/exits during consolidations
Momentum confirmation for breakouts
Smart Money Volume Execution Footprint @MaxMaserati 2.0 Smart Money Volume Execution Footprint @MaxMaserati 2.0
Volume and Price Execution Tracker · Volume Delta · VWAP · POC · DOM Simulation
Overview
This volume and price tool high grade tool reveals **where** smart money is actually executing within each candle — not just how much volume traded, but the **exact price levels** where large buy/sell orders hit the tape.
By simulating Depth of Market (DOM) logic, it breaks each candle into price levels (default: 8–20) and reconstructs intra-candle volume pressure to identify:
• Institutional execution zones
• Buy vs Sell dominance
• Volume-weighted positioning
• Smart money flow bias (bullish / bearish / neutral)
Think of it as a powerful X-ray footprint to spot real-time volume/price behavior.
Core Features
Execution Dots (Smart Money Signatures)
• Plots dots at key institutional execution prices
• Color-coded: 🟢 Green = dominant buy volume · 🔴 Red = dominant sell volume
• Dot size = Volume Intensity (relative to average):
– tiny < 1.0x avg
– small 1.0x–1.5x
– normal 1.5x–2.5x
– large 2.5x–4.0x
– huge > 4.0x (massive positioning)
Volume Modes (Buy/Sell Breakdown)
• Total Volume Mode: Combined buy + sell volume at each price level
• Volume Delta Mode: Net buy/sell pressure (buy − sell)
Dot Placement Modes
• Volume POC: Dot at level with highest volume (Point of Control)
• VWAP: Dot at intra-candle volume-weighted average price
• Highest Volume Level: Similar to POC, simplified for fast bias detection
Smart Money Bias Detection
Real-time consensus calculation based on buy/sell volume ratio:
🟢 Bullish Consensus (>60% Buy Volume): Smart money buying → Long bias
🔴 Bearish Consensus (<40% Buy Volume): Smart money selling → Short bias
⚪ Neutral Market (40–60%): Market in balance → Wait for breakout
This logic powers the volume execution table, showing institutional sentiment per candle.
Dot Placement Example (How It Works)
Let’s say you break a candle into 10 price levels:
• Volume POC Mode → Dot at \$4,297.50, where volume was highest
• VWAP Mode → Dot around \$4,275, the volume-weighted average
• Volume Delta Mode → Dot where net buying/selling pressure peaked
Dot sizes based on volume intensity:
Level 1 (400K): size.huge — heavy institutional execution
Level 10 (300K): size.normal — passive accumulation
Level 5 (250K): size.normal — potential battle zone
🔗 Optional Visual Enhancements
• Zigzag Lines: Connects execution dots to highlight flow direction
• Labels: Toggle to show volume and/or execution price directly on dots
• Execution Table: Real-time snapshot of volume ratio, delta, and institutional bias
Option to see the volume and/or exact Price level
Ideal Use Cases
Institutional Flow Strategy
1. Look for large dots (size.large or size.huge)
2. Confirm direction with bias table (bullish or bearish consensus)
3. Align entries with institutional execution zones
4. Use retests of large dot prices as entries or exits
Option to only see huge buying and selling area to solely focus on them for retest
Volume Divergence Signals
• Price making new highs, but dot size shrinking → Weak breakout
• Price making new lows, but weak dot volume → Potential bounce
• Huge dot + rejection wick → Institutional defense zone
Configurable Settings
• Dot Placement: VWAP · POC · Delta
• Volume Mode: Total vs Delta
• Price Granularity: 5 to 50 levels per candle
• Dot Labels: Volume / Price
• Table Size, Position, and Color Themes
Important Notes
• Best used on high-volume markets (futures, indices, major FX pairs)
• Ideal timeframe: 1m–15m for precision, 1h–4h for position setups
• Integrates well with VWAP, session levels, or structure-based trading
Delta Weighted Momentum Oscillator @MaxMaserati DELTA WEIGHTED MOMENTUM OSCILLATOR
This advanced indicator analyzes the battle between buyers and sellers by measuring volume distribution within each candle. Unlike traditional volume indicators, it reveals WHO is winning the fight - buyers or sellers - and shows you when smart money is accumulating or distributing.
📊 KEY FEATURES:
- Normalized 0-100 scale (works on any timeframe/instrument)
- Real-time delta pressure detection
- Cumulative session flow tracking
- Volume-weighted signal confirmation
- Smart money flow detection
- Multi-signal system (triangles, circles, diamonds)
- Customizable signal sizes and colors
- Professional info panel
🎯 TRADING SIGNALS EXPLAINED:
🔺 TRIANGLES (Main Entry Signals):
- Green Triangle UP: Buying pressure takes control (above 50 line)
- Red Triangle DOWN: Selling pressure takes control (below 50 line)
- Best used with volume confirmation
⚫ CIRCLES (Zone Confirmations):
- Green Circle: Strong bullish zone entry (above 70)
- Red Circle: Strong bearish zone entry (below 30)
- Use for position additions or late entries
💎 DIAMONDS (Extreme Warnings):
- Green Diamond: Extreme bullish levels (above 85) - Consider profit-taking
- Red Diamond: Extreme bearish levels (below 15) - Consider profit-taking
🎨 VISUAL ELEMENTS:
📏 KEY LINES:
- Black Dotted Line (50): The decision zone - above = bullish control, below = bearish control
- Main Delta Line: Real-time buying vs selling pressure (thick line)
- Cumulative Flow Line: Session's net money flow direction (thin line)
- Volume Area: Bottom colored area showing participation levels
🎨 BACKGROUND ZONES:
- Light Green: Bullish zones (70-85)
- Light Red: Bearish zones (15-30)
- Stronger colors: Extreme zones (above 85 / below 15)
📋 INFO PANEL:
- Delta: Current pressure reading (0-100)
- Cumulative: Session's total flow direction
- Volume: Current participation level
- Trend: Overall market sentiment
- Signal: Current recommended action
⚙️ CUSTOMIZATION OPTIONS:
- Session length (for cumulative tracking)
- Lookback period (for normalization)
- Delta smoothing (noise reduction)
- Zone thresholds (bullish/bearish/extreme levels)
- Signal sizes (tiny/small/normal)
- All colors and visual elements
- Show/hide any component
⚠️ REVERSAL SIGNALS:
1. Watch for diamonds in extreme zones
2. Look for divergence between delta and price
3. Wait for opposite triangle for confirmation
4. Manage risk carefully in extreme zones
💡 PRO TIPS:
- Don't trade triangles alone - wait for circle confirmation
- Higher volume = stronger signals
- The 50 line is your key decision point
- Diamonds = caution, not new entries
- Cumulative line shows session bias
- Works best when delta aligns with price action
⚡ BEST TIMEFRAMES:
- 1-5 minutes: Scalping and day trading
- 15-60 minutes: Swing trading
- Daily: Position trading and trend analysis
🎯 UNIQUE ADVANTAGES:
- Normalized scale works on any market
- Combines delta, volume, and flow analysis
- Clear visual hierarchy
- Professional-grade normalization
- Real-time smart money detection
- Session-based cumulative tracking
This indicator is perfect for traders who want to understand the real market sentiment beyond just price action. See exactly when institutions are buying or selling, and trade with the smart money flow!
Intra Candle Volume Distribution @MaxMaserati2.0 INTRA CANDLE VOLUME DISTRIBUTION @MaxMaserati2.0
- Advanced Intra-Candle Distribution Mapping-
Discover the hidden volume dynamics within each candle! This revolutionary indicator analyzes buying vs selling pressure at multiple price levels INSIDE individual candles, revealing volume distribution patterns that traditional indicators completely miss.
✨ KEY FEATURES:
📊 Real-time volume distribution analysis at 4 price levels per candle
🎯 Smart detection - only shows significant volume concentrations
🏆 Winner-only mode for clean, directional signals
📈 Delta analysis showing net buying/selling pressure
📋 Comprehensive statistics table with live and historical data
🎨 Fully customizable colors, sizes, and display options
Selection to see the volume battle between buyer and sellers inside of the candle
Great, if you like to know the why's
🔍 WHAT MAKES IT UNIQUE:
- Advanced algorithms distribute volume across price levels within each candle
- Intelligent filtering eliminates noise, showing only significant volume zones
- Dynamic dot sizing based on volume intensity
- Real-time table comparing current vs previous candle metrics
- Multi-timeframe compatible (works on all timeframes)
- Professional-grade order flow analysis
📚 PERFECT FOR:
- Scalpers seeking precise entry/exit points
- Day traders validating breakouts and reversals
- Volume analysis specialists
- Order flow traders
- Institutional-style analysis on retail platforms
When only the winner (Strongest pressure) of the candle is selected
Better for fast decision making
When the delta is selected
Great to have clear idea of the net volume
🛠️ HOW TO USE:
Simply add to chart and customize to your preference. Green dots = bulls dominating that price level, red dots = bears dominating. Larger dots = higher volume intensity. Use the comprehensive table for detailed volume distribution analysis.
⚡ PERFORMANCE OPTIMIZED:
Efficient code ensures smooth operation without chart lag, even with maximum visual elements.
Delta OrderFlow Sweep & Absorption Toolkit @MaxMaserati 2.0Delta OrderFlow Sweep & Absorption Toolkit @MaxMaserati 2.0
This is a professional-grade smart money order flow analysis tool that reveals smart money activity, volume absorption patterns, and liquidity sweeps in real-time. It combines advanced market microstructure concepts into one comprehensive toolkit that shows you where and how institutions are trading.
A CLEAR VISUALIZATION OF THE INDICATOR CAPACITY
🔥 Core Features Explained
1. Delta Order Flow Analysis
Tracks cumulative buying vs selling pressure (Delta)
🔥BUY/🔥SELL labels show aggressive order flow imbalances
Real-time market sentiment based on actual volume flow
Session delta tracking with automatic resets
2. Institutional Detection
🏦↑/🏦↓ labels identify large block trades and smart money activity
Automatic threshold detection based on volume patterns
Smart money flow tracking with institutional bias indicators
Institutional buyers getting in
3. Advanced Sweep Detection
SWEEP↑/SWEEP↓ labels detect stop-loss hunts with volume confirmation
Wick rejection analysis ensures proper sweep identification
Institutional reaction confirmation - shows when opposite side takes control
4. Volume Absorption Analysis
ABSORB↑/ABSORB↓ shows successful volume breakthroughs
H↑BuV Fail/H↑BeV Fail shows institutional volume failures (reversal signals)
Context-aware analysis based on recent institutional activity
Bullish Absorption scenario
Bearish Absorption scenario
5. Point of Control (POC) Levels
Dynamic support/resistance based on executed volume
POC SUP (Green) / POC RES (Purple)
POC Support Broken
6. Net Delta Bubbles
Visual representation of net buying/selling bias
Positive Delta (Green) = Bullish bias bubbles below candles
Negative Delta (Red) = Bearish bias bubbles above candles
6 positioning methods with full customization
The Net Delta Bubbles allow to see clearer, the highest reversal/continuity areas
7. Smart Alert System
Large order flow imbalances
Institutional activity detection
Stop sweep confirmations
Volume absorption patterns
📊 How to Read the Signals
🔥BUY (below candles) = Aggressive institutional buying
🔥SELL (above candles) = Aggressive institutional selling
Threshold: Customizable imbalance percentage (default 75%)
🏦 Institutional Labels:
🏦↑ (below candles) = Large institutional buying detected
🏦↓ (above candles) = Large institutional selling detected
Volume: Based on block trade size detection
⚡ Sweep Labels:
SWEEP↑ (below candles) = Stop hunt below, expect reversal UP
SWEEP↓ (above candles) = Stop hunt above, expect reversal DOWN
Confirmation: Requires wick rejection + volume confirmation
🎯 Absorption Labels:
ABSORB↑ = True bullish breakthrough above institutional levels
ABSORB↓ = True bearish breakdown below institutional levels
H↑BuV Fail (Orange) = Bullish volume failed = Bearish signal
H↑BeV Fail (Blue) = Bearish volume failed = Bullish signal
💡 Trading Strategies
🟢 Bullish Setups:
🔥BUY + 🏦↑ = Strong institutional buying confirmation
SWEEP↓ + High volume = Stop hunt below, enter long on reversal
H↑BeV Fail = Bearish volume failed, bullish reversal signal
POC Support holding + positive delta = Bounce play
ABSORB↑ = Successful break above resistance
🔴 Bearish Setups:
🔥SELL + 🏦↓ = Strong institutional selling confirmation
SWEEP↑ + High volume = Stop hunt above, enter short on reversal
H↑BuV Fail = Bullish volume failed, bearish reversal signal
POC Resistance holding + negative delta = Rejection play
ABSORB↓ = Successful break below support
⚡ High-Probability Entries:
Multiple confirmations on same candle/area
Volume spikes with directional bias
Failed institutional attempts (reversal plays)
POC level interactions with delta confirmation
📱 Best Practices
🎯 Timeframe Usage:
1-5 minutes: Scalping with institutional confirmation
15-30 minutes: Day trading with sweep detection
1-4 hours: Swing trading with POC levels
Daily: Position trading with major delta shifts
🔧 Optimization Tips:
Start with defaults and adjust sensitivity based on your instrument
Use multiple confirmations - don't trade single signals
Watch volume bubbles for additional bias confirmation
Enable alerts for key institutional activity
Combine with price action for best results
⚠️ Important Notes:
No repainting - all signals are final when candle closes
Volume-based - works best on liquid instruments
Context matters - consider overall market conditions
Risk management - use proper position sizing
Day Trade with Waqas📌 Day Trade with Waqas is a private, invite-only indicator designed for serious day traders and scalpers. It provides clean and early BUY/SELL signals using a custom-modified SuperTrend logic.
🔒 The script code is hidden to protect proprietary logic. Access is given only to approved users.
✅ Optimized for 15-minute and 1-hour charts
✅ No clutter — just pure entry signals
✅ Ideal for BTC, ETH, SOL, Gold, and other volatile pairs
📥 To get access, contact us via Telegram or TradingView profile.
Choch Pattern Levels [BigBeluga]🔵 OVERVIEW
The Choch Pattern Levels indicator automatically detects Change of Character (CHoCH) shifts in market structure — crucial moments that often signal early trend reversals or major directional transitions. It plots the structural break level, visualizes the pattern zone with triangle overlays, and tracks delta volume to help traders assess the strength behind each move.
🔵 CONCEPTS
CHoCH Pattern: A bullish CHoCH forms when price breaks a previous swing high after a swing low, while a bearish CHoCH appears when price breaks a swing low after a prior swing high.
Break Level Mapping: The indicator identifies the highest or lowest point between the pivot and the breakout, marking it with a clean horizontal level where price often reacts.
Delta Volume Tracking: Net bullish or bearish volume is accumulated between the pivot and the breakout, revealing the momentum and conviction behind each CHoCH.
Chart Clean-Up: If price later closes through the CHoCH level, the zone is automatically removed to maintain clarity and focus on active setups only.
🔵 FEATURES
Automatic CHoCH pattern detection using pivot-based logic.
Triangle shapes show structure break: pivot → breakout → internal high/low.
Horizontal level marks the structural zone with a ◯ symbol.
Optional delta volume label with directional sign (+/−).
Green visuals for bullish CHoCHs, red for bearish.
Fully auto-cleaning invalidated levels to reduce clutter.
Clean organization of all lines, labels, and overlays.
User-defined Length input to adjust pivot sensitivity.
🔵 HOW TO USE
Use CHoCH levels as early trend reversal zones or confirmation signals.
Treat bullish CHoCHs as support zones, bearish CHoCHs as resistance.
Look for high delta volume to validate the strength behind each CHoCH.
Combine with other BigBeluga tools like supply/demand, FVGs, or liquidity maps for confluence.
Adjust pivot Length based on your strategy — shorter for intraday, longer for swing trading.
🔵 CONCLUSION
Choch Pattern Levels highlights key structural breaks that can mark the start of new trends. By combining precise break detection with volume analytics and automatic cleanup, it provides actionable insights into the true intent behind price moves — giving traders a clean edge in spotting early reversals and key reaction zones.
VWAP, Donchain Fractals, CVD divergence and FVGVWAP, Donchain period-based Fractals, CVD divergence, and FVG
Buyer/Seller Zone (Simplified Version)📌 Indicator: Buyer/Seller Zone (Simplified Version)
This indicator is designed to highlight potential areas of strong buyer or seller activity based on advanced volume and volatility analysis. It identifies key candles that exhibit anomalous behavior — those standing out from typical market noise — and marks them as potential interest zones.
🔍 What it does:
Detects candles with unusually high volume (anomalies).
Filters them further based on strong price movement (volatility).
Marks bullish and bearish zones using customizable visuals: area, circle, or diamond.
Provides optional alerts when a buyer/seller signal is detected.
💡 How to use:
Use this tool to identify potential reversal or continuation zones.
Zones may act as strong support/resistance areas.
Some levels are more significant than others — do not trade every level blindly. Combine with your own analysis or wait for a retest/confirmation before entry.
⚙️ Customization:
Volume filter threshold
Volatility sensitivity
Visualization type, size, and transparency
🚨 Alerts: Set alerts for bullish, bearish, or any signal type.