Sniper Pro v4.6 – True Live Reactive Edition//@version=5
indicator("Sniper Pro v4.6 – True Live Reactive Edition", overlay=true)
// === INPUTS ===
showInfoBubble = input.bool(true, "Show Live Info Bubble")
depth = input.int(12, "Golden Zone Depth")
// === INDICATORS ===
sma20 = ta.sma(close, 20)
vwapVal = ta.vwap
// === GOLDEN ZONE ===
ph = ta.pivothigh(high, depth, depth)
pl = ta.pivotlow(low, depth, depth)
var float lastHigh = na
var float lastLow = na
lastHigh := not na(ph) ? ph : lastHigh
lastLow := not na(pl) ? pl : lastLow
fullrange = lastHigh - lastLow
goldenTop = lastHigh - fullrange * 0.618
goldenBot = lastHigh - fullrange * 0.786
inGoldenZone = close >= goldenBot and close <= goldenTop
// === DELTA ===
delta = (close - open) * volume
absDelta = math.abs(delta)
deltaStr = absDelta > 1e6 ? str.tostring(delta / 1e6, "#.##") + "M" : absDelta > 1e3 ? str.tostring(delta / 1e3, "#.##") + "K" : str.tostring(delta, "#.##")
// === STRENGTH ===
body = math.abs(close - open)
wick = high - low
strength = body / (wick + 1e-10)
strengthLevel = strength > 0.8 ? "5/5" : strength > 0.6 ? "4/5" : strength > 0.4 ? "3/5" : strength > 0.2 ? "2/5" : "1/5"
// === PATTERN ===
bullEngulf = close > open and close < open and close > open and open < close
bearEngulf = close < open and close > open and close < open and open > close
hammer = close > open and (open - low) > 1.5 * body
shootingStar = open > close and (high - open) > 1.5 * body
morningStar = close < open and close < open and close > ((open + close ) / 2)
eveningStar = close > open and close > open and close < ((open + close ) / 2)
pattern = bullEngulf ? "Bull Engulfing" : bearEngulf ? "Bear Engulfing" : hammer ? "Hammer" : shootingStar ? "Shooting Star" : morningStar ? "Morning Star" : eveningStar ? "Evening Star" : ""
// === LIVE BUBBLE ===
var label bubble = na
if na(bubble)
bubble := label.new(bar_index, high, "", style=label.style_label_up, size=size.small, textcolor=color.white, color=color.new(color.gray, 85))
if showInfoBubble
label.set_xy(bubble, bar_index, high + syminfo.mintick * 20)
label.set_text(bubble,"O: " + str.tostring(open, "#.##") +" H: " + str.tostring(high, "#.##") +" L: " + str.tostring(low, "#.##") +" C: " + str.tostring(close, "#.##") +" Δ: " + deltaStr +(pattern != "" ? " Pattern: " + pattern : "") +" Power: " + strengthLevel)
// === PLOTS ===
plot(vwapVal, title="VWAP", color=color.aqua)
plot(goldenTop, title="Golden Top", color=color.yellow)
plot(goldenBot, title="Golden Bottom", color=color.orange)
Volume
Sniper Pro v4.2 – Dynamic Wave Engine
//@version=5
indicator("Sniper Pro v4.2 – Dynamic Wave Engine", overlay=true)
// === INPUTS ===
minScore = input.int(3, "Min Conditions for Entry", minval=1, maxval=5)
filterSideways = input.bool(true, "Block in Sideways?")
showDelta = input.bool(true, "Show Delta Counter?")
showSMA20 = input.bool(true, "Show SMA20?")
showVWAP = input.bool(true, "Show VWAP?")
showGoldenZone = input.bool(true, "Show Golden Zone?")
callColor = input.color(color.green, "CALL Color")
putColor = input.color(color.red, "PUT Color")
watchBuyCol = input.color(color.new(color.green, 70), "Watch Buy Color")
watchSellCol = input.color(color.new(color.red, 70), "Watch Sell Color")
// === INDICATORS ===
sma20 = ta.sma(close, 20)
vwapVal = ta.vwap
// === DYNAMIC WAVE RANGE ===
var float lastImpulseHigh = na
var float lastImpulseLow = na
isImpulseUp = close > close and close > close
isImpulseDown = close < close and close < close
lastImpulseHigh := isImpulseUp ? high : nz(lastImpulseHigh )
lastImpulseLow := isImpulseDown ? low : nz(lastImpulseLow )
waveRange = lastImpulseHigh - lastImpulseLow
goldenTop = lastImpulseHigh - waveRange * 0.618
goldenBot = lastImpulseHigh - waveRange * 0.786
inGoldenZone = close >= goldenBot and close <= goldenTop
// === DELTA ===
delta = (close - open) * volume
normalizedDelta = volume != 0 ? delta / volume : 0
// === SIDEWAYS FILTER ===
range20 = ta.highest(high, 20) - ta.lowest(low, 20)
atr = ta.atr(14)
isSideways = range20 < atr * 1.5
block = filterSideways and isSideways
// === PRICE ACTION ===
hammer = close > open and (math.min(open, close) - low) > math.abs(close - open) * 1.5
bullishEngulf = close > open and close < open and close > open and open < close
shootingStar = close < open and (high - math.max(open, close)) > math.abs(close - open) * 1.5
bearishEngulf = close < open and close > open and close < open and open > close
// === SCORE ===
buyScore = (inGoldenZone ? 1 : 0) + (normalizedDelta > 0.2 ? 1 : 0) + ((hammer or bullishEngulf) ? 1 : 0) + (close > sma20 ? 1 : 0)
sellScore = (inGoldenZone ? 1 : 0) + (normalizedDelta < -0.2 ? 1 : 0) + ((shootingStar or bearishEngulf) ? 1 : 0) + (close < sma20 ? 1 : 0)
watchBuy = buyScore == (minScore - 1) and not block
watchSell = sellScore == (minScore - 1) and not block
call = buyScore >= minScore and not block
put = sellScore >= minScore and not block
// === BAR COLORS ===
barcolor(call ? callColor : put ? putColor : watchBuy ? watchBuyCol : watchSell ? watchSellCol : na)
// === LABELS ===
if call
label.new(bar_index, low, "CALL", style=label.style_label_up, size=size.normal, color=callColor, textcolor=color.white)
if put
label.new(bar_index, high, "PUT", style=label.style_label_down, size=size.normal, color=putColor, textcolor=color.white)
if watchBuy
label.new(bar_index, low, "B3", style=label.style_label_up, size=size.small, color=watchBuyCol, textcolor=color.white)
if watchSell
label.new(bar_index, high, "S4", style=label.style_label_down, size=size.small, color=watchSellCol, textcolor=color.white)
// === DELTA LABEL ===
deltaLabel = math.abs(delta) > 1000000 ? str.format("{0,number,#.##}M", delta / 1e6) :
math.abs(delta) > 1000 ? str.format("{0,number,#.##}K", delta / 1e3) :
str.tostring(delta, "#.##")
if showDelta
label.new(bar_index, close, deltaLabel, style=label.style_label_left, size=size.tiny, textcolor=color.white, color=delta > 0 ? color.new(color.green, 70) : color.new(color.red, 70))
// === PLOTS ===
plot(showVWAP ? vwapVal : na, title="VWAP", color=color.aqua)
plot(showGoldenZone ? goldenTop : na, title="Golden Top", color=color.yellow, style=plot.style_linebr)
plot(showGoldenZone ? goldenBot : na, title="Golden Bottom", color=color.orange, style=plot.style_linebr)
plot(showSMA20 ? sma20 : na, title="SMA20", color=color.yellow)
Sniper Pro v4.4 – Candle & Flow Intelligence Edition
//@version=5
indicator("Sniper Pro v4.4 – Candle & Flow Intelligence Edition", overlay=true)
// === INPUTS ===
minScore = input.int(3, "Min Conditions for Entry", minval=1, maxval=5)
filterSideways = input.bool(true, "Block in Sideways?")
showDelta = input.bool(true, "Show Delta Counter?")
showSMA20 = input.bool(true, "Show SMA20")
showGoldenZone = input.bool(true, "Show Golden Zone?")
callColor = input.color(color.green, "CALL Color")
putColor = input.color(color.red, "PUT Color")
watchBuyCol = input.color(color.new(color.green, 70), "Watch Buy Color")
watchSellCol = input.color(color.new(color.red, 70), "Watch Sell Color")
// === INDICATORS ===
sma20 = ta.sma(close, 20)
// === DELTA CALCULATIONS ===
delta = (close - open) * volume
normalizedDelta = volume != 0 ? delta / volume : 0
deltaStrength = delta - delta
// === EXPLOSIVE CANDLE ===
body = math.abs(close - open)
wickTop = high - math.max(close, open)
wickBottom = math.min(close, open) - low
isRejection = wickTop > body or wickBottom > body
highVolume = volume > ta.highest(volume, 5)
efficiency = body / volume
isExplosive = isRejection and highVolume and efficiency > 0
// === SMART MONEY CANDLE LOGIC ===
smBuy = isExplosive and delta > 0 and close > open and close > sma20
smSell = isExplosive and delta < 0 and close < open and close < sma20
smStrength = math.min(5, math.round(math.abs(delta) / 100000))
if smBuy
label.new(bar_index, low, "SM Buy " + str.tostring(smStrength), style=label.style_label_up, size=size.normal, color=color.new(color.yellow, 0), textcolor=color.black)
if smSell
label.new(bar_index, high, "SM Sell " + str.tostring(smStrength), style=label.style_label_down, size=size.normal, color=color.new(color.orange, 0), textcolor=color.black)
// === BASIC SIGNAL SYSTEM ===
inGoldenZone = close > sma20 * 0.96 and close < sma20 * 1.04
buyScore = (inGoldenZone ? 1 : 0) + (normalizedDelta > 0.2 ? 1 : 0) + (close > sma20 ? 1 : 0)
sellScore = (inGoldenZone ? 1 : 0) + (normalizedDelta < -0.2 ? 1 : 0) + (close < sma20 ? 1 : 0)
watchBuy = buyScore == (minScore - 1)
watchSell = sellScore == (minScore - 1)
call = buyScore >= minScore
put = sellScore >= minScore
// === COLORING ===
barcolor(call ? callColor : put ? putColor : watchBuy ? watchBuyCol : watchSell ? watchSellCol : na)
// === LABELS ===
if call
label.new(bar_index, low, "CALL", style=label.style_label_up, size=size.normal, color=callColor, textcolor=color.white)
if put
label.new(bar_index, high, "PUT", style=label.style_label_down, size=size.normal, color=putColor, textcolor=color.white)
// === DELTA LABEL ===
deltaLabel = str.tostring(delta, "#.##")
if showDelta
label.new(bar_index, close, deltaLabel, style=label.style_label_left, size=size.tiny, textcolor=color.white, color=delta > 0 ? color.new(color.green, 70) : color.new(color.red, 70))
// === PLOTS ===
plot(showSMA20 ? sma20 : na, title="SMA20", color=color.yellow)
Sniper Pro v4.5 – Candle & Flow Intelligence Edition
//@version=5
indicator("Sniper Pro v4.5 – Candle & Flow Intelligence Edition", overlay=true)
// === INPUTS ===
showDelta = input.bool(true, "Show OHLC + Delta Bubble")
showSM = input.bool(true, "Show Smart Money Bubble")
depth = input.int(12, "Golden Zone Depth")
// === INDICATORS ===
sma20 = ta.sma(close, 20)
vwapVal = ta.vwap
// === GOLDEN ZONE ===
ph = ta.pivothigh(high, depth, depth)
pl = ta.pivotlow(low, depth, depth)
var float lastHigh = na
var float lastLow = na
lastHigh := not na(ph) ? ph : lastHigh
lastLow := not na(pl) ? pl : lastLow
fullrange = lastHigh - lastLow
goldenTop = lastHigh - fullrange * 0.618
goldenBot = lastHigh - fullrange * 0.786
inGoldenZone = close >= goldenBot and close <= goldenTop
// === DELTA ===
delta = (close - open) * volume
absDelta = math.abs(delta)
deltaColor = delta > 0 ? color.new(color.green, 70) : color.new(color.red, 70)
deltaStr = absDelta > 1e6 ? str.tostring(delta / 1e6, "#.##") + "M" :absDelta > 1e3 ? str.tostring(delta / 1e3, "#.##") + "K" :str.tostring(delta, "#.##")
// === CANDLE COLORING ===
barcolor(absDelta > 2 * ta.sma(absDelta, 14) ? (delta > 0 ? color.green : color.red) : na)
// === OHLC + DELTA BUBBLE ===
if showDelta
var label infoLabel = na
infoText = "O: " + str.tostring(open, "#.##") +
" H: " + str.tostring(high, "#.##") +
" L: " + str.tostring(low, "#.##") +
" C: " + str.tostring(close, "#.##") +
" Δ: " + deltaStr
infoLabel := label.new(bar_index, high + syminfo.mintick * 20, infoText,style=label.style_label_up, size=size.small,textcolor=color.white, color=color.new(color.gray, 80))
// === SMART MONEY SIGNAL ===
efficiency = math.abs(close - open) / (high - low + 1e-10)
isExplosive = efficiency > 0.6 and absDelta > 2 * ta.sma(delta, 14)
smBuy = close > open and isExplosive and inGoldenZone and close > sma20
smSell = close < open and isExplosive and inGoldenZone and close < sma20
if showSM
if smBuy
var label smBuyLabel = na
smBuyLabel := label.new(bar_index, low - syminfo.mintick * 10, "SM Buy", style=label.style_label_up,size=size.normal, color=color.yellow, textcolor=color.black)
if smSell
var label smSellLabel = na
smSellLabel := label.new(bar_index, high + syminfo.mintick * 10, "SM Sell", style=label.style_label_down,size=size.normal, color=color.orange, textcolor=color.black)
// === SIDEWAYS ZONE WARNING ===
range20 = ta.highest(high, 20) - ta.lowest(low, 20)
atr = ta.atr(14)
isSideways = range20 < atr * 1.5
blinking = isSideways and bar_index % 2 == 0
plotshape(blinking, title="Sideways Warning", location=location.top,style=shape.triangleup, size=size.small,color=color.new(color.yellow, 0), text="⚠️")
// === PLOTS ===
plot(vwapVal, title="VWAP", color=color.aqua)
plot(goldenTop, title="Golden Top", color=color.yellow)
plot(goldenBot, title="Golden Bottom", color=color.orange)
VIsthis is to make it easy to identify volume imbalances and flat candles.
these are STRONG magnets that will attract price and you should be aware of them when trading
FUMO Monday Pulse💓 FUMO Monday Pulse – Weekly Directional Strategy
FUMO Monday Pulse is a directional trading strategy designed to detect early-week momentum and breakout structure, based on Monday’s high and low levels. This tool combines smart breakout detection, retests, and volume filters — ideal for traders looking to systematize early trend entries.
🔍 How It Works
Each week, the indicator automatically tracks Monday’s High and Low, then evaluates how price reacts around those levels during the rest of the week.
It generates two types of signals:
RETEST signals (LONG / SHORT) – a confirmed breakout on a higher timeframe (e.g. 4H), followed by a retest with candle and volume confirmation.
TREND signals (UP / DOWN) – impulsive moves without confirmation, often indicating the start of a directional push.
⚙️ Key Features
Customizable line width, style, and label size
Volume confirmation (optional)
Higher timeframe breakout validation
Cooldown period between signals to avoid clutter
🔔 Alerts
This script supports 4 alert types:
FUMO: RETEST LONG
FUMO: RETEST SHORT
FUMO: TREND UP
FUMO: TREND DOWN
Each alert sends a structured JSON payload via webhook:
{
"event": "RETEST_LONG",
"source": "FUMO_Monday_Pulse",
"symbol": "{{ticker}}",
"time": "{{time}}",
"price": {{close}}
}
You can use this with Telegram bots, Discord webhooks, or execution scripts.
💡 Recommended Use
Use this tool on 15m–1H charts, especially for breakout traders looking to align with early-week momentum. Built to integrate with automated workflows — and powered by the FUMO mindset: focus, structure, clarity.
Buy and Sell with Entry-SL-TGT The Buy & Sell with Entry-SL-TGT Indicator is a trend-following tool that generates Buy (B), Sell (S), Risky Buy (RB), and Risky Sell (RS) signals. It is designed based on Average True Range (ATR) calculations and integrates seamlessly with basic trading studies. Developed to provide double-confirmation signals, it enhances trend-following strategies. The indicator filters standalone signals using the TD Line to reduce false positives. It plots customizable Entry, Stop-Loss (SL), and Target (TP) lines with user-defined Risk-Reward Ratios (1:1, 1:2, 1:3) and accounts for gap-ups/downs (0.3% threshold). A Smart Rebalancer plots a 12.5% downside line for positional trading. Alerts are configurable for specific or all signals. It is not intended for standalone use without market knowledge.
Retail Pain Index (RPIx) (RPIx) Retail Pain Index (DAFE)
See the Market’s Pain. Trade the Edge.
The Retail Pain Index (RPIx) is a next-generation volatility and sentiment tool designed to reveal the hidden moments when retail traders are most likely being squeezed, stopped out, or forced to capitulate. This is not just another oscillator—it’s a behavioral market scanner that quantifies “pain” as price rips away from the average entry zone, often marking the fuel for the next big move.
Why is RPIx so Unique?
Behavioral Volatility Engine:
RPIx doesn’t just track price or volume. It measures how far price is moving away from where the crowd has recently entered (using a rolling VWAP average), then normalizes this “distance” into a Z-score. The result? You see when the market is inflicting maximum pain on the most participants.
Dynamic, Intuitive Coloring:
The main RPIx line is purple in normal conditions, but instantly turns red when pain is extreme to the upside (+2.00 or higher) and green when pain is extreme to the downside (-2.00 or lower). This makes it visually obvious when the market is entering a “max pain” regime.
Threshold Lines for Clarity:
Dashed red and green lines at +2.00 and -2.00 Z-score levels make it easy to spot rare, high-pain events at a glance.
Signature Dashboard & Info Line:
Dashboard: A compact, toggleable panel in the top right of the indicator pane shows the current Z-score, threshold, and status—perfect for desktop users who want a quick read on market stress.
Info Line: For mobile or minimalist traders, a single-line info label gives you the essentials without cluttering your screen.
Inputs & Customization
Entry Cluster Lookback: Adjusts how many bars are used to calculate the “entry zone” (VWAP average). A higher value smooths the signal, a lower value makes it more responsive.
Pain Z-Score Threshold:
Sets the sensitivity for what counts as “extreme pain.” Default is ±2.00, but you can fine-tune this to match your asset’s volatility or your own risk appetite.
Show Dashboard / Show Compact Info Label:
Toggle these features on or off to fit your workflow and screen size.
How to utilize RPIx's awesomeness:
Extreme Readings = Opportunity:
When RPIx spikes above +2.00 (red) or below -2.00 (green), the market is likely running stops, liquidating weak hands, or forcing retail traders to capitulate. These moments often precede sharp reversals, trend accelerations, or volatility expansions.
Combine with Price Action:
Use RPIx as a confirmation tool for your existing strategy, or as a standalone alert for “pain points” where the crowd is most vulnerable.
Visual Edge:
The color-coded line and threshold levels make it easy to spot regime shifts and rare events—no more squinting at numbers or guessing when the market is about to snap.
Why RPIx?
Works on Any Asset, Any Timeframe:
Stocks, futures, crypto, forex—if there’s a crowd, there’s pain, and RPIx will find it.
Behavioral Alpha:
Most indicators lag. RPIx quantifies the psychological stress in the market, giving you a real-time edge over the herd.
Customizable, Clean, and Powerful:
Designed for both power users and mobile traders, with toggles for every workflow.
See the pain. Trade the edge.
Retail Pain Index: Because the market’s next move is written in the crowd’s discomfort.
For educational purposes only. Not financial advice. Always use proper risk management
Use with discipline. Trade your edge.
— Dskyz , for DAFE Trading Systems, for DAFE Trading Systems
Stop Cascade Detector Stop Cascade Detector (DAFE)
Unlock the Hidden Triggers of Market Momentum!
The Stop Cascade Detector (Bull & Bear, Info Bubble) is a next-generation tool designed for traders who want to see what the crowd can’t: the precise moments when clusters of stop orders are being triggered, unleashing explosive moves in either direction. The reason for this is traders taking there position too early. We on the other hand will take our positions once the less informed traders have been liquidated.
What Makes This Indicator Unique?
Not Just Another Volatility Tool:
This script doesn’t just measure volatility or volume. It detects the chain reactions that occur when price and volume spikes combine to trigger stop-loss clusters—events that often precede the most powerful surges and reversals in any market.
Directional Intelligence:
Unlike generic “spike” detectors, this tool distinguishes between bullish stop cascades (green, above the bar) and bearish stop cascades (red, below the bar), giving you instant clarity on which side of the market is being liquidated.
Visual Precision:
Each event is marked with a color-coded info bubble and a triangle, clearly separated from the price bars for maximum readability. No more guessing where the action is—see it, trade it, and stay ahead.
Universal Application:
Works on any asset, any timeframe, and in any market—futures, stocks, crypto, forex. If there are stops, this indicator will find the cascade.
What makes it work?
Momentum + Volume Spike:
The detector identifies bars where both price momentum and volume are simultaneously extreme (using Z-scores). This combination is a classic signature of stop runs and forced liquidations.
Bull & Bear Detection:
Bull Stop Cascade : Price plunges downward with a volume spike—likely longs getting stopped out.
Bear Stop Cascade: Price surges upward with a volume spike—likely shorts getting stopped out.
Info Bubbles:
Each event is labeled with the exact Z-scores for momentum and volume, so you can gauge the intensity of the cascade at a glance.
What will it do for you?
Front-Run the Crowd:
Most traders react after the move. This tool helps you spot the cause of the move—giving you a tactical edge to fade exhaustion, ride momentum, or avoid getting trapped.
Perfect for Scalpers, Day Traders, and Swing Traders:
Whether you’re looking for high-probability reversals or want to ride the wave, knowing when stops are being triggered is a game-changer.
No More Blind Spots:
Stop cascades are the hidden fuel behind many of the market’s biggest moves. Now you can see them in real time.
How to Use
Red Bubble Above Bar: Bear stop cascade detected—watch for possible trend acceleration or reversal.
Green Bubble Below Bar: Bull stop cascade detected—watch for possible trend acceleration or reversal.
Combine with Your Strategy : Use as a confirmation tool, a reversal signal, or a filter for high-volatility environments. Level up your trading. See the market’s hidden triggers.
Stop Cascade Detector: Because the real edge is knowing what sets the market on fire.
For educational purposes only. Not financial advice. Always use proper risk management.
Use with discipline. Trade your edge.
— Dskyz, for DAFE Trading Systems
MMPD @MaxMaserati 2.0The MMPD @MaxMaserati 2.0 is a powerful TradingView indicator (Pine Script v6) designed to reveal institutional price action when paired with MMM 2.0 and MMPB 2.0 as part of the Max Maserati Method (MMM) System. It analyzes momentum across multiple timeframes, helping you understand whether the market is overbought (premium) or oversold (discount). With vibrant candle colors, a consistency table, momentum dots, and renamed lines for clarity, it provides an intuitive way to read market dynamics.
Key Features
Multi-Timeframe Analysis: Evaluates six user-defined timeframes to ensure signal consistency.
Candle Classifications: Colors candles to reflect momentum and institutional activity (e.g., Strong Bullish, Bearish Reversal).
Consistency Table: Displays candle types and market conditions across timeframes with a summary bias.
Momentum Dots: Visual dots indicate alignment strength across momentum, balance, and trend direction.
Premium/Discount Zones: Highlights overbought (red fill) and oversold (green fill) areas.
Renamed Lines: Clear labels like "Momentum Line," "Balance Line," and "Trend Direction Line" for better usability.
Input Parameters
Timeframe Settings: Six timeframes (htf1 to htf6, default: 45s, 1m, 5m, 15m, 60m, daily) for multi-timeframe analysis.
Display Settings:
Use Closed Candle Data: Default true, ensures reliability by using closed candles.
Show Momentum Line: Default true, displays the momentum indicator.
Show Balance Line: Default true, shows the market’s directional balance.
Show Trend Direction Line: Default false, optional trend slope.
Trend Direction Length: Default 10, range 3-50, adjusts trend slope sensitivity.
Show Premium/Discount Fill: Default true, highlights overbought/oversold zones.
Visual Settings: Customize colors (e.g., Bullish Color, Bearish Color) and candle opacity (default 20, range 0-100).
Threshold Settings:
Percentage Threshold: Default 60%, sets minimum strength for bullish/bearish classifications.
Premium Threshold: Default 65, defines overbought zone.
Discount Threshold: Default 35, defines oversold zone.
Core Components
1. Candle Types
MMPD classifies candles based on price action, syncing with MMM 2.0’s structure and MMPB 2.0’s blocks:
Strong Bullish: Institutional buying, often at MMPB eBreaks.
Bullish Resumption: Buyers continuing after a pause, tied to MMM’s C3/C4.
Bullish Reversal: Buyers flipping bearish moves, great at MMPB discount zones.
Weak Bullish: Mild bullishness, confirm with MMM’s PO4.
Bullish Pullback: Buyers resting, a setup for MMM’s resumption.
Strong Bearish: Heavy selling, often at MMPB premium eBlocks.
Bearish Resumption: Sellers pushing on, aligned with MMM’s bearish PO4.
Bearish Reversal: Sellers dominating, great at MMPB premium zones.
Weak Bearish: Soft selling, check MMM’s MC2.
Bearish Pullback: Sellers pausing, potential MMPB short entries.
Neutral: No clear direction, use MMM’s structure.
Trap: Warning of a fake-out, cross-check with MMM.
HVC Bullish: Explosive up-move, align with MMM’s C4.
HVC Bearish: Sharp drop, confirm with MMPB’s bearish blocks.
2. Candle Colors
Colors enhance readability, tying to MMM and MMPB:
Bright Green: Strong Bullish/Resumption—big buying.
Cyan: Bullish Reversal—buyers flipping bearish moves.
Green: Weak Bullish/standard bullish close.
Light Green: Bullish Pullback—buyers pausing.
Magenta: Strong Bearish/Resumption—big selling.
Bright Red: Bearish Reversal—sellers taking over.
Red: Weak Bearish/standard bearish close.
Light Red: Bearish Pullback—sellers resting.
Teal: HVC Bullish—high-energy surge.
Dark Red: HVC Bearish—sharp drop.
Orange: Trap—potential fake-out.
Gray: Neutral—no clear bias.
3. Market Conditions
MMPD flags pricing levels:
Extreme Premium (>90): Overbought, likely reversal.
Premium (65-90): Pricey, cautious longs.
Neutral (35-65): Balanced market.
Discount (10-35): Bargain, buying opportunity.
Extreme Discount (<10): Deeply undervalued.
4. Consistency Table
A top-right table summarizes:
Timeframes: Your six chosen timeframes.
MMPD Type: Candle type, colored to match.
MMPD Level: Premium/discount/neutral, with red/green backgrounds.
Summary: Bias (Bullish, Bearish, Premium, Discount) and action (Cheap, Expensive, Neutral).
5. Visual Elements
Momentum Line: Tracks momentum, colored per candle type
Balance Line: Green (bullish) or magenta (bearish), shows market direction.
Trend Direction Line: Optional, green up, magenta down.
Momentum Dots: Green (bullish) or magenta (bearish) circles:
3 dots (Normal, at 0/100): Strong alignment of momentum, balance, and trend.
2 dots (Small, at 1/99): Moderate alignment.
1 dot (Tiny, at 2/98): Weak alignment.
Premium/Discount Fills: Red (>65), green (<35).
Candles: Custom candles, colored to reflect momentum.
How to Use It
Setup: Add to TradingView with MMM 2.0 and MMPB 2.0. Set timeframes (e.g., 45s to daily), tweak thresholds, and enable visuals.
Read the Table: Look for alignment (5+ timeframes Bullish/Discount or Bearish/Premium).
Summary guides bias and action
Interpret Candles: Bright Green/Cyan for bullish setups, Magenta/Bright Red for bearish, Orange for traps.
Use Dots: Three green dots signal strong bullish alignment; three magenta dots signal bearish alignment.
Combine with MMM/MMPB: MMM for structure, MMPB for entries—MMPD confirms momentum and pricing.
Why It’s Special
Institutional Insight: Spots big-player moves with MMM and MMPB.
Clear Visuals: Dots and renamed lines make momentum easy to read.
Versatile: Works for scalping or swings, across markets.
Protective: Trap signals and premium/discount zones keep you sharp.
Notes
Lag: Uses closed candles by default—pair with MMM for real-time.
Best in Trends: Shines in moving markets, less clear in chop.
Learning Curve: Takes time to sync with MMM and MMPB.
Customize: Adjust inputs for your market.
Final Thought
“Analyze, wait, repeat.” MMPD @MaxMaserati 2.0, with MMM 2.0 and MMPB 2.0, helps you master price action. It’s your guide to seeing the market like the pros.
Built on the Max Maserati Method for educational and trading purposes.
Volume Flow OscillatorVolume Flow Oscillator
Overview
The Volume Flow Oscillator is an advanced technical analysis tool that measures buying and selling pressure by combining price direction with volume. Unlike traditional volume indicators, this oscillator reveals the force behind price movements, helping traders identify strong trends, potential reversals, and divergences between price and volume.
Reading the Indicator
The oscillator displays seven colored bands that fluctuate around a zero line:
Three bands above zero (yellow) indicate increasing levels of buying pressure
Three bands below zero (red) indicate increasing levels of selling pressure
The central band represents the baseline volume flow
Color intensity changes based on whether values are positive or negative
Trading Signals
The Volume Flow Oscillator provides several valuable trading signals:
Zero-line crossovers: When multiple bands cross from negative to positive, potential bullish shift; opposite for bearish
Divergences: When price makes new highs/lows but oscillator bands fail to confirm, signals potential reversal
Volume climax: Extreme readings where outer bands stretch far from zero often precede reversals
Trend confirmation: Strong expansion of bands in direction of price movement confirms genuine momentum
Support/resistance: During trends, bands may remain largely on one side of zero, showing continued directional pressure
Customization
Adjust these key parameters to optimize the oscillator for your trading style:
Lookback Length: Controls overall sensitivity (shorter = more responsive, longer = smoother)
Multipliers: Adjust sensitivity spread between bands for different market conditions
ALMA Settings: Fine-tune how the indicator weights recent versus historical data
VWMA Toggle: Enable for additional smoothing in volatile markets
Best Practices
For optimal results, use this oscillator in conjunction with price action and other confirmation indicators. The multi-band approach helps distinguish between minor fluctuations and significant volume events that might signal important market turns.
MMM @MaxMaserati 2.0MMM @MaxMaserati 2.0 - TradingView Indicator
The Backbone of the Max Maserati Method
The MMM @MaxMaserati 2.0 indicator is the core of the proprietary Max Maserati Method (MMM), a trading system designed to decode institutional price action. It integrates candle bias analysis, market structure identification, volume-based signals, and precise entry zones to align traders with smart money.
Core Components of the MMM System
1. Six Core Candle Classifications
Master these patterns to reveal institutional behavior:
Bullish Body Close: Closes above previous high, signaling strong buying.
Bearish Body Close: Closes below previous low, indicating intense selling.
Bullish Affinity: High tests previous low, closes within range, showing hidden bullish strength.
Bearish Affinity: Low tests previous high, closes within range, reflecting bearish pressure.
Seek & Destroy: Breaks both previous high/low, closes inside, direction depends on close.
Close Inside: High/low within previous range, bias based on close.
2. Plus/Minus Strength System
Quantifies candle conviction:
Bullish Strength: Low to close distance.
Bearish Strength: High to close distance.
Plus (+): Dominant strength signals strong follow-through.
Minus (-): Balanced strengths suggest caution.
3. PO4 Candles (Power of OHLC (4))
Analyzes OHLC for body-closed candles after swing high/low fractals:
C2: Body close above high/below low post fractal with strength conditions.
C3: Stronger body close with pronounced low/high breakouts.
C4: Body close which show strength and might trigger a BeB/BuB
Visualization: Green (bullish), purple (bearish) bars; triangle markers for fractals.
4. MC2 (High Volume Reversal Candles)
High buy/sell volume candles reversed by opposing volume:
Bullish MC2: Buy volume flipped by sell volume, signaling exhaustion.
Bearish MC2: Sell volume flipped by buy volume, indicating reversal.
Visualization: Dark green (bullish), dark red (bearish) bars.
5. MMM Blocks (eBlocks and iBlocks)
Marks institutional order blocks:
External Blocks (eBlocks): At market structure changes (MSC), labeled BuB/BeB.
Internal Blocks (iBlocks): Within trends, labeled L/S.
Volume: Normalized with indicators (🔥 high, ↑ above average, ↓ low).
Filters: Discount (0-50), premium (50-100), extreme (0-20, 80-100), mid-range (20-50, 50-80).
6. Entry Blocks - Specific Entry Areas
Entry Blocks are precise zones for framing trades based on the MMM system, triggered post-MSC to capitalize on institutional momentum:
Purpose: Pinpoint high-probability entry areas following a Market Structure Change (MSC), aligning with smart money direction.
Formation:
MMM Entry Block Long: Forms after a bullish MSC (BuB), typically at the swing low (e.g., lowerValueMSC) of the fractal pattern, marking a long entry zone.
MMM Entry Block Short: Forms after a bearish MSC (BeB), typically at the swing high (e.g., upperValueMSC), marking a short entry zone.
Styles :
Close-to-Swing High/Low: Box drawn from the candle’s close to the swing high/low level, emphasizing the fractal pivot.
High/Low-to-Close: Box drawn from the candle’s high/low to its close, capturing the full price action range.
Visualization:
Labeled “MMM Entry Block Long” (cyan background/border) or “Short” (pink background/border).
Includes a dashed midline for reference.
Volume displayed if enabled, normalized with markers (🔥 >150%, ⚡ >120%, ❄️ <70%).
Behavior:
Deletes when price touches the level (On Level Touch) or closes beyond it (On Candle Close)
Limited to a configurable number ( default 5) to avoid clutter.
Trade Framing:
Entry: Enter within the eBreak box, ideally on a pullback or confirmation candle aligning with MMM bias (e.g., Bullish Body Close or Affinity).
Stop-Loss: Placed below the eBreak low (bullish) or above the high (bearish), leveraging the swing level as support/resistance.
Take-Profit: Targets higher timeframe high (bullish) or low (bearish), with ratio (default 2.0) for risk-reward.
MMM Integration: Use candle bias (Plus/Minus), PO4 signals, and MMPD consensus to confirm entry direction and strength.
Significance: eBreaks frame trades by isolating institutional entry points post-MSC, reducing noise and enhancing precision.
7. Market Structure Change (MSC)
Tracks structure shifts:
Detection: Fractal highs/lows with adjustable candle count.
Visualization: Green (BuB), red (BeB) lines/labels; numbered breaks (Bub1/Beb1).
Counter: Tracks consecutive MSCs for trend strength.
8. MMPD (Market Momentum Price Delivery)
Analyzes momentum/trend:
Conditions: Red (bearish), Green (bullish), Pink (modifying bearish), Pale Green (modifying bullish).
Traps: Flags bullish/bearish traps when MMPD conflicts with body close.
Metrics: SuperMaxTrend, momentum (K/D), MMPD level.
Consensus: Rated signals (e.g., “Very Strong Buy ★★★★★”).
9. Trade and Risk Management
Disciplined trading:
Entry Visualization: Entry, stop-loss, take-profit lines/labels with customizable risk (riskAmount, default $50) and reward (ratio).
Behavior: Shows last/all entries, removes on MSC shift or breach.
Text Size: Tiny, Small, Normal.
NB: The Trade and risk management is to use with caution, it is not fully implemented yet.
10. Stats Table
Real-time dashboard:
Elements: Timeframe, symbol, candle bias, strength, MMPD, momentum, SuperMaxTrend, MMPD level, volume, consensus, divergence, delta MA, price delivery, note (“Analyze | Wait | Repeat”).
Customization: Position, size, element visibility.
Colors: Green (bullish), red (bearish), orange (warnings), gray (neutral).
11. Delta MA and Divergence
Monitors volume delta:
Delta MA: Smoothed delta with direction arrows (↗↘→).
Divergence: Flags MMPD-momentum divergences (⚠️).
Key Features
Automated Analysis: Detects PO4, MSC, blocks, MC2, Entry Block via OHLC.
Color-Coded Visualization: Bars, lines, table cells reflect bias/strength.
Dynamic Bias Lines: Higher timeframe high/low lines with labels.
Volume Analysis: Normalized volume across blocks, entries, MC2.
Flexible Filters: Tailors block/entry Block display to strategies.
Real-Time Metrics: Tracks strength, delta, trend points.
Trading Advantages
Institutional Insight: Decodes manipulation via OHLC and volume.
Early Reversals: Spots shifts via PO4, MC2, MSC, Entry Blocks.
Precise Entries: entry block frame high-probability trades.
Robust Risk Management: Stop-loss, take-profit, risk-reward.
Simplified Complexity: Actionable signals from complex action.
Profit Target Framework
Bullish: Higher timeframe high.
Bearish: Higher timeframe low.
Plus Strength: Direct move.
Minus Strength: Pullbacks expected.
Entry Blocks/MSC-Driven: Entry anchor entries to MSC targets.
Trader’s Mantra
“Analyze | Wait | Repeat” - Discipline drives profits.
The MMM @MaxMaserati 2.0 indicator, with Entry Blocks as specific trade-framing zones, offers a professional-grade framework for precise, institutional-aligned trading.
Note: Based on the proprietary Max Maserati Method for educational and analytical use.
VOL & AVG OverlayCustom Session Volume Versus Average Volume
Description:
This indicator will create an overlay on your chart that will show you the following information:
Custom Session Volume
Average For Selected Session
Percentage Comparison
Options:
Set Custom Time Frame For Calculations
Set Custom Time Frame For Average Comparison
Set Custom Time Zone
Enable / Disable Each Value
Change Text Color
Change Background Color
Change Table location
Example:
Set indicator to 30 period average. Set custom time frame to 9:30am to 10:30am Eastern/New York.
When the time frame for the calculation is closed , the indicator will provide a comparison of the current days volume compared to the average of 30 previous days for that same time frame and display it as a percentage in the table.
In this example you could compare how the first hour of the trading day compares to the previous 30 day's average, aiding in evaluating the potential volume for the remainder of the day.
Notes:
Times must be entered in 24 hour format. (1pm = 13:00 etc.)
This indicator is for Intra-day time frames, not > Day.
If you prefer data in this format as opposed to a plotted line, check out my other indicator: ADR & ATR Overlay
AlphaLiquidity Divergence PRO1️⃣ Most traders struggle to identify true market pivots - the real tops and bottoms where reversals begin.
❌ They often enter too late or too early.
❌ They follow price alone, unaware of what’s happening beneath the surface.
❌ Sideways markets mislead them, hiding accumulation or distribution by larger players.
❌ They don’t know if momentum is building or fading, so confidence is low — and consistency suffers.
2️⃣ AlphaLiquidity Divergence PRO was built to solve this.
✅ It combines price action with volume-based liquidity behavior to help traders detect:
✅ Hidden accumulation or distribution
✅ High-probability bullish or bearish divergences
✅ True pivot zones where smart money may be entering or exiting positions
It provides visual confirmations — helping You (traders) build clarity, timing, and conviction in their decisions.
3️⃣ What the Indicator Does & How It Works?
Directional Momentum (Slope of AlphaLiquidity)
The slope of AlphaLiquidity reveals whether institutional liquidity is building or draining.
When AlphaLiquidity is rising, it often reflects inflow suggesting bullish intent or growing strength behind price.
When AlphaLiquidity is falling, it indicates outflow. Signaling weakening interest or pressure behind a move.
This directional shift provides an early look into whether a trend is likely to continue or stall.
4️⃣ Divergences Between Price and AlphaLiquidity
At the core of the system is a divergence detection engine.
The indicator compares price highs/lows with AlphaLiquidity highs/lows using a pivot-based method. When price moves in one direction but AlphaLiquidity does not confirm . That's a divergence.
These mismatches are powerful because they often appear just before market reversals, especially when they occur within extreme AlphaLiquidity zones (overbought or oversold conditions).
Potential Confidence Scoring with labeling of Potential BEAR and Potential BULL.
Each Confidence Scoring is here to help the trader quickly evaluate its quality. This score is
based on three main factors:
➡️ Is a divergence present?
➡️ Is the current AlphaLiquidity in an extreme zone (above 80 or below 20)?
➡️ Does the broader trend (e.g., via EMA) align with the direction of the signal?
The score provides a quick, visual assessment that helps prioritize higher-probability setups and reduce overtrading.
Understanding AlphaLiquidity Zones
AlphaLiquidity values range between 0 and 100, and the indicator highlights zones which is trying to simulate the potential behaviour of smart money:
➡️ Above 80: Says that there is a potential exhaustion from heavy buying - often a sell zone or start of distribution.
➡️ Below 20: Indicates potential accumulation or oversold exhaustion - often a buy zone.
These zones are visually shaded, making it easier to spot where institutional participants may be active. Typically buying when prices are low and selling into strength.
Volume-Weighted Price Flow
Unlike price-only indicators, AlphaLiquidity blends both price action and volume, offering insight into how committed the market is behind a move — not just where price is going, but how convincingly it’s getting there.
🟢🔴 Visual Feedback
Green slope = inflow / building pressure
Red slope = outflow / weakening conviction
This color-coded logic allows traders to visually track momentum without extra noise.
5️⃣ How to Read AlphaLiquidity in Sideways Markets
In the green highlighted zones, we can see the market moving sideways - seemingly flat on the surface. But beneath that, AlphaLiquidity is rising, which indicates that accumulation is taking place. This means smart money is quietly building positions while retail may be unaware.
In contrast, the red highlighted zones also show sideways movement, but AlphaLiquidity is decreasing over time. This signals distribution, smart money is offloading positions while price action remains stable.
You can clearly see this behavior in Bitcoin during key market tops and bottoms — areas where accumulation or distribution occurred before major price moves.
6️⃣ Which Timeframes Work Best?
AlphaLiquidity Divergence PRO is compatible with any asset that has volume — including crypto, futures, and stocks.
It works well on all major timeframes, from investor-level weekly charts down to swing trading ranges like 4H or daily.
The indicator also performs accurately on intraday charts like 15m, 5m, or 1m.
Below 1-minute (e.g. 30s, 5s, 1s), the accuracy begins to degrade due to market noise and thin volume.
✅ For best results, use it on charts 3 minute and higher for stable, reliable scores.
Live examples:
1. Accumulation and Distribution zones
2. Overbought and Oversold
3. Confidence Score
7️⃣ Q&A Session
➡️ Can this actually help me avoid bad trades?
Yes, to a certain degree. AlphaLiquidity helps you recognize key zones where market pivots are likely to form. This can improve your timing and decision-making, especially in sideways or unclear price action.
However, its accuracy decreases on very low timeframes, such as under 1 minute. Like any tool, it should never be used in isolation.
This is not a guaranteed signal system. It's a decision-support tool. For best results, it should be combined with other forms of confluence, such as market structure, support/resistance, or trend confirmation.
It's not about being right 100% of the time. It's about seeing what others miss and using that insight wisely.
➡️ Is this just another flashy signal tool?
This isn't a black-box signal generator. AlphaLiquidity shows you why the market might be turning, using volume-backed divergence and zone behavior.
➡️ How do I know I’m not just getting scammed again?
AlphaLiquidity uses principles rooted in real market behavior such as volume, price, and institutional patterns. It's made for traders, by traders who've been there.
➡️ Will this work with how I trade?
It works on any chart with volume - crypto, stocks, futures and supports timeframes from 1-minute to weekly. Whether you scalp, swing or Investing you’ll find value.
➡️ Can I trust the signals?
It’s important to note that these are not traditional ‘buy/sell’ signals. They are confidence-based insights, scored using real, structured divergence logic - not randomness.
Each setup is evaluated based on multiple conditions, like divergence presence, liquidity zone strength, and optional trend alignment. This gives you a measured confidence score, not just a binary yes/no signal.
And you’re encouraged to add your own confluences - such as market structure, EMAs, or price action, to stack your edge and make more informed decisions.
Think of it as a decision filter, not a signal trigger.
8️⃣ Final Thoughts
AlphaLiquidity Divergence PRO isn’t a magic solution. It’s a clarity tool. It’s built to help you spot high-probability market pivots, understand when momentum is shifting, and make more confident decisions based on volume-backed structure, not noise.
It’s most effective when used as part of a broader strategy, alongside your own analysis and confluences. If you’re looking for a smarter way to read the market and filter out low-quality setups, this tool can help.
But if you’re already confident in your current approach and don’t see the value in adding liquidity and divergence insights that’s perfectly fine too. Stick to what works for you.
➡️ AlphaLiquidity is for those who want to add a volume-based divergence lens to their existing analysis process.
2EMA + 13EMA + RSI + MACD Strategya crossover setup that yields arrows where key point and conditions are met
AQPRO Block Force
📝 INTRODUCTION
AQPRO Block Force is a powerful trading tool designed to identify and track Orderblocks (OBs) in real-time based on Fair Value Gap (FVG) principles. This indicator employs quite strict yet effective FVG filtering criteria to ensure only significant OBs are displayed, avoiding minor inefficiencies or duplicates within the same impulse or corrective moves. Each OB adapts dynamically to price action and can be categorized as Classic, Strong, or Extreme, based on proprietary conditions and best ideas from SMC (Smart Money Concepts).
In addition to plotting Orderblocks, the indicator offers useful filtering systems like an Age Filter to ensure cleanliness of the OB data on the chart and prevent old, irrelevant OBs from obstructing the chart. Users can also enable MTF (Multi-Timeframe) functionality to view OBs from other timeframes, providing a comprehensive analysis across multiple levels of market structure. With extensive customization options, AQPRO Block Force allows traders to tailor the visuals and behavior to fit their specific trading preferences.
This indicator does not parse any instituotinal data, order books and other fancy financial sources for finding order blocks nor it uses them for confirmation purposes. Calculations algorithms of order blocks are based purely on current asset's price history.
IMPORTANT NOTE: in the sections below term 'quality' will be applied to orderblocks quite a number of times. By 'quality' in the context of orderblocks we mean the reaction of price upon the sweep of orderblock. Basically, if the price reverses after reaching the orderblock, this orderblock is considered to be of high quality. Definition for low -quality orderblock can be deducted by analogy.
🎯 PURPOSE OF USAGE
This indicator serves one and only purpose — help traders identify most lucrative institutional orderblocks on the chart in real time. Even though event of price reaching an orderblock cannot be considered as a sole signal in many trading strategies without proper confirmation, such event nevertheless is quite important in SMC-based trading, because when price sweeps OB it usually means, that a reversal will soon follow, but, of course, this is not the case every time.
Traders should not expect from this indicator detection of perfect orderblocks, which would surely revese the price on encounter, but they can expect is a time-proven algorithm of determing orderblocks that on average produces more high-quality orderblocks than simple similar tools from open-source libraries.
More in-depth advices on the usage will be given in the sections below, but for now let's summarise subgoals of the indicator:
Detecting orderblocks filtered through strict FVG validation rules to improve overall quality of orderblocks;
Classifying orderblocks as Classic, Strong, or Extreme based on wether or not classic orderblocks pass filtering conditions, which are based on crossing critical price levels and SMC principles like ChoCh (Change of Character);
Eliminating clutter and manage chart space with the Age Filter, removing old OBs outside a user-defined age range;
Utilizing MTF functionality to track significant OBs from other timeframes alongside current timeframe analysis;
Providing traders with customization options for indicator's visuals to help them organize information on the chart in a clean way.
⚙️ SETTINGS OVERVIEW
This indicator's customization options allow you to fully control its functionality and visuals. Below is a breakdown of the settings grouped by the exact setting sections and parameters from the indicator:
🔑 Main Settings
Show OBs from current timeframe — toggles the display of OBs from the current timeframe on the chart;
Show classic OBs — enables or disables the display of Classic OBs;
Show strong OBs — enables or disables the display of Strong OBs, which meet the ChoCh-based filter criteria;
Show extreme OBs — enables or disables the display of Extreme OBs, which exceed proprietary price level risk thresholds.
⏳ Filter: Age
Use Age Filter — toggles the Age Filter, which removes old OBs based on their age;
Max Age — sets the maximum age of OBs to be displayed (in bars). OBs older than this value will be hidden;
Min Age — sets the minimum age of OBs to be displayed (in bars). OBs younger than this value will not be shown.
🌋 MTF Settings
Show MTF OBs — toggles the display of OBs from higher timeframes;
Timeframe — select the timeframe to use for MTF OB detection (e.g., 15m, 1h).
⏳ MTF / Filter: Age
Use Age Filter (MTF) — toggles the Age Filter for MTF OBs;
Max Age — sets the maximum age of MTF OBs to be displayed (in bars);
Min Age — sets the minimum age of MTF OBs to be displayed (in bars).
🎨 Visual Settings
Classic OB (Bullish) — sets the color for bullish Classic OBs;
Classic OB (Bearish) — sets the color for bearish Classic OBs;
Strong OB (Bullish) — sets the color for bullish Strong OBs;
Strong OB (Bearish) — sets the color for bearish Strong OBs;
Extreme OB (Bullish) — sets the color for bullish Extreme OBs;
Extreme OB (Bearish) — sets the color for bearish Extreme OBs.
📈 APPLICATION GUIDE
Application methodology of this indicator is pretty much the same as with any other indicator, whose purpose is to find and display orderblocks on the chart. However, before actually diving into the guide on application, we want to make a small step back to remind traders of the history of orderblocks as a concept, its limitations and benefits.
Orderblocks themselves are essentially just zones of potential institutional interest, which if reached are expected to reverse the price in the opposite direction. 'Potential' is a suitable remark for indicator's success probability, because, as was mentioned above, orderblocks don't guarantee price reversal regardless of quality of the indicator. This is the case for the simplest of reasons — orderblocks are based solely on price history and thus are to be considered a mathematical model , degree of success of which is never 100%, because all mathematical models abide by a "golden rule of trading" : past performance doesn't guarantee future results.
However, the extensive history of orderblocks clearly shows that this tool, despite being decades old, can still help traders produce market insights and improve any strategy's performance. Orderblocks can be used both as a primary source of signals and as confirmation tool, but from our experience they are better to be used as confirmation tool. Our indicator is not an exception in this matter and we advice any trader to use it mainly for confirmation purposes, because use-case of orderblocks as confirmation tools have much success stories on average than being used as primary signal source.
This being said, let's return to the application guide and start reviewing the indicator from the most basic step — how it will look like when you first load it on your chart:
This indicator consisis of 3 main logic blocks:
Orderblock evaluation;
MTF Orderblock evaluation;
Orderblock post-filtering.
The principles behind these logic blocks will be easy to understand for truly experiences traders, but we understand the need to explain them to a wider audience, so let's review each of these logic blocks below.
ORDERBLOCK EVALUATION
Principles behind our orderblock detection logic are as follows:
Find FVG (Fair Value Gap) .
Note: this indicator uses only three-candle FVGs and doesn't track FVGs with insidebars after third (farther) candle.
If you don't know what FVG means, we recommend researching this term in the Internet, but the basic explanation is this: FVG is the formation of candles, which are positioned in a way that there are an unclosed price area between 1st and 3rd candle.
Conditions:
bullish FVG = high of 3rd candle < low of 1st candle AND high of 3rd candle < close of 2nd candle AND high of 2nd candle < close of 1st candle AND low of 3rd candle < low of 2nd candle ;
bearish FVG = low of 3rd candle < high of 1st candle AND low of 3rd candle > close of 2nd candle AND low of 2nd candle > close of 1st candle AND high of 3rd candle > high of 2nd candle .
See visual showcase of valid & invalid bullish & bearish FVGs on the screenshot below:
As was shown on the screenshot above, the only correc t formation for FVGs are considered to be just like on pictures 1 and 2 (leftmost column of patterns) . Only these formations will take part in further determenings orderblocks.
Send FVGs through filtering conditions.
This is the truly important part. Without properly filtering FVGs we would get huge clusters of FVGs on the chart and they will not make sense to be reviewed, because there will be just too much of them and their quality will be very questionable .
Even though there is a quite number of ways to filter FVGs, we decided to go with the ones we deem actually useful. For this indicator we chose two methods, that work in tandem — 1) base candle's inside bar condition and 2) single appearance on current impulse/correction line. Let's review these conditions below and start with looking at the examples of them on the screenshot below:
Examples of 1st & 2nd conditions are displayed on the left and right charts respectively.
The filtering logic in 1st and 2nd is quite connected and further explanation should help you understand it just enough to start trading with our indicator.
Let's start with explaining the term 'base candle' and logic behind it. Base candle candle be explained quite shortly: it is the latest candle on the chart, whose high or low broke previous base candle's high or low respectively. The first candle in the time series of price data is by default considered the base candle. If any new candle after base candle doesn't overtake base candle's high or low (meaning, that this candle is inside the range of base candle), such candle is called an "inside bar" .
Inside bar's term is important to understand, because FVGs, which appear inside the inside bars are usually quite useless, because price doesn't react from them, so orderblocks with such FVGs are also of bad quality as well. Clear depiction of inside bar was provided in the screenshot of conditions above on the left chart, so we won't waste time making another example.
However, this is not it. Base candle, inside bars and a few other types of bars are all a part of SMC ideas and in the world of SMC there is a special term, that hold the most important place and is considered the cornerstone of SMC methodology — impulse/correction lines (valid pullbacks) . The average definition of impulse/correction lines is quite hard to understand for an average trader, but we can summarise like this:
Impulse/correction line is a line, that starts at the beginning of the sequence of base candles, each new candle of which consistently updates previous base candle's respective high/low.
We won't go into description of this principle because it is outside of scope of this indicator, but you can research this topic in the Internet by keywords ' impulse correction trading ' or 'valid pullback principles trading '. The general idea of usage of impulse/correction lines in the context of this indicator is that each such lines 'holds' inside at least one FVG and we need to find exactly the first FVG, while leaving all other FVGs behind, because they to be of worse quality on average.
Basically, by using translating these terms into conditions from example above, we have achieved a simple yet powerful filtering system. system for FVGs, which allows us to work with orderblocks of much higher quality than average open-source indicators.
If FVG passed filters, evaluate its OB.
When FVG is confirmed, we can start the evaluation of its orderblock. The evaluation of orderblocks consists of several checkpoints: 1) is orderblock beyond current ChoCh* AND/OR 2) is orderblock from extreme price levels, calculated by our proprietary risk system. Let's review these checkpoints below.
* ChoCh (Change of Character, fundamental SMC idea) — price level, which if broken by close of price can potentially cause a revesal of the trend to direction opposite to the the previous one. To learn more about ChoCh please research the term on the Internet, because this indicator uses its standard definition and explaining of this term goes beyond the scope of this indicator.
To determine if orderblock is beyond current ChoCh levels, we need to first determine where these levels are on the chart. ChoCh levels of this indicator are calculated with a very lite approach, which is based on pivot points.
You can see basic demonstration of ChoCh levels in action on the screenshot below:
IMPORTANT NOTE: pivot period for pivots points inside our indicator is by default equal to 5 and cannot be changed in settings at the moment of publication.
On the screenshot above you can clearly see that ChoCh levels are essentially highest/lowest pivot point levels in between certain range of bars, where price doesn't update its extremum. You can see on there screenshot a new type of line — BoS (Break of Structure). BoS is almost the same thing as ChoCh, but with one change: it is a confirmation of price updating its extremum in the same direction as it was before, while ChoCh updates price extremum in the direction opposite to which it was before .
Why do these levels matter when evaluating the orderblocks? Orderblocks, which are located beyond current BoS/ChoCh levels, are of much higher quality on average than average orderblocks and they are called Strong Orderblocks .
On the chart such orderblocks are marked with 'Strong OB' label inside the body of an orderblock.
You can see the examples of Strong OBs on the screenshot below:
That was the explanation of the 1st orderblock evaluation criteria. Now let's talk about the 2nd one.
Our 2nd evaluation criteria for orderblocks is a test on whether or price is behind specific price level, which is calculated by our proprietary risk system, which is based on fundamental of statistics, such as 'standard deviation' and etc.
This criteria allows us to catch orderblocks, which are located at quite extreme price levels, and mark them on trader's chart explicitly. Orderblocks, which are above our custom price levels, are called Extreme Orderblocks an are marked with 'Extreme OB' label inside orderblock's body.
You can see the example of Extreme OB on the screenshot below:
That was the explanation of the 2nd evaluation criteria of the orderblock.
If an orderblock doesn't pass any of these two criterias, it is considered a classic orderblock. These orderblock are most common ones and have the lowest success rate among other types of orderblocks, listed above. Such orderblocks are marked with 'OB' label inside the orderblock's body.
You can see the examples of classic OB on the screenshot below:
This is it for orderblock evaluation logic. After doing all these steps, all orderblocks that we found are collected and displayed on the chart with their bodies and label marks.
What happens after the detection of the orderblocks?
All active orderblocks are being tracked in real time and their statuses are being updated as well (Strong orderblock can become Extreme orderblock and vice versa) . By an active orderblock we mean an orderblock, which wasn't swept by price's high or low. Bodies of active orderblocks are prolonged to the next candle on each new candle.
If an orderblock was swept, indicator will stop prolonging this orderblock and will mark it as swept on the chart with almost hollow body and dashed border line of the orderblock's body. Also swept orderblocks lose their name label, so you won't see any text in the orderblock after it was swept, but you will see its colour.
You can see the example of an active & swept orderblocks on the screenshot below:
This functionality helps distinguish active orderblocks from swept ones (inactive) and make more informed decisions.
MTF OB EVALUATION
Principles of MTF OBs evaluation are exactly the same as they are for current timeframe's OBs.
MTF OBs are displayed on the chart in same way as other OBs, but with one little change: to the right side of MTF OB's status will be postfix of the timeframe, from which this OB came from. Timeframe for MTF OBs can be chosen by user in the settings of the indicator.
MTF OBs also preserve their statuses (Strong, Extreme and Classic) when displayed on the current timeframe, so you won't stack of mistakenly marked MTF OBs as Extreme just because they are far away from the price.
You can see the example of MTF OBs on the screenshot below:
Also MTF OBs when swept lose only their name label, but the timeframe postfix will still be there, so you could distinguish MTF OBs from OBs of the current timeframe.
See the example of swept MTF OBs below:
Overall MTF orderblocks is a very useful to get a sense of where the higher timeframe liquidity reside and then adjust your strategy accordingly. Taking your trades from the place of high liquidity, like orderblocks, doesn't guarantee certain solid price reaction, but it definitely provides a trader with much a greater change of 1) catching a decent price move 2) not losing money white trading against institutional players.
As was stated above, we recommend using this tool as a confirmation system for your main trading strategy, because its usage as primary source of signals in the long-run is not viable, judging from historical backtest results and general public opinions of traders.
ORDERBLOCK POST-FILTERING
To enhance filtering capabilities of this indicator even further, we decided to add two filters, which would help reduce the amount of bad and untradeable orderblocks. These two filters are 1) age filter and 2) cancellation filter. Let's review both of them below.
Talking about the age filter , this filter was designed to help get rid of old orderblocks, which clutter the chart with visual noise and make it harder to find valueable orderblocks. This filter has to parameters: min age and max age . What does age mean in the context of an orderblock? It is the distance between OB's left border's bar and current bar. If this distance is between min age and max age values, such orderblock is considered valid and age filter passes it for further evaluation, but this distance is too short or too long, age filter deletes this orderblock from the chart.
You can the example of an orderblock which didn't pass age filter requirements and was deleted from the chart on the screenshot below:
It is important to mention that the missing orderblock from the right chart will be appear on the chart right when its age will exceed min age parameter of age filter.
The principle of work for max age parameter can be deducted by analogy: if the orderblock's age in bigger than max age value of age filter, this orderblock will be deleted from the chart .
For MTF OBs we decided to their own age filter, so that it won't abide by current timeframe's restrictions, because MTF OBs are usually much older than OB from current timeframe, so they would deleted a lot of time before they even appear on the chart, if they would abide by the age filter of current timeframe.
Default parameters of age filter are "max age = 500" and "min age = 0" . "Min age = 0" means that there is restrictions on the minimum age of orderblocks and they will appear on the chart as soon as the indicator validates them.
That was the explanation of the age filter.
Talking about the cancellation filter , this filter was intended to spot orderblocks which were extremely untradable and visually alert traders about them on the chart. In this indicator this filter works like this: for each orderblock cancellation filter creates a special price level and checks if it was broken by the close of price.
This special price level consists of the farthest border. of the orderblock ( top border for bearish OBs and bottom border for bullish OBs) and a certain threshold, which is added to the farthest border. This threshold is based on the current ATR value of the asset. This filter helps detect the orderblocks which should not be considered for trading, because price has already went too far beyond the liquidity of this orderblock.
Orderblocks, which are spotted by this filter, are marked with '❌' emoji on the price history.
You can see the example of an orderblock which was spotted by the cancellation filter in the screenshot below:
This filter is applied to both current timeframe and MTF timeframe and is NOT configurable in the settings.
🔔 ALERTS
This indicator employs alerts for an event when new signal occurs on the current timeframe or on MTF timeframe. While creating the alert below 'Condition' field choose 'any alert() function call'.
When this alert is triggered, it will generate this kind of message:
// Alerts for current timeframe
string msg_template = "EXCHANGE:ASSET, TIMEFRAME: BULLISH_OR_BEARISH OB at SWEPT_OB_BORDER_PRICE was reached."
string msg_example = "BINANCE:BTCUSDT, 15m: bearish OB at 170000.00 was reached."
// Alerts for MTF timeframe
string msg_template_mtf = "EXCHANGE:ASSET, TIMEFRAME: BULLISH_OR_BEARISH MTF OB at SWEPT_OB_BORDER_PRICE was reached."
string msg_example_mtf = "BINANCE:BTCUSDT, 15m: bearish MTF OB at 170000.00 was reached."
📌 NOTES
These OBs work on any timeframe, but we would advise to to use on higher timeframes, starting from at least 15m, because liquidity from higher timeframe tends to be much valuable when deciding which orderblock to take for a trade;
Use these OBs as a confirmation tool for your main strategy and refrain from using them as primary signal source. Traders, which use SMC-based strategies, will benefit from these orderblocks the most;
We recommend trading only with Strong and Extreme orderblocks, because they are proved to be of much greater quality than classic orderblocks and they work quite well in mid-term and long-term trading strategies. Classic orderblocs can be used for short-term trading strategies, but even in this case these OBs cannot be blindly trusted;
We strongly advise against take for a trading orderblocks, which were spotted by cancellation filter, because they are considered to be voided of liquidity;
Don't forget that you can toggle different types of OBs, MTF settings and visual settings in the settings of the indicator and fine-tune them to your liking.
🏁 AFTERWORD
AQPRO Block Force is an indicator which designed with idea of helping trading save time on automatically detecting valuable orderblocks on the chart, evaluate their strength and filter out bad orderblocks. These employ the best principles of SMC, including FVGs, valid pullbacks and etc. FVGs play the key role in validating the existence of a particular orderblock and work in tandem with valid pullback to determine the maximum amount of true FVGs even in the most cluttered impulse/correction moves of the price. Our filters — Age Filter and Cancellation Filter — enhance the quality of the orderblocks by allowing only the newest and liquid orderblocks to appear on the chart. Additional MTF functionality allow trader to see orderblocks from other timeframe, which can be chosen in the settings, and get a sense of where the global liquidity resides. This indicator will be a useful confirmation tool to any trading strategy, but the SMC traders will surely get the most benefits out of it.
ℹ️ If you have questions about this or any other our indicator, please leave it in the comments.
Dynamic Volume Clusters with Retest Signals (Zeiierman)█ Overview
The Dynamic Volume Clusters with Retest Signals indicator is designed to detect key Volume Clusters and provide Retest Signals. This tool is specifically engineered for traders looking to capitalize on volume-based trends, reversals, and key price retest points.
The indicator seamlessly combines volume analysis, dynamic cluster calculations, and retest signal logic to present a comprehensive trading framework. It adapts to market conditions, identifying clusters of volume activity and signaling when the price retests critical zones.
█ How It Works
⚪ Volume Cluster Detection
The indicator dynamically calculates volume clusters by analyzing the highest and lowest price points within a specified lookback period.
Cluster Logic:
Bright Lines (Strong Red/Green):
These indicate that the price has frequently revisited these levels, creating a dense cluster.
Such areas serve as support or resistance, where significant historical trading has occurred, often acting as barriers to price movement.
Traders should consider these levels as potential reversal zones or consolidation points.
Faded or Darker Lines:
These lines indicate areas where the price has less historical activity, suggesting weaker clustering.
These zones have less market memory and are more likely to break, supporting trend continuation and rapid price movement.
⚪ Candle Color Logic (Market Memory)
Blue Candles (High Cluster Density):
Candles turn blue when the price has revisited a particular area many times.
This signals a highly clustered zone, likely to act as a barrier, creating consolidation or range phases.
These areas indicate strong market memory, potentially rejecting price attempts to break through.
Green or Red Candles (Low Cluster Density):
Once the price breaks out of these dense clusters, the candles turn green (bullish) or red (bearish).
This suggests the price has moved into a less clustered territory, where the path forward is clearer and trends are likely to extend without immediate resistance.
⚪ Retest Signal Logic
The indicator identifies critical retest points where the price crosses a cluster boundary and then reverses. These points are essential for traders looking to catch continuation or reversal setups.
⚪ Dynamic Price Clustering
The indicator dynamically adapts the clustering logic based on price movement and volume shifts.
Uses a dynamic moving average (VPMA) to maintain adaptive cluster levels.
Integrates a Kalman Filter for smoothing, reducing noise, and improving trend clarity.
Automatically updates as new data is received, keeping the clusters relevant in real-time.
█ How to Use
⚪ Trend Following & Reversal Detection
Use Retest signals to identify potential trend continuation or reversal points.
⚪ Trading Volume Clusters and Market Memory
Identify Key Zones:
Focus on bright, saturated cluster lines (strong red or green) as they indicate high market memory, where price has spent significant time in the past.
These zones are likely to exhibit a more choppy market. Apply range or mean reversion strategies.
Spot Potential Breakouts:
Faded or darker cluster lines indicate areas of low market memory, where the price has moved quickly and spent less time.
Use these areas to identify possible trend setups, as they represent lower resistance to price movement.
⚪ Interpreting Candle Colors for Market Phases
Blue Candles (High Cluster Density):
When candles turn blue, it signals that the price has revisited this area multiple times, creating a dense cluster.
These zones often trap price movement, leading to consolidations or range phases.
Use these areas as caution zones, where price can slow down or reverse.
Green or Red Candles (Low Cluster Density):
Once the price breaks out of these clustered zones, the candles turn green (bullish) or red (bearish), indicating lower market memory.
This signals a trend initiation with less immediate resistance, ideal for momentum and breakout trades.
Use these signals to identify emerging trends and ride the momentum.
█ Settings
Range Lookback Period: Sets the number of bars for calculating the range.
Zone Width (% of Range): Determines how wide the volume clusters are relative to the calculated range.
Volume Line Colors: Customize the appearance of bullish and bearish lines.
Retest Signals: Toggle the appearance of Triangle Up/Down retest markers.
Minimum Bars for Retest: Define the minimum number of bars required before a retest is valid.
Maximum Bars for Retest: Set the maximum number of bars within which a retest can occur.
Price Cluster Period: Adjusts the sensitivity of the dynamic clustering logic.
Cluster Confirmation: Controls how tightly the clusters respond to price action.
Price Cluster Start/Peak: Sets the minimum and maximum touches required to fully form a cluster.
-----------------
Disclaimer
The content provided in my scripts, indicators, ideas, algorithms, and systems is for educational and informational purposes only. It does not constitute financial advice, investment recommendations, or a solicitation to buy or sell any financial instruments. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, backtest, or individual's trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.
STWP - Vertical Ticker TableSTWP - Vertical Ticker Table
Stay on top of your favorite stocks with this easy-to-use vertical ticker table indicator!
What it does:
This indicator displays a dynamic table on your chart showing key real-time data for a customizable list of symbols. See at a glance:
Last traded price
Previous day’s high
Price change (absolute and percentage)
Current day’s high and low
Trading volume
All data updates automatically every day, helping you quickly spot market movers and track performance without switching charts.
Features:
Input your own list of tickers (e.g., NIFTY, BANKNIFTY, RELIANCE)
Sorts symbols by daily percentage change to highlight top gainers and losers
Choose table position on your chart: top-left, top-right, bottom-left, or bottom-right
Color-coded price changes for easy interpretation
Who is it for?
Traders and investors looking to monitor multiple instruments simultaneously with a clean, compact view integrated into their charts.
Disclaimer:
This content is for educational and informational purposes only and does not constitute financial advice, recommendation, or solicitation to buy or sell any financial instruments. Trading in the stock market involves risk, and past performance is not indicative of future results. Please consult with a qualified financial advisor before making any investment decisions. The creator and distributor of this content are not responsible for any losses incurred.
If you find this indicator useful, please follow us for more reliable tools, clear strategies, and valuable market insights to help you trade with confidence.
Should you need any help or assistance with using the indicator, feel free to reach out anytime—I’m here to support you on your trading journey!
RSI BreakoutFrom Wikipedia, the free encyclopedia
"Math" and "Maths" redirect here. For other uses, see Mathematics (disambiguation) and Math (disambiguation).
Part of a series on
Mathematics
HistoryIndex
Areas
Number theoryGeometryAlgebraCalculus and AnalysisDiscrete mathematicsLogicSet theoryProbabilityStatistics and Decision theory
Relationship with sciences
PhysicsChemistryGeosciencesComputationBiologyLinguisticsEconomicsPhilosophyEducation
Mathematics Portal
vte
Mathematics is a field of study that discovers and organizes methods, theories and theorems that are developed and proved for the needs of empirical sciences and mathematics itself. There are many areas of mathematics, which include number theory (the study of numbers), algebra (the study of formulas and related structures), geometry (the study of shapes and spaces that contain them), analysis (the study of continuous changes), and set theory (presently used as a foundation for all mathematics).
Mathematics involves the description and manipulation of abstract objects that consist of either abstractions from nature or—in modern mathematics—purely abstract entities that are stipulated to have certain properties, called axioms. Mathematics uses pure reason to prove properties of objects, a proof consisting of a succession of applications of deductive rules to already established results. These results include previously proved theorems, axioms, and—in case of abstraction from nature—some basic properties that are considered true starting points of the theory under consideration.
Mathematics is essential in the natural sciences, engineering, medicine, finance, computer science, and the social sciences. Although mathematics is extensively used for modeling phenomena, the fundamental truths of mathematics are independent of any scientific experimentation. Some areas of mathematics, such as statistics and game theory, are developed in close correlation with their applications and are often grouped under applied mathematics. Other areas are developed independently from any application (and are therefore called pure mathematics) but often later find practical applications.
Historically, the concept of a proof and its associated mathematical rigour first appeared in Greek mathematics, most notably in Euclid's Elements. Since its beginning, mathematics was primarily divided into geometry and arithmetic (the manipulation of natural numbers and fractions), until the 16th and 17th centuries, when algebra and infinitesimal calculus were introduced as new fields. Since then, the interaction between mathematical innovations and scientific discoveries has led to a correlated increase in the development of both. At the end of the 19th century, the foundational crisis of mathematics led to the systematization of the axiomatic method, which heralded a dramatic increase in the number of mathematical areas and their fields of application. The contemporary Mathematics Subject Classification lists more than sixty first-level areas of mathematics.
STWP Probable Pullback/Reversal Indicator with PNL Table1. Overview
The STWP Probable Pullback/Reversal Indicator is a powerful, all-in-one technical tool designed to help traders identify high-probability reversal or pullback opportunities in the market. Built with precision, it combines candlestick patterns, trend validation, RSI strength, and volume analysis to generate more reliable entry signals. This indicator is ideal for intraday and swing traders, especially beginners who struggle to decode market movements or often enter trades too early or too late. It aims to simplify decision-making, reduce guesswork, and improve the timing of entries and exits, ultimately helping traders build more consistent strategies while managing risk effectively.
2. Signal Generation Logic
The signal generation logic of the STWP Probable Pullback/Reversal Indicator is built on a multi-layered confirmation system to ensure high-probability entries. It begins with the identification of powerful candlestick reversal patterns such as Bullish Engulfing, Bearish Engulfing, and the Piercing Line, which are commonly used by professional traders to spot potential reversals. To validate the overall trend, the indicator uses the 200 EMA—signals that align with the EMA trend direction are considered more reliable. An RSI filter is applied to assess whether the stock is in an overbought or oversold zone, helping confirm if the price move is genuinely strong or losing momentum. Additionally, a volume filter is used to tag each signal with either high or low volume, allowing traders to further gauge the strength behind the move. All these components—candlestick pattern, trend confirmation, RSI condition, and volume strength—work in synergy, and the signal is only highlighted when all selected conditions align, offering an optional but powerful confluence-based confirmation approach.
3. Settings
The indicator comes with flexible settings to help you tailor the signals to your trading style. You can choose which candlestick patterns to include, such as Bullish Engulfing, Bearish Engulfing, Piercing Line, Morning Star, and Evening Star. The trend is confirmed using the 200-period Exponential Moving Average (EMA), but you can also customize the EMA period if you prefer. To gauge momentum, the Relative Strength Index (RSI) is set to a 10-period default, which helps identify overbought and oversold conditions more sensitively. Additionally, a volume filter labels entries as high or low volume, allowing you to spot stronger moves. You have the option to require confirmation from all filters—pattern, trend, RSI, and volume—for more reliable signals, or to accept signals based on selected criteria. The display settings let you customize how signals appear on the chart, including colors and labels, and alert options notify you of bullish or bearish setups and volume spikes, ensuring you never miss an opportunity.
4. How To Trade Using This Indicator
How to Trade Using the Indicator
To effectively use this indicator, first watch for key candlestick patterns like Bullish Engulfing, Bearish Engulfing, and Piercing Line, which act as initial trade signals. Additionally, you can explore other candlestick patterns to broaden your signal generation and find more opportunities. Next, confirm the prevailing trend by checking the position of price relative to the 200-period EMA — trades aligned with this trend have higher chances of success. The RSI, set at 10 periods, serves as a filter to confirm momentum strength or signs of exhaustion, helping you avoid weak signals. Volume tags highlight whether the entry is supported by high or low trading activity, adding another layer of confidence. Ideally, you look for a combination of these factors — pattern, trend, RSI, and volume — to increase the reliability of your trade setups. Once all these conditions align, enter the trade and manage your exit based on your preferred risk management rules.
5. Additional Features
Additional Features
This indicator goes beyond just signal generation by helping you manage risk and position size effectively. You can set your risk per trade, and the indicator automatically calculates the optimal quantity based on your available capital and stop loss level, making position sizing simple and precise. The built-in formula ensures you never risk more than you’re comfortable with on any single trade. Additionally, a real-time PnL (Profit and Loss) table tracks every trade live, showing movement and performance with easy-to-understand color-coded rows—green for profits and red for losses. This feature is especially useful for manual traders who want to log and monitor their trades seamlessly, helping you stay disciplined and informed throughout your trading session.
6. Customization Options
The indicator is designed to fit your unique trading style with flexible customization settings. You can easily adjust parameters like the RSI period, choose which candlestick patterns to include for signal generation, and set your preferred EMA length for trend validation. Volume filters can be turned on or off, depending on how much weight you want to give to trading activity. Risk management settings such as your risk percentage per trade and stop loss distance are fully adjustable, allowing you to tailor the indicator’s alerts and calculations precisely to your comfort level. These customization options empower you to create a personalized trading tool that matches your goals and market approach, making it easier to spot high-quality trades that suit your strategy.
Disclaimer:
This content is for educational and informational purposes only and does not constitute financial advice, recommendation, or solicitation to buy or sell any financial instruments. Trading in the stock market involves risk, and past performance is not indicative of future results. Please consult with a qualified financial advisor before making any investment decisions. The creator and distributor of this content are not responsible for any losses incurred.
If you find this indicator useful, please follow us for more reliable tools, clear strategies, and valuable market insights to help you trade with confidence.
Should you need any help or assistance with using the indicator, feel free to reach out anytime—I’m here to support you on your trading journey!
Volume Spike Filter### Volume Spike Detector with Alerts
**Overview:**
This indicator helps traders quickly identify unusual spikes in trading volume by comparing the current volume against a simple moving average (SMA) threshold. It's particularly useful for beginners seeking clear signals of increased market activity.
**Settings:**
* **SMA Length:** Defines the period for calculating the average volume (default = 20).
* **Multiplier:** Determines how much the volume must exceed the SMA to be considered a spike (default = 1.5).
* **Highlight Spikes:** Toggle to visually highlight spikes on the chart (default = enabled).
**Signals:**
* 🟩 **Highlighted Background:** Indicates a volume spike that surpasses the defined threshold.
* 🏷️ **"Vol Spike" Label:** Clearly marks the exact bar of the spike for quick reference.
**Usage:**
Use these clear volume spike alerts to identify potential trading opportunities, confirmations, or shifts in market momentum. Combine this with other technical indicators for enhanced analysis.
Leslie's EMA Ribbon: 5/9/21 + VWAPEMA Crossover (5/9/21) with VWAP Alerts
This indicator visualizes short- and medium-term market momentum using a combination of exponential moving averages (EMAs) and the Volume-Weighted Average Price (VWAP). It is designed for intraday and swing traders who want reliable visual cues and customizable alerts.
✳️ Features:
Three EMAs: 5EMA (fast), 9EMA (medium), and 21EMA (slow)
VWAP Line: A session-based VWAP for volume-aware trend context
Color-Coded Labels: Auto-updated on the latest bar for clean visuals
Crossover Alerts:
5EMA crosses 9EMA
9EMA crosses 21EMA
9EMA crosses VWAP (volume-contextual momentum shift)