AmazingGPT//@version=6
indicator("AmazingGPT", shorttitle="AmazingGPT", overlay=true, max_lines_count=500, max_labels_count=500)
// ─────────────────────────── Inputs
group_ma = "SMMA"
group_avwap = "AVWAP"
group_fibo = "Fibo"
group_toler = "Yakınlık (2/3)"
group_trig = "Trigger & Onay"
group_misc = "Görsel/HUD"
// SMMA
len21 = input.int(21, "SMMA 21", group=group_ma, minval=1)
len50 = input.int(50, "SMMA 50", group=group_ma, minval=1)
len200 = input.int(200, "SMMA 200", group=group_ma, minval=1)
// AVWAP
const int anchorDefault = timestamp("2025-06-13T00:00:00")
anchorTime = input.time(anchorDefault, "AVWAP Anchor (tarih)", group=group_avwap)
bandMode = input.string("ATR", "Band mode", options= , group=group_avwap)
band1K = input.float(1.0, "Band 1 (×Unit)", step=0.1, group=group_avwap)
band2K = input.float(0.0, "Band 2 (×Unit)", step=0.1, group=group_avwap)
// Fibo
useAutoFib = input.bool(false, "Auto Fib (son 252 bar HL)", group=group_fibo)
fibL_in = input.float(0.0, "Swing Low (fiyat)", group=group_fibo, step=0.01)
fibH_in = input.float(0.0, "Swing High (fiyat)", group=group_fibo, step=0.01)
// Yakınlık (2/3) – ayrı eşikler
tolMA = input.float(1.00, "Yakınlık eşiği – SMMA (×ATR)", minval=0.0, step=0.05, group=group_toler)
tolAV = input.float(0.80, "Yakınlık eşiği – AVWAP (×ATR)", minval=0.0, step=0.05, group=group_toler)
tolFibo = input.float(0.60, "Yakınlık eşiği – Fibo (×ATR)", minval=0.0, step=0.05, group=group_toler)
starterTolMA = input.float(1.00, "Starter SMMA eşiği (×ATR)", minval=0.0, step=0.05, group=group_toler)
// Trigger & Onay
useDailyLock = input.bool(true, "Lock core calcs to Daily (1D)", group=group_trig)
triggerSrc = input.string("Auto", "Trigger Source", options= , group=group_trig)
useCH3auto = input.bool(true, "Auto: CH3 fallback ON", group=group_trig)
fallbackBars = input.int(3, "Fallback after N bars", minval=1, group=group_trig)
tamponTL = input.float(0.10, "Tampon (TL)", step=0.01, group=group_trig)
tamponATRf = input.float(0.15, "Tampon (×ATR)", step=0.01, group=group_trig)
capATR = input.float(0.60, "Cap (kovalama) ≤ ×ATR", step=0.05, group=group_trig)
vetoATR = input.float(1.00, "Veto (asla kovala) ≥ ×ATR", step=0.05, group=group_trig)
useRSIbreak = input.bool(false, "RSI≥50 (sadece kırılımda)", group=group_trig)
nearCloseStarter = input.bool(true, "Starter (reclaim gününde) ENABLE", group=group_trig)
// Görsel
showHud = input.bool(true, "HUD göster", group=group_misc)
showBands = input.bool(true, "AVWAP bantlarını göster", group=group_misc)
// ─────────────────────────── Daily sources (lock)
smma21D = request.security(syminfo.tickerid, "D", ta.rma(close, len21))
smma50D = request.security(syminfo.tickerid, "D", ta.rma(close, len50))
smma200D = request.security(syminfo.tickerid, "D", ta.rma(close, len200))
atrD = request.security(syminfo.tickerid, "D", ta.atr(14))
rsiD = request.security(syminfo.tickerid, "D", ta.rsi(close, 14))
v20D = request.security(syminfo.tickerid, "D", ta.sma(volume, 20))
dHighD = request.security(syminfo.tickerid, "D", high)
h3HighD = request.security(syminfo.tickerid, "D", ta.highest(high, 3))
ch3CloseD= request.security(syminfo.tickerid, "D", ta.highest(close, 3))
// ─────────────────────────── Core calcs (lock uygulanmış)
smma21 = useDailyLock ? smma21D : ta.rma(close, len21)
smma50 = useDailyLock ? smma50D : ta.rma(close, len50)
smma200 = useDailyLock ? smma200D : ta.rma(close, len200)
atr = useDailyLock ? atrD : ta.atr(14)
rsi = useDailyLock ? rsiD : ta.rsi(close, 14)
v20 = useDailyLock ? v20D : ta.sma(volume, 20)
// ─────────────────────────── AVWAP (anchor sonrası)
tp = hlc3
isAfter = time >= anchorTime
var float cumV = na
var float cumTPV = na
var float cumTP2V = na
if isAfter
cumV := nz(cumV ) + volume
cumTPV := nz(cumTPV ) + tp * volume
cumTP2V := nz(cumTP2V ) + (tp*tp) * volume
else
cumV := na
cumTPV := na
cumTP2V := na
avwap = isAfter ? (cumTPV / cumV) : na
// Band birimi: ATR veya VWAP-σ
vwVar = isAfter ? math.max(0.0, cumTP2V/cumV - avwap*avwap) : na
vwStd = isAfter ? math.sqrt(vwVar) : na
bandUnit = bandMode == "ATR" ? atr : nz(vwStd, 0)
upper1 = isAfter and showBands ? avwap + band1K*bandUnit : na
lower1 = isAfter and showBands ? avwap - band1K*bandUnit : na
upper2 = isAfter and showBands and band2K>0 ? avwap + band2K*bandUnit : na
lower2 = isAfter and showBands and band2K>0 ? avwap - band2K*bandUnit : na
// ─────────────────────────── Fibo (manuel/auto)
var float swingL = na
var float swingH = na
if useAutoFib
swingL := ta.lowest(low, 252)
swingH := ta.highest(high, 252)
else
swingL := fibL_in
swingH := fibH_in
float L = na(swingL) or na(swingH) ? na : math.min(swingL, swingH)
float H = na(swingL) or na(swingH) ? na : math.max(swingL, swingH)
fib382 = na(L) ? na : H - 0.382 * (H - L)
fib500 = na(L) ? na : H - 0.500 * (H - L)
fib618 = na(L) ? na : H - 0.618 * (H - L)
// ─────────────────────────── 2/3 yakınlık (ayrı eşikler)
d21ATR = math.abs(close - smma21) / atr
dAVATR = na(avwap) ? 10e6 : math.abs(close - avwap) / atr
dFATR = na(fib382) ? 10e6 : math.min(math.abs(close - fib382), math.min(math.abs(close - fib500), math.abs(close - fib618))) / atr
near21 = d21ATR <= tolMA
nearAV = dAVATR <= tolAV
nearFib = dFATR <= tolFibo
countConfluence = (near21?1:0) + (nearAV?1:0) + (nearFib?1:0)
twoOfThree = countConfluence >= 2
// ─────────────────────────── Trigger (Auto → CH3 fallback)
d1High = useDailyLock ? dHighD : high
h3High = useDailyLock ? h3HighD : ta.highest(high, 3)
ch3Close = useDailyLock ? ch3CloseD : ta.highest(close, 3)
stretch = d21ATR
grindCond = close > smma21 and close > avwap and close > smma21 and close > avwap and close > smma21 and close > avwap and stretch <= 0.6
reclaimCond = (close >= smma21) and (close >= avwap) and twoOfThree
tampon = math.max(tamponTL, tamponATRf*atr)
manualHigh =
triggerSrc == "D-1 High" ? d1High :
triggerSrc == "H3 High" ? h3High : na
manualTrig = not na(manualHigh) ? math.ceil((manualHigh + tampon)/syminfo.mintick)*syminfo.mintick :
triggerSrc == "CH3 Close" ? math.ceil((ch3Close + tampon)/syminfo.mintick)*syminfo.mintick : na
baseHighAuto = grindCond ? h3High : d1High
brokeHigh = high > baseHighAuto
barsNoBreak = ta.barssince(brokeHigh)
useCH3 = useCH3auto and reclaimCond and (barsNoBreak >= fallbackBars)
autoTrig = useCH3 ? math.ceil((ch3Close + tampon)/syminfo.mintick)*syminfo.mintick
: math.ceil((baseHighAuto + tampon)/syminfo.mintick)*syminfo.mintick
trigger = triggerSrc == "Auto" ? autoTrig : manualTrig
// Mesafe filtreleri (cap/veto) ve RSI kırılım filtresi
dist = close - trigger
okCap = dist <= capATR*atr
veto = dist >= vetoATR*atr
rsiOK = not useRSIbreak or (rsi >= 50)
// Starter (sadece reclaim gününde, cap'e değil SMMA yakınlığına bakar)
starterToday = nearCloseStarter and reclaimCond and (d21ATR <= starterTolMA) and (volume >= v20*1.0)
// ─────────────────────────── Plots
plot(smma21, "SMMA21", color=color.new(color.white, 0), linewidth=2)
plot(smma50, "SMMA50", color=color.new(color.blue, 0), linewidth=2)
plot(smma200, "SMMA200", color=color.new(color.red, 0), linewidth=2)
plot(avwap, "AVWAP", color=color.new(color.orange, 0), linewidth=2)
pU1 = plot(upper1, "AVWAP Band1+", color=color.new(color.lime, 40))
pL1 = plot(lower1, "AVWAP Band1-", color=color.new(color.lime, 40))
pU2 = plot(upper2, "AVWAP Band2+", color=color.new(color.green, 70))
pL2 = plot(lower2, "AVWAP Band2-", color=color.new(color.green, 70))
trigColor = okCap ? color.teal : (veto ? color.red : color.gray)
plot(trigger, "Trigger", color=color.new(trigColor, 0), style=plot.style_circles, linewidth=2)
// İşaretler
plotshape(starterToday, title="Starter", style=shape.triangleup, location=location.belowbar, color=color.new(color.teal, 0), size=size.tiny, text="Starter")
breakoutNow = (close >= trigger) and okCap and rsiOK
plotshape(breakoutNow, title="Breakout", style=shape.triangledown, location=location.abovebar, color=color.new(color.fuchsia, 0), size=size.tiny, text="BRK")
// ─────────────────────────── Alerts
alertcondition(starterToday, title="Starter_Ready", message="Starter: reclaim + Δ21 ≤ starterTolMA + v≥v20")
alertcondition(breakoutNow, title="Trigger_Breakout", message="Trigger üstü kapanış (cap OK, RSI filtresi OK)")
// ─────────────────────────── HUD
var label hudLbl = na
if barstate.islast and showHud
hudTxt = "2/3:" + (twoOfThree ? "✅" : "❌") +
" Trg:" + str.tostring(trigger, format.mintick) +
" ATR:" + str.tostring(atr, format.mintick) +
" Δ21:" + str.tostring(d21ATR, "#.##") + "≤" + str.tostring(tolMA, "#.##") +
" ΔAV:" + str.tostring(dAVATR, "#.##") + "≤" + str.tostring(tolAV, "#.##") +
" ΔF:" + str.tostring(dFATR, "#.##") + "≤" + str.tostring(tolFibo, "#.##") +
" RSI50:" + (rsiOK ? "✅" : "❌") +
" Cap:" + (okCap ? "≤"+str.tostring(capATR, "#.##")+" OK" : (veto ? "≥"+str.tostring(vetoATR, "#.##")+" VETO" : ">"+str.tostring(capATR, "#.##")+" FAR"))
if not na(hudLbl)
label.delete(hudLbl)
hudLbl := label.new(bar_index, high, hudTxt, style=label.style_label_upper_left, textcolor=color.white, color=color.new(color.black, 60))
Volum
BA Context (HTF, Sessions, Levels, ADR) – v6BA Context is a combination of various indicators, designed primarily for higher timeframes to support context analysis.
Svl - Trading SystemPrice can tell lies but volume cannot, so keeping this in mind I have created this indicator in which you see sell order block and buy order block on the basis of price action + volume through which we execute our trade
First of all, let us know its core concepts and logic, which will help you in taking the right decisions in it.
core concept of the " Svl - Trading System " TradingView indicator is based on professional price action, volume, and swing structure. This indicator smartly gives real-time insights of important price turning points, reversal zones, and trend continuation. Its deep explanation is given below.
Edit - default swing length -5 , change according your nature , tested With 7 For 5 minute timeframe
Core Concept:
1. Swing Structure Detection
The indicator automatically detects swing highs (HH/LH) and swing lows (HL/LL) on the chart.
HH: Higher High
HL: Higher Low
LH: Lower High
LL: Lower Low
These swings are the backbone of price action – signaling a change in trend, a bounce, reversal or trend continuation.
2. Order Block (OB) Mapping
Buy Order Block (Buy OB): When the indicator detects the HL/LL swing, we declare Buy OB, the lowest point of the swing.
Sell Order Block (Sell OB): On HH/LH swing, the highest point of our swing is called Sell OB.
Order Blocks are those important zones of price where historically price has reacted strongly – where major clusters of buyers/sellers are located in the market.
3. Volume Analysis (Optional Dashboard/Barcolor)
The candle color depends on the volume ranking on the chart (most high/low, normal, pressure blue shade).
Highest/lowest volume candles are a special highlight, which helps to spot liquidity spikes, exhaustion, or big orders.
4. Live Dashboard
There is an automated dashboard in the top-right of the chart, which shows this in real-time:
Last swing type (HH/HL/LH/LL)
Reversal price (last swing level)
Swing direction (Bull/Bear/Neutral)
Volume, Buy OB, Sell OB, etc.
This helps the trader understand the market situation at a glance.
5. Smart Plotting/Labels
Buy/Sell are plotted as distinct lines on the OB chart.
The Labels option gives clear visual swing points.
All calculations are fast and automated – the user does not need to mark manually.
This indicator is an advanced, fully-automated price action tool that combines
trend, reversal, volume, liquidity and zone detection in one smart system,
makes entry/exit decisions objective and error-free,
and provides complete trading confidence with a live monitor/dashboard.
All of its functions/properties such as: swing detect, OB plot, volume color, dashboard follow best practice for professional chart analysis!
ATR Dashboard (Pane Only)🔧 Core Logic
ATR Source: Multi-timeframe ATR (default 1H while trading 5m/15m).
Threshold Rule:
TREND = ATR > (ATR_SMA × k)
NORMAL = otherwise
Sessions: Only evaluates during London (02:00–07:00 ET) and New York (07:00–11:30 ET) by default.
Smoothing: ATR compared against its SMA (default 10-period).
k Multiplier: Controls sensitivity (default 1.20).
🖥️ Visuals
✅ TREND: Green label (or green background if enabled).
⚪ NORMAL: Gray label.
⏸️ OUT OF SESSION: Dim label, so you don’t force trades off-hours.
📊 Optional panel shows ATR, ATR_SMA, and Threshold values in real time.
📊 Dashboard + Overlay Combo
Use this overlay on your chart TF for tactical entries.
Pair with an ATR Dashboard (pane) on a higher TF (like 1H) for the strategic backdrop.
Overlay TREND + Dashboard TREND → High conviction trending environment.
Overlay TREND but Dashboard NORMAL → Fragile breakout, trade smaller or pass.
Both NORMAL → Chop/range → stick to 1:1.4 BE rules.
⚖️ Trading Playbook Integration
NORMAL Mode (ATR below threshold)
50% partial at 1R.
BE @ 1:1.4.
Runner capped at 2R.
TREND Mode (ATR above threshold)
50% partial at 1R.
BE @ 1:1.6.
Remainder trails ATR ×1.5.
Reserve ~15% of trend trades as no-partials for fat-tail home runs (4R–6R+).
🔔 Alerts
ATR Trend ON (in session) → “ATR > Threshold → Switch to TREND BE (1:1.6).”
ATR Trend OFF (in session) → “ATR ≤ Threshold → Switch to NORMAL BE (1:1.4).”
Perfect for getting pinged the moment volatility regime flips.
📌 Tips
k = 1.20 → balanced (default).
k = 1.10–1.15 → more TREND calls (sensitive).
k = 1.30+ → only strongest trends count.
Run it with overlay ON chart TF for execution, and dashboard on HTF for context.
Best used during active London/NY sessions.
✅ This isn’t a signal generator. It’s a regime filter + risk manager.
It keeps you from chasing chop and helps you mechanically switch BE rules without hesitation.
⚡ Pro tip: Combine with a Trend Continuation HUD, Elliott Wave Convergence overlay, or a Bollinger+RSI/MFI reversal scanner for a full tactical playbook.
ATR Trend Switch (ATR > k*ATR_SMA) - Overlay + Session Windows🔧 Core Logic
ATR Source: Multi-timeframe ATR (default 1H while trading 5m/15m).
Threshold Rule:
TREND = ATR > (ATR_SMA × k)
NORMAL = otherwise
Sessions: Only evaluates during London (02:00–07:00 ET) and New York (07:00–11:30 ET) by default.
Smoothing: ATR compared against its SMA (default 10-period).
k Multiplier: Controls sensitivity (default 1.20).
🖥️ Visuals
✅ TREND: Green label (or green background if enabled).
⚪ NORMAL: Gray label.
⏸️ OUT OF SESSION: Dim label, so you don’t force trades off-hours.
📊 Optional panel shows ATR, ATR_SMA, and Threshold values in real time.
📊 Dashboard + Overlay Combo
Use this overlay on your chart TF for tactical entries.
Pair with an ATR Dashboard (pane) on a higher TF (like 1H) for the strategic backdrop.
Overlay TREND + Dashboard TREND → High conviction trending environment.
Overlay TREND but Dashboard NORMAL → Fragile breakout, trade smaller or pass.
Both NORMAL → Chop/range → stick to 1:1.4 BE rules.
⚖️ Trading Playbook Integration
NORMAL Mode (ATR below threshold)
50% partial at 1R.
BE @ 1:1.4.
Runner capped at 2R.
TREND Mode (ATR above threshold)
50% partial at 1R.
BE @ 1:1.6.
Remainder trails ATR ×1.5.
Reserve ~15% of trend trades as no-partials for fat-tail home runs (4R–6R+).
🔔 Alerts
ATR Trend ON (in session) → “ATR > Threshold → Switch to TREND BE (1:1.6).”
ATR Trend OFF (in session) → “ATR ≤ Threshold → Switch to NORMAL BE (1:1.4).”
Perfect for getting pinged the moment volatility regime flips.
📌 Tips
k = 1.20 → balanced (default).
k = 1.10–1.15 → more TREND calls (sensitive).
k = 1.30+ → only strongest trends count.
Run it with overlay ON chart TF for execution, and dashboard on HTF for context.
Best used during active London/NY sessions.
✅ This isn’t a signal generator. It’s a regime filter + risk manager.
It keeps you from chasing chop and helps you mechanically switch BE rules without hesitation.
⚡ Pro tip: Combine with a Trend Continuation HUD, Elliott Wave Convergence overlay, or a Bollinger+RSI/MFI reversal scanner for a full tactical playbook.
Institutional Interest DisplayIndicator Overview:
This dashboard helps evaluate stocks quickly based on Market Cap, 52-week positioning, and liquidity metrics. It combines price strength with volume demand signals for breakout or institutional interest.
Logic Implemented:
1. Market Cap Classification:
- Market Cap = close × shares_outstanding (built-in value if available)
- Large-cap: ≥ ₹20,000 Cr
- Mid-cap: ₹5,000 – 20,000 Cr
- Small-cap: < ₹5,000 Cr
2. 52-Week Range (% from High/Low):
- 52W High = ta.highest(high, 252)
- 52W Low = ta.lowest(low, 252)
- % from 52W High = (Close ÷ 52W High – 1) × 100
- % from 52W Low = (Close ÷ 52W Low – 1) × 100
- CANSLIM logic → Prefer stocks near highs, avoid near lows
3. Average Daily Volume (ADV):
- ADV = ta.sma(volume, 50)
- Chosen 50D (more reliable than 20/30D, smooths anomalies)
4. Breakout Volume Confirmation:
- Volume Signal = Current Volume ÷ ADV
- Breakout Threshold = >1.5 × ADV
- Helps detect demand-driven price breakouts
5. % Change in Volume vs ADV:
- %Chg = ((Current Vol ÷ ADV) – 1) × 100
- Indicates abnormal activity vs typical trading
6. Up/Down Volume Ratio (U/D Ratio):
- Defined as: (Sum of volume on up days ÷ Sum of volume on down days)
- 50-day window
- U/D > 1 = net buying pressure
- U/D > 1.2 = stronger institutional demand
7. Up Days with Volume ≥ 1.5 × ADV:
- Counts number of up days (Close > Previous Close) in last 50 days where Volume ≥ 1.5 × ADV
8. Average Turnover:
- AvgTurnover = Avg Volume × Price
- Thresholds:
- Large-cap ≥ 1000M
- Mid-cap ≥ 200M
- Small-cap ≥ 50M
Table Layout:
- 4 Columns:
- Col 1 → Category, Market Cap, % from 52W Low, % from 52W High
- Col 2 → Values for above
- Col 3 → Avg Volume, Vol Today, %Chg Vol, U/D Ratio
- Col 4 → Values for above + Up Days >1.5 × ADV, Avg Turnover
Color Coding:
- Value cells have distinct background colors
- Labels = black text, grey background
- Green highlights signify thresholds met
Script_Algo - ORB Strategy with Filters🔍 Core Concept: This strategy combines three powerful technical analysis tools: Range Breakout, the SuperTrend indicator, and a volume filter. Additionally, it features precise customization of the number of candles used to construct the breakout range, enabling optimized performance for specific assets.
🎯 How It Works:
The strategy defines a trading range at the beginning of the trading session based on a selected number of candles.
It waits for a breakout above the upper or below the lower boundary of this range, requiring a candle close.
It filters signals using the SuperTrend indicator for trend confirmation.
It utilizes trading volume to filter out false breakouts.
⚡ Strategy Features
📈 Entry Points:
Long: Candle close above the upper range boundary + SuperTrend confirmation
Short: Candle close below the lower range boundary + SuperTrend confirmation
🛡️ Risk Management:
Stop-Loss: Set at the opposite range boundary.
Take-Profit: Calculated based on a risk/reward ratio (3:1 by default).
Position Size: 10 contracts (configurable).
⚠️ IMPORTANT SETTINGS
🕐 Time Parameters:
Set the correct time and time zone!
❕ATTENTION: The strategy works ONLY with correct time settings! Set the time corresponding to your location and trading session.
📊 This strategy is optimized for trading TESLA stock!
Parameters are tailored to TESLA's volatility, and trading volumes are adequate for signal filtering. Trading time corresponds to the American session.
📈 If you look at the backtesting results, you can see that the strategy could potentially have generated about 70 percent profit on Tesla stock over six months on 5m timeframe. However, this does not guarantee that results will be repeated in the future; remain vigilant.
⚠️ For other assets, the following is required:
Testing and parameter optimization
Adjustment of time intervals and the number of candles forming the range
Calibration of stop-loss and take-profit levels
⚠️ Limitations and Drawbacks
🔗 Automation Constraints:
❌ Cannot be directly connected via Webhook to CFD brokers!
Additional IT solutions are required for automation, thus only manual trading based on signals is possible.
📉 Risk Management:
Do not risk more than 2-3% of your account per trade.
Test on historical data before live use.
Start with a demo account.
💪 Strategy Advantages
✅ Combined approach – multiple signal filters
✅ Clear entry and exit rules
✅ Visual signals on the chart
✅ Volume-based false breakout filtering
✅ Automatic position management
🎯 Usage Recommendations
Always test the strategy on historical data.
Start with small trading volumes.
Ensure time settings are correct.
Adapt parameters to current market volatility.
Use only for stocks – futures and Forex require adaptation.
📚 Suitable Timeframes - M1-M15
Only highly liquid stocks
🍀 I wish all subscribers good luck in trading and steady profits!
📈 May your charts move in the right direction!
⚠️ Remember: Trading involves risk. Do not invest money you cannot afford to lose!
Trend Continuation — Compact HUD Pane 🖥️ Trend Continuation HUD Panel — Multi-Factor Dashboard
This panel is your trend continuation command center ⚡. Instead of guessing which filters are in play, the HUD shows you a real-time checklist of up to 6 confluence filters — with clear ✔ and ✖ signals.
🔍 What it shows
Each row = one filter. Green ✔ means it’s passing in the trend direction, red ✖ means it’s failing, grey ✖ means neutral/inactive.
✔ Ichimoku (9/26/52/26) → Above/Below cloud + Tenkan/Kijun order
✔ MACD (12/26/9) → Histogram slope & zero-line alignment
✔ RSI / MFI (14) → Momentum ≥60 bull / ≤40 bear
✔ ADX (14) → Strength ≥20 and rising
✔ EMA Alignment (9/21/55/233) (optional) → Stack order confirms trend engine
✔ ATR Slope (14) (optional) → Expanding volatility filter
📊 Score Line (0–6 scale)
At the bottom of the HUD you’ll see a colored score plot:
🟢 5–6 = A-Grade Trend Environment → strongest continuation regimes
🟡 3–4 = Mixed Bag → wait for clarity
🔴 0–2 = Fail Zone → stay flat, no trend support
🎯 How to use it
Scan the HUD first → wait until Score ≥5 and most rows are ✔ green.
Then check Overlay labels/arrows → only take signals while HUD is green (trend environment confirmed).
Adjust strictness with minChecks:
• Normal Days → Score ≥4 acceptable (partial TP style).
• Trend Days → Demand Score ≥5 (stacked, high-conviction runs).
🧩 Best Practices
⏰ Focus on London & NY sessions (HUD grays out off-hours).
🔄 Keep the HUD & Overlay in sync (same EMA/ATR/session settings).
⚡ Use the HUD as your filter, Overlay as your trigger → keeps you aligned with your trading plan and risk model.
Parabolic CCI Pro — Long & Short + ATR Risk — [AlphaFinansData]English Description (Enhanced)
🔹 CCI + Parabolic SAR Strategy (Long & Short, Smart Risk Management)
This indicator combines the power of CCI (Commodity Channel Index) and Parabolic SAR, creating a highly reliable trading system that adapts to market conditions.
🚀 How It Works:
Trend Hunting: CCI detects weakening momentum and potential reversal zones.
Confirmation: Parabolic SAR confirms the trend direction, reducing false signals.
Smart Risk Management: Offers both fixed-percentage and ATR-based dynamic Stop Loss & Take Profit, adjusting to volatility automatically.
Performance Dashboard: Tracks win rate, average profit/loss, max drawdown, and winning/losing streaks for deeper strategy insights.
⚡ Who Is It For?
Day traders looking for quick entries and exits,
Swing traders seeking to capture trend reversals,
Risk-conscious investors who want disciplined SL/TP management.
💡 More than just a signal generator, this indicator provides traders with a structured trading framework that helps maintain consistency and discipline.
Trend Continuation Filter - 🚀 Trend Continuation Filter — Multi-Factor Overlay
This overlay plots bullish / bearish continuation labels & arrows only when the market has enough confluence behind the move. Think of it as your “trend gatekeeper” — cutting out weak setups and highlighting only those with real momentum + structure.
🔍 Built-in Filters
✔ Ichimoku Cloud → trend bias + Tenkan/Kijun confirmation
✔ MACD (12/26/9) → acceleration via histogram slope
✔ RSI / MFI (14) → momentum quality (≥60 bullish / ≤40 bearish)
✔ ADX (14) → strength check (≥20 and rising)
➕ EMA Alignment (9/21/55/233) (optional)
➕ ATR Slope (14) (optional)
🎯 How it works
✅ Prints a Bull Continuation label/arrow when ≥4 filters align to the upside
✅ Prints a Bear Continuation label/arrow when ≥4 filters align to the downside
⚙️ minChecks input lets you adjust the strictness:
• Normal Days → set to 4 (more frequent, flexible)
• Trend Days → raise to 5–6 (fewer, high-conviction setups)
📈 Best Practices
⏰ Focus on London & New York sessions for clean expectancy
🧩 Pair with a HUD/Dashboard panel to see exactly which filters are active
Pivot Extension Indicator (Jaxon0007)Pivot Extension Indicator (Jaxon0007)
This indicator automatically detects pivot highs and lows, then extends those levels forward as potential support and resistance zones. It's designed for traders who rely on price action, breakout setups, and clear structure in the market.
.
🔧 Key Features:
✅ Auto-detected pivot levels (highs & lows)
✅ Forward-projected SR lines with customizable length
✅ Real-time buy/sell signal alerts on pivot breakouts
✅ Optional RSI and MACD filters to confirm trade quality
✅ Clean chart visuals with full styling control (lines, width, style)
🧠 Best For:
Traders who follow breakouts, trends, or swing strategies
Those looking for a non-repainting indicator
Anyone who wants a clean way to visualize structure and key price zones
📌 Notes:
This is an indicator-only tool — it doesn't execute trades or track performance.
Built in Pine Script v5 and fully copyright-free.
💼 Created by @Jaxon0007
For VIP signals, private tools, or account management — DM me on Telegram.
Custom Volume + Buyer & Price %Title: Custom Volume + Buyer & Price %
Description:
This indicator helps you see who is controlling the market — buyers or sellers — using volume and price action. It works even if your chart is on a small timeframe (like 5-min or 15-min), by showing Daily, Weekly, and Monthly information from the higher timeframe volume charts.
Key Features & How It Works:
Buyer % (B%):
Measures where the closing price is within the high-low range of a candle.
Calculation:
\text{Buyer %} = \frac{\text{Close} - \text{Low}}{\text{High} - \text{Low}} \times 100
Interpretation:
> 50% → Buyers are stronger
< 50% → Sellers are stronger
50% → Balanced
Volume Coloring:
Volume bars are colored based on Buyer %, not price movement:
Green → Buyers dominate
Red → Sellers dominate
Yellow → Balanced day
Higher Timeframe Insight:
Displays Daily, Weekly, and Monthly volume & Buyer % even if your chart is on a smaller timeframe.
Lets you understand long-term buying or selling pressure while trading intraday.
21-Day Average:
Shows average Buyer % and average volume over the past 21 days for trend context.
Why It’s Useful:
Quickly visualize whether the market is buyer-driven or seller-driven.
Identify strong accumulation or distribution days.
Works on any chart timeframe while giving higher timeframe perspective.
Ideal for traders who want easy, visual insight into market sentiment.
PCCE + False Breakout DetectorPCCE + False Breakout Detector
Type: Invite‑Only Indicator (closed source)
Purpose: Identify volatility compression (“coil”) and the first expansion after it, while filtering failed breakouts (bull/bear traps).
What it does — in plain language
This tool unifies two complementary behaviours that often appear back‑to‑back around strong moves:
1. Price Coil Compression & Expansion (PCCE) – finds compact ranges created by shrinking candle bodies, wick dominance, and contracting range relative to recent history. When price expands out of that coil with strength, it prints a Burst↑ / Burst↓ label.
2. False Breakout Detection – monitors recent swing extremes. If price closes beyond a prior high/low but re‑enters that range within a short window, it marks a trap (❌ red for failed bullish breakout, ❌ green for failed bearish breakout).
Why combine them?
PCCE tells you where the next move is likely brewing; the trap filter validates whether the breakout is genuine or failing. Used together they turn raw breakouts into structured, risk‑aware opportunities.
How it works — concepts behind the calculations
1) Detecting “Coil” (compression)
• Body contraction: Count of consecutive bars where |close-open| is decreasing within a sliding window.
• Wick dominance: Average (upper wick + lower wick) / body must exceed a threshold → indecision/liquidity probing.
• Relative range: Current high‑low over the window must be smaller than the average of prior windows (tight market).
• Coil zone: When the above conditions align, the most recent high/low envelope defines the coil’s bounds.
2) Confirming “Burst” (expansion)
A breakout through the coil high/low is only labelled when:
• Body thrust: current body > moving‑average body × multiplier (large real body).
• Relative volume: volume > moving‑average volume × multiplier (participation filter).
• Trend alignment (optional): close vs EMA to avoid counter‑trend bursts.
• Cooldown: minimum bars between signals to reduce clustering.
Result: Burst↑ if closing beyond coil high with thrust; Burst↓ if closing beyond coil low with thrust.
3) Flagging failed breakouts (traps)
• Track recent swing high/low from a lookback excluding the current bar.
• If a bar closes beyond that swing but within N bars price closes back inside the swing range → flag a trap:
• Bull trap: ❌ red above bar (break above failed)
• Bear trap: ❌ green below bar (break below failed)
⸻
What you see on the chart
• Coil zone: a shaded box (tight range envelope).
• Burst labels: Burst↑ (triangle up) and Burst↓ (triangle down) at confirmed expansion bars.
• Trap markers: ❌ red (failed bullish breakout), ❌ green (failed bearish breakout).
• Alerts: “Burst Up”, “Burst Down” (fires on bar close only).
⸻
How to use it
1. Preparation : When a coil box forms, mark the zone and wait.
2. Trigger : A Burst label confirms the first expansion with thrust/volume; treat it as an entry cue only within your own plan.
3. Validation : If a ❌ trap appears shortly after a break, treat it as caution/exit info; the breakout is failing.
4. Context : Best on 15m–4H. Combine with higher‑timeframe bias, nearby S/R, and risk controls.
5. Parameters to tune :
• Coil window, wick‑to‑body threshold, and range tightness
• Body/volume multipliers
• EMA trend filter on/off
• Trap lookback and confirmation bars
• Cooldown bars
⸻
Originality & usefulness
• Behaviour‑first compression scoring: Coil detection blends monotonic body shrink, wick dominance, and relative range contraction—not generic bands or a single oscillator.
• Two‑stage discipline: A burst is not just any break; it requires body thrust + relative volume (+ optional trend) to reduce noise.
• Immediate invalidation layer: The trap filter is evaluated right after the burst context, turning breakouts into risk‑aware signals rather than blind entries.
• Operator controls: Cooldown + multipliers let traders adapt the strictness to instrument/session behaviour.
⸻
Repainting & limitations
• Signals are evaluated on bar close; no lookahead, no request.security() with lookahead_on.
• Coil boxes while forming can update until confirmed; Burst/Trap labels do not repaint after their bar closes.
• News spikes and illiquid hours can still create noise; adjust multipliers and cooldown for your market.
⸻
Disclaimer
This indicator is an educational decision‑support tool, not financial advice. Markets are uncertain; past behaviour does not guarantee future results. Use with your own analysis and risk management.
VOSM StrategyVOSM Strategy
Buy: Triggered when a bullish chart pattern forms, confirmed by strength and continuation signals.
Sell: Triggered when a bearish chart pattern forms, confirmed by weakness and reversal signals.
👉 In short, patterns give the setup, confirmations decide the action.
Pump & Dump Strategy (seconds) w/ Candle Confirmation + ReverseStrategy for pump and dump. Look for > 1% price increment in seconds.
LUST & RVOL ProIn this Indicator, you can REALTIME data of RVOL & TURNOVER and can also get the values of RVOL & TURNOVER of any candle without REPLAY !!
Updated Version of LUST & RVOL indicator !!
Trend Display Table (with Change Alerts)📌 Indicator: Trend Display Table (with Change Alerts)
This indicator helps identify trend direction based on a 15-minute 20 SMA compared against a 10 EMA applied to that SMA.
Trend Logic:
Bullish → 20 SMA crosses above 10 EMA (on SMA values)
Bearish → 20 SMA crosses below 10 EMA (on SMA values)
Neutral → No crossover (trend continues from previous state)
Display:
A compact trend table appears on the chart (top-right), showing the current trend with customizable colors, font size, and background.
Alerts:
Alerts are triggered only when the trend changes (from Bullish → Bearish or Bearish → Bullish).
This prevents repeated alerts on every bar.
✅ Useful for:
Confirming higher timeframe trend bias
Filtering trades in choppy markets
Getting notified instantly when the trend flips
Clean Volume Bars (Green/Red + Above Avg Highlight)📊 Clean Volume Bars (Green/Red + Above Avg Highlight)
This script provides a clearer view of market volume by combining standard green/red volume bars with dynamic highlights for above-average activity.
Features:
✅ Green / Red Volume Bars – standard visualization:
Green when the candle closes higher than it opened
Red when the candle closes lower than it opened
✅ Average Volume Line – a simple moving average (default 20 periods) to track relative volume.
✅ Above Average Highlights – bars that exceed the average volume are emphasized:
White for above-average bullish volume
Black for above-average bearish volume
How to Use:
Look for white volume spikes during up candles → potential strong bullish activity.
Watch for black volume spikes during down candles → potential strong bearish pressure.
Combine with price action, trend, or other indicators for confluence (this is not a standalone trading system).
XAUUSD Confluence Analyzer# TradingView Setup Guide - XAUUSD Confluence Indicator
Configuring the Indicator Settings
Once added to your chart, click the **gear icon** next to the indicator name to access settings:
### RSI Settings:
- **RSI Length**: 14 (default)
- **RSI Overbought**: 70
- **RSI Oversold**: 30
### Volume Settings:
- **Volume Multiplier**: 1.5 (signals high volume when 1.5x average)
### Support/Resistance Settings:
- **Lookback Period**: 20
- **S/R Touch Strength**: 3
### Key Levels (Update these based on current market):
- **Key Support 1**: 3269.0
- **Key Support 2**: 3321.0
- **Key Resistance 1**: 3400.0
- **Key Resistance 2**: 3450.0
### Fibonacci Settings:
- **Fibonacci Lookback**: 100 periods
Understanding the Visual Elements
### Lines and Levels:
- **Green Lines**: Support levels (Key Support 1 & 2)
- **Red Lines**: Resistance levels (Key Resistance 1 & 2)
- **Purple/Blue/Orange Dots**: Fibonacci retracement levels (61.8%, 50%, 38.2%)
### Background Colors:
- **Yellow Background**: High confluence (70+ score) - Strong signal
- **Blue Background**: Moderate confluence (40-69 score)
- **Gray Background**: Low confluence (<40 score)
### Signal Arrows:
- **Green Triangle Up**: Buy signal (confluence score 70+ at support)
- **Red Triangle Down**: Sell signal (confluence score 70+ at resistance)
### Information Table (Top Right):
- **Confluence Score**: Current confluence strength (0-100)
- **RSI**: Current RSI value
- **Distance to Levels**: How close price is to key levels
- **Volume**: Current volume status (HIGH/NORMAL)
- **Signal**: Current signal (BUY/SELL/NONE)
- **Strength**: Overall signal strength (STRONG/MODERATE/WEAK)
Setting Up Alerts
1. **Right-click on the chart** and select "Add Alert"
2. **Choose your indicator** from the dropdown
3. **Select alert type**:
- "Confluence Buy Signal" - Alerts when buy conditions met
- "Confluence Sell Signal" - Alerts when sell conditions met
- "High Confluence Alert" - Alerts when score reaches 70+
4. **Configure notification method** (email, SMS, app notification)
5. **Click "Create"**
## Step 5: Additional Setup Recommendations
### Complementary Indicators to Add:
1. **Volume Profile** - Shows volume at price levels
2. **MACD** - Momentum confirmation
3. **Bollinger Bands** - Volatility and mean reversion
4. **200 EMA** - Long-term trend direction
### Chart Setup:
- **Timeframe**: Daily for main signals, 4H for entries/exits
- **Chart Type**: Candlesticks
- **Extended Hours**: Enable for complete price action
### Watchlist Setup:
Create a watchlist with:
- XAUUSD (main)
- DXY (Dollar Index - inverse correlation)
- US10Y (Bond yields - affects gold)
- SPX (Risk sentiment)
Trading Rules Based on Confluence Score
### High Confluence (70+ Score):
- **Entry**: Wait for score 70+ at key levels
- **Stop Loss**: Below nearest support (buy) / Above nearest resistance (sell)
- **Take Profit**: Next resistance level (buy) / Next support level (sell)
- **Position Size**: Full position size
### Moderate Confluence (40-69 Score):
- **Entry**: Wait for additional confirmation (price action, volume)
- **Stop Loss**: Tighter stops
- **Take Profit**: Partial targets
- **Position Size**: Reduced position size
### Low Confluence (<40 Score):
- **Action**: Avoid trading, wait for better setup
- **Use**: Market analysis only
## Step 7: Backtesting Your Strategy
1. **Use TradingView's Strategy Tester**
2. **Convert indicator to strategy** (modify Pine Script)
3. **Test different timeframes** (4H, Daily, Weekly)
4. **Optimize parameters** based on historical performance
5. **Paper trade** before live implementation
## Step 8: Regular Maintenance
### Weekly Tasks:
- Review key support/resistance levels
- Update Fibonacci lookback period if needed
- Check alert functionality
### Monthly Tasks:
- Analyze performance metrics
- Adjust key levels based on new market structure
- Review and optimize parameters
## Troubleshooting Common Issues
### Indicator Not Loading:
- Check Pine Script syntax errors
- Ensure all input values are valid
- Try reducing lookback periods if memory issues
### Signals Not Appearing:
- Verify key levels are current
- Check if confluence score is reaching threshold
- Ensure all conditions are met simultaneously
### Too Many/Few Signals:
- Adjust confluence score threshold
- Modify RSI overbought/oversold levels
- Change volume multiplier sensitivity
## Mobile App Usage
The indicator works on TradingView mobile app:
1. **Sync your account** to access custom indicators
2. **Alerts will work** on mobile notifications
3. **Table display** may be smaller but functional
4. **All signals and levels** display correctly
## Pro Tips
1. **Combine with multiple timeframes**: Use daily for signals, 4H for entries
2. **Watch news events**: Gold is sensitive to economic data
3. **Monitor correlations**: Watch DXY, yields, and equity markets
4. **Use confluence with price action**: Look for engulfing patterns, pin bars at levels
5. **Risk management**: Never risk more than 1-2% per trade
This indicator automates the confluence analysis we identified and provides clear visual signals for XAUUSD trading opportunities.
Volume Profile – VPOC/VAH/VAL [VERY GREEN] [STRATEGY]The Volume Profile Only – VPOC/VAH/VAL Strategy is a trading model that builds everything around a rolling, algorithmic volume profile. It highlights the market’s most significant levels and uses them to drive both reversion and breakout entries.
Backtest results on a 5m timeframe with default inputs over TradingView's entire history yield a vast majority of green over 26,000 trades with a 1:1 RR.
-----
Volume Profile Calculation – dynamically reconstructs the histogram over a user-defined lookback with adjustable bin count and optional smoothing.
Point of Control (VPOC) – identifies the single price level with the highest traded volume and uses it for plotting and exit logic.
Value Area (VAH & VAL) – defines the zone containing a configurable percentage of total traded volume, forming the basis for both reversion and breakout strategies.
Reversion Mode – enters trades when price moves outside the value area and then crosses back in, with optional take profit at VPOC or fixed risk/reward targets.
Breakout Mode – enters trades after a set number of closes confirm acceptance above VAH or below VAL, capturing continuation behavior.
HVN/LVN Markers – optionally plots high-volume and low-volume nodes as dotted lines to add context and confluence.
Risk Management – fully parameterized stops (in ticks) and risk/reward ratios, with all exits managed programmatically for accurate backtesting.
Visuals – plots VPOC, VAH, VAL, and optional HVN/LVN levels directly on the chart, with an optional debug label showing the current levels and mode.
This strategy is designed for testing and educational purposes, demonstrating how volume profile levels can be translated into systematic trade logic.
VWAP Bull/Bear KPL Navigator# Day Trading GPS VWAP Bull/Bear KPL Navigator
## Overview
The VWAP Bull/Bear KPL Navigator is an advanced market analysis tool that combines volume-weighted price analysis with standard deviation bands and daily projection levels to identify market conditions and potential trading opportunities. It features automatic session detection and its VWAP anchoring automatically adjusts to different market types (Stocks, ETFS, ADRS, Forex Currency Pairs, Forex CFDS, Futures, Cryptocurrencies, Indexes) for optimal performance.
## Key Components
### VWAP Bull/Bear KPL Line (Yellow)
- Acts as the primary reference point for market direction
- Adapts automatically to different market conditions and sessions
- Provides a dynamic measure of average price weighted by volume
### Standard Deviation Bands
1. **First Standard Deviation (Green)**
- Represents normal market volatility range
- Most common area for price movement
- Useful for identifying potential support/resistance
2. **Second Standard Deviation (Blue)**
- Indicates increased volatility
- Potential reversal zones
- Less common price territory
3. **Third Standard Deviation (Red)**
- Represents extreme market conditions
- Rare price territory
- Strong potential for mean reversion
### Daily Projection Levels
- Projects potential price levels based on daily range
- Automatically calculates levels using Average Daily Range (ADR)
- Displays up to 10 levels above and 10 levels below the daily open to accommodate low, moderate and extreme volatility conditions
- Each level can display:
- Level number (L1, L2, etc.)
- Level Price
- Hit count tracking
- Probability percentage
### Dashboard
- Displays real-time values for:
- Current date/time and symbol
- Price and VWAP Bull/Bear KPL level
- All standard deviation band levels
- Customizable position and appearance
## Trading Applications
### Market Analysis
1. **Trend Direction**:
- Price above VWAP Bull/Bear KPL line suggests bullish bias
- Price below VWAP Bull/Bear KPL line suggests bearish bias
- VWAP Bull/Bear KPL line slope indicates trend strength
2. **Volatility Assessment**:
- Distance between bands shows market volatility
- Expanding bands indicate increasing volatility
- Contracting bands suggest decreasing volatility
3. **Mean Reversion Opportunities**:
- Price moves to outer bands often return to VWAP Bull/Bear KPL
- Stronger reversal potential at higher deviation bands
- Band touches can signal potential entry points
4. **Daily Level Analysis**:
- Levels help understand expected daily price ranges
- Higher probability levels represent common price zones
- Lower probability levels suggest potential reversal zones
- Hit counts and probabilities are more accurate on higher timeframes
### Session Management
1. **Automatic Reset**:
- Automatically resets anchored VWAP for different market types each trading day
- Maintains accuracy across different sessions and market types
2. **Market Type VWAP Anchoring Optimization**:
- Automatically adjusts VWAP anchoring for optimal performance on different market types (Stocks, ETFS, ADRS, Forex Currency Pairs, Forex CFDS, Futures, Cryptocurrencies, Indexes)
## Best Practices
1. **Band Usage**:
- Use closer bands (1σ) for conservative entries
- Middle bands (2σ) for normal trading conditions
- Outer bands (3σ) for extreme conditions
- Consider band width for volatility assessment
2. **Signal Confirmation**:
- Look for price acceptance/rejection at bands
- Consider multiple timeframe analysis
- Watch for divergence between price and KPL
3. **Risk Management**:
- Wider stops in higher volatility conditions
- Tighter stops when bands are closer together
- Consider reducing position size at extreme bands
4. **Daily Level Usage**:
- Low probability levels suggest increased reversal potential: When price reaches levels with low historical hit rates (typically below 30%), this indicates an extreme move that often precedes a reversal. These zones represent price areas where the market has rarely sustained movement beyond.
- Consider taking profits as price approaches low probability levels: As your position moves into these extreme zones, it's prudent to begin scaling out or fully exiting your trades. The statistical rarity of these levels maintaining suggests increased risk of reversal.
- Look for reversal opportunities near low probability zones: These areas often present high-probability counter-trend trading opportunities. The market's tendency to mean-revert from extreme levels can provide favorable risk/reward setups for reversal trades.
- Use higher timeframes for more reliable probability data: Daily and higher timeframe probability calculations offer more statistically significant data due to reduced noise. This provides more reliable signals compared to shorter timeframe probability calculations.
- Consider exiting positions near extreme probability levels: When price reaches levels with very low probability scores (15% or less), this suggests an overextended move. These extreme zones often precede sharp reversals and increased volatility.
- Look for counter-trend entries near low probability zones: These areas can provide excellent opportunities for mean reversion trades. The statistical improbability of sustained movement beyond these levels often results in profitable counter-trend positions when combined with proper risk management.
## Settings Guidelines
### Line Settings
- VWAP Bull/Bear KPL Line: Adjust color and width for visibility
- Standard Deviation Bands: Customize appearance for each level
- Consider reducing opacity for clearer price action viewing
### Dashboard Configuration
- Position: Choose based on chart layout
- Text Size: Adjust for readability
- Colors: Customize for personal preference
- Background: Modify transparency as needed
## Disclaimer and Risk Warning
Trading financial markets carries substantial risk of loss and is not suitable for every investor. The performance of the VWAP Bull/Bear KPL Navigator indicator is not guaranteed and past performance does not indicate future results. The signals and information provided by this indicator should not be used as the sole basis for any investment decision.
Users of this indicator should:
- Understand that no indicator can predict market movements with certainty
- Never risk more capital than they can afford to lose
- Develop and follow a comprehensive trading plan and risk management strategy
- Consider seeking professional financial advice before trading
- Be aware that market conditions can change rapidly and without warning
- Understand that technical analysis tools are supplementary and not predictive
- Know that successful trading requires education, practice, and proper risk management
The creators and distributors of the Dynamic VWAP Bull/Bear KPL Navigator:
- Do not guarantee any specific trading results or profits
- Are not responsible for any trading decisions made using this indicator
- Make no claims about the indicator's future performance
- Cannot be held liable for any losses incurred while using this tool
By using the VWAP Bull/Bear KPL Navigator, you acknowledge that you understand these risks and accept full responsibility for your trading decisions.