T3 Al-Sat Sinyalli//@version=5
indicator("T3 Al-Sat Sinyalli", overlay=true, shorttitle="T3 Signal")
// Kullanıcı ayarları
length = input.int(14, minval=1, title="Periyot")
vFactor = input.float(0.7, minval=0.0, maxval=1.0, title="Volatility Factor (0-1)")
// EMA hesaplamaları
ema1 = ta.ema(close, length)
ema2 = ta.ema(ema1, length)
ema3 = ta.ema(ema2, length)
// T3 hesaplaması
c1 = -vFactor * vFactor * vFactor
c2 = 3 * vFactor * vFactor + 3 * vFactor * vFactor * vFactor
c3 = -6 * vFactor * vFactor - 3 * vFactor - 3 * vFactor * vFactor * vFactor
c4 = 1 + 3 * vFactor + vFactor * vFactor * vFactor + 3 * vFactor * vFactor
t3 = c1 * ema3 + c2 * ema2 + c3 * ema1 + c4 * close
// T3 çizimi
plot(t3, color=color.new(color.blue, 0), linewidth=2, title="T3")
// Mum renkleri
barcolor(close > t3 ? color.new(color.green, 0) : color.new(color.red, 0))
// Al-Sat sinyalleri
buySignal = ta.crossover(close, t3)
sellSignal = ta.crossunder(close, t3)
// Okları çiz
plotshape(buySignal, title="Al", location=location.belowbar, color=color.green, style=shape.triangleup, size=size.small)
plotshape(sellSignal, title="Sat", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.small)
تحليل الاتجاه
EMA COLOR BUY SELL
indicator("Sorunsuz EMA Renk + AL/SAT", overlay=true)
length = input.int(20, "EMA Periyodu")
src = input.source(close, "Kaynak")
emaVal = ta.ema(src, length)
isUp = emaVal > emaVal
emaCol = isUp ? color.green : color.red
plot(emaVal, "EMA", color=emaCol, linewidth=2)
buy = isUp and not isUp // kırmızı → yeşil
sell = not isUp and isUp // yeşil → kırmızı
plotshape(buy, style=shape.arrowup, location=location.belowbar, color=color.green, size=size.large, text="AL")
plotshape(sell, style=shape.arrowdown, location=location.abovebar, color=color.red, size=size.large, text="SAT")
alertcondition(buy, "EMA AL", "EMA yukarı döndü")
alertcondition(sell, "EMA SAT", "EMA aşağı döndü")
Renkli EMA BAR//@version=5
indicator("EMA Color Cross + Trend Arrows V6", overlay=true, max_bars_back=500)
// === Inputs ===
fastLen = input.int(9, "Hızlı EMA")
slowLen = input.int(21, "Yavaş EMA")
// === EMA Hesapları ===
emaFast = ta.ema(close, fastLen)
emaSlow = ta.ema(close, slowLen)
// Trend Yönü
trendUp = emaFast > emaSlow
trendDown = emaFast < emaSlow
// === Çizgi Renkleri ===
lineColor = trendUp ? color.new(color.green, 0) : color.new(color.red, 0)
// === EMA Çizgileri (agresif kalın) ===
plot(emaFast, "Hızlı EMA", lineColor, 4)
plot(emaSlow, "Yavaş EMA", color.new(color.gray, 70), 2)
// === Ok Sinyalleri ===
buySignal = ta.crossover(emaFast, emaSlow)
sellSignal = ta.crossunder(emaFast, emaSlow)
// Büyük Oklar
plotshape(buySignal, title="AL", style=shape.triangleup, color=color.green, size=size.large, location=location.belowbar)
plotshape(sellSignal, title="SAT", style=shape.triangledown, color=color.red, size=size.large, location=location.abovebar)
// === Trend Bar Color ===
barcolor(trendUp ? color.green : color.red)
HA Line + Trend Oklar//@version=5
indicator("HA Line + Trend Oklar", overlay=true)
// Heiken Ashi hesaplamaları
haClose = (open + high + low + close) / 4
var float haOpen = na
haOpen := na(haOpen) ? (open + close) / 2 : (haOpen + haClose ) / 2
haHigh = math.max(high, math.max(haOpen, haClose))
haLow = math.min(low, math.min(haOpen, haClose))
// Trend yönüne göre renk
haColor = haClose >= haClose ? color.green : color.red
// HA kapanış çizgisi
plot(haClose, color=haColor, linewidth=3, title="HA Close Line")
// Agresif oklar ile trend gösterimi
upArrow = ta.crossover(haClose, haClose )
downArrow = ta.crossunder(haClose, haClose )
plotshape(upArrow, title="Up Arrow", location=location.belowbar, color=color.green, style=shape.triangleup, size=size.large)
plotshape(downArrow, title="Down Arrow", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.large)
ZLSMA Trend + Al/Sat Sinyali/@version=6
indicator("ZLSMA Trend + Al/Sat Sinyali", overlay=true, max_labels_count=500)
length = input.int(25, "ZLSMA Periyodu")
src = input.source(close, "Kaynak")
thickness = input.int(4, "Çizgi Kalınlığı")
colorUp = input.color(color.new(color.lime, 0), "Yükselen Renk")
colorDown = input.color(color.new(color.red, 0), "Düşen Renk")
ema1 = ta.ema(src, length)
ema2 = ta.ema(ema1, length)
zlsma = 2 * ema1 - ema2
trendUp = zlsma > zlsma
trendDown = zlsma < zlsma
zlsmaColor = trendUp ? colorUp : colorDown
plot(zlsma, title="ZLSMA", color=zlsmaColor, linewidth=thickness)
buySignal = ta.crossover(close, zlsma)
sellSignal = ta.crossunder(close, zlsma)
plotshape(buySignal, title="Al", location=location.belowbar, color=color.new(color.lime, 0), style=shape.triangleup, size=size.large, text="AL")
plotshape(sellSignal, title="Sat", location=location.abovebar, color=color.new(color.red, 0), style=shape.triangledown, size=size.large, text="SAT")
bgcolor(trendUp ? color.new(color.lime, 90) : color.new(color.red, 90))
EMA Color Cross + Trend Arrows//@version=5
indicator("T3 Al-Sat Sinyalli", overlay=true, shorttitle="T3 Signal")
// Kullanıcı ayarları
length = input.int(14, minval=1, title="Periyot")
vFactor = input.float(0.7, minval=0.0, maxval=1.0, title="Volatility Factor (0-1)")
// EMA hesaplamaları
ema1 = ta.ema(close, length)
ema2 = ta.ema(ema1, length)
ema3 = ta.ema(ema2, length)
// T3 hesaplaması
c1 = -vFactor * vFactor * vFactor
c2 = 3 * vFactor * vFactor + 3 * vFactor * vFactor * vFactor
c3 = -6 * vFactor * vFactor - 3 * vFactor - 3 * vFactor * vFactor * vFactor
c4 = 1 + 3 * vFactor + vFactor * vFactor * vFactor + 3 * vFactor * vFactor
t3 = c1 * ema3 + c2 * ema2 + c3 * ema1 + c4 * close
// T3 çizimi
plot(t3, color=color.new(color.blue, 0), linewidth=2, title="T3")
// Mum renkleri
barcolor(close > t3 ? color.new(color.green, 0) : color.new(color.red, 0))
// Al-Sat sinyalleri
buySignal = ta.crossover(close, t3)
sellSignal = ta.crossunder(close, t3)
// Okları çiz
plotshape(buySignal, title="Al", location=location.belowbar, color=color.green, style=shape.triangleup, size=size.small)
plotshape(sellSignal, title="Sat", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.small)
SuperTrend Basit v5 - Agresif//@version=5
indicator("SuperTrend Basit v5 - Agresif", overlay=true)
// === Girdi ayarları ===
factor = input.float(3.0, "ATR Katsayısı")
atrPeriod = input.int(10, "ATR Periyodu")
// === Hesaplamalar ===
= ta.supertrend(factor, atrPeriod)
// === Çizim ===
bodyColor = direction == 1 ? color.new(color.lime, 0) : color.new(color.red, 0)
bgcolor(direction == 1 ? color.new(color.lime, 85) : color.new(color.red, 85))
plot(supertrend, color=bodyColor, linewidth=4, title="SuperTrend Çizgisi") // Kalın çizgi
// === Al/Sat sinyali ===
buySignal = ta.crossover(close, supertrend)
sellSignal = ta.crossunder(close, supertrend)
plotshape(buySignal, title="AL", location=location.belowbar, color=color.lime, style=shape.triangleup, size=size.large, text="AL")
plotshape(sellSignal, title="SAT", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.large, text="SAT")
Basit Trend AL/SAT//@version=5
indicator("Basit Trend AL/SAT", overlay=true)
yesil = close > open
kirmizi = close < open
1 = yeşil, -1 = kırmızı, 0 = başlangıç
var int trend = 0
trend := yesil ? 1 : kirmizi ? -1 : trend
al = yesil and trend != 1
sat = kirmizi and trend != -1
plotshape(al, title="AL", location=location.belowbar, color=color.lime, style=shape.triangleup, size=size.large, text="AL")
plotshape(sat, title="SAT", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.large, text="SAT")
bgcolor(trend == 1 ? color.new(color.green, 85) : trend == -1 ? color.new(color.red, 85) : na)
Hicham tight/wild rangeHere’s a complete Pine Script indicator that draws colored boxes around different types of ranges!
Main features:
📦 Types of ranges detected:
Tight Range (30–60 pips): Gray boxes
Wild Range (80+ pips): Yellow boxes
SuperTrend BUY SELL Color//@version=6
indicator("SuperTrend by Cell Color", overlay=true, precision=2)
// --- Parametreler ---
atrPeriod = input.int(10, "ATR Periyodu")
factor = input.float(3.0, "Çarpan")
showTrend = input.bool(true, "Trend Renkli Hücreleri Göster")
// --- ATR Hesaplama ---
atr = ta.atr(atrPeriod)
// --- SuperTrend Hesaplama ---
up = hl2 - factor * atr
dn = hl2 + factor * atr
var float trendUp = na
var float trendDown = na
var int trend = 1 // 1 = bullish, -1 = bearish
trendUp := (close > trendUp ? math.max(up, trendUp ) : up)
trendDown := (close < trendDown ? math.min(dn, trendDown ) : dn)
trend := close > trendDown ? 1 : close < trendUp ? -1 : trend
// --- Renkli Hücreler ---
barcolor(showTrend ? (trend == 1 ? color.new(color.green, 0) : color.new(color.red, 0)) : na)
// --- SuperTrend Çizgileri ---
plot(trend == 1 ? trendUp : na, color=color.green, style=plot.style_line, linewidth=2)
plot(trend == -1 ? trendDown : na, color=color.red, style=plot.style_line, linewidth=2)
EMA Cross Color Buy/Sell//@version=5
indicator("EMA Color Cross + Trend Arrows V6", overlay=true, max_bars_back=500)
// === Inputs ===
fastLen = input.int(9, "Hızlı EMA")
slowLen = input.int(21, "Yavaş EMA")
// === EMA Hesapları ===
emaFast = ta.ema(close, fastLen)
emaSlow = ta.ema(close, slowLen)
// Trend Yönü
trendUp = emaFast > emaSlow
trendDown = emaFast < emaSlow
// === Çizgi Renkleri ===
lineColor = trendUp ? color.new(color.green, 0) : color.new(color.red, 0)
// === EMA Çizgileri (agresif kalın) ===
plot(emaFast, "Hızlı EMA", lineColor, 4)
plot(emaSlow, "Yavaş EMA", color.new(color.gray, 70), 2)
// === Ok Sinyalleri ===
buySignal = ta.crossover(emaFast, emaSlow)
sellSignal = ta.crossunder(emaFast, emaSlow)
// Büyük Oklar
plotshape(buySignal, title="AL", style=shape.triangleup, color=color.green, size=size.large, location=location.belowbar)
plotshape(sellSignal, title="SAT", style=shape.triangledown, color=color.red, size=size.large, location=location.abovebar)
// === Trend Bar Color ===
barcolor(trendUp ? color.green : color.red)
Renkli EMA Crossover//@version=5
indicator("Renkli EMA Crossover", overlay=true)
// EMA periyotları
fastLength = input.int(9, "Hızlı EMA")
slowLength = input.int(21, "Yavaş EMA")
// EMA hesaplama
fastEMA = ta.ema(close, fastLength)
slowEMA = ta.ema(close, slowLength)
// EMA renkleri
fastColor = fastEMA > fastEMA ? color.green : color.red
slowColor = slowEMA > slowEMA ? color.blue : color.orange
// EMA çizgileri (agresif kalın)
plot(fastEMA, color=fastColor, linewidth=3, title="Hızlı EMA")
plot(slowEMA, color=slowColor, linewidth=3, title="Yavaş EMA")
// Kesişimler
bullCross = ta.crossover(fastEMA, slowEMA)
bearCross = ta.crossunder(fastEMA, slowEMA)
// Oklarla sinyal gösterimi
plotshape(bullCross, title="Al Sinyali", style=shape.triangleup, location=location.belowbar, color=color.green, size=size.large)
plotshape(bearCross, title="Sat Sinyali", style=shape.triangledown, location=location.abovebar, color=color.red, size=size.large)
Put Call Relative StrengthPut–Call Relative Strength (PE/CE RS)
Description
Put–Call Relative Strength compares the premium movement of a Put Option (PE) against a Call Option (CE) to detect bearish pressure in the market.
It uses the ratio:
RS = PE / CE – 1
If Puts gain strength faster than Calls, RS turns positive — indicating bearish dominance.
A moving average line helps you understand trend strength and filter noise.
This is an ideal tool for traders wanting a clear, fast view of downside momentum and Put-led trend shifts.
How to Use
1️⃣ Select PE and CE Symbols
In settings → manually enter:
Put Option (PE)
Call Option (CE)
Same strike + same expiry recommended.
2️⃣ Interpret RS
RS > 0 (Green) → Puts stronger → Bearish bias
RS < 0 (Red) → Calls stronger → Bullish bias
3️⃣ Use RS MA to Confirm Trend
RS MA rising (Green) → Bearish strength increasing
RS MA falling (Red) → Bearish strength weakening
RS MA sideways (Gray) → Indecision / range
4️⃣ Best Use Cases
Intraday short setups
PE scalping
Confirmation for breakdowns
Identifying Put-led strength surges
Best for 1m–10m timeframes
Ghost Scalp Protocol By [@Ash_TheTrader]
# 👻 GHOST SCALP PROTOCOL
### 💀 Stop Getting Trapped. Start Tracking the Banks.
Most retail traders lose because they enter exactly where institutions are exiting. They get caught in **"Stop Hunts"** and **"Fake-Outs."**
The **Ghost Scalp Protocol** is not just an indicator; it is a complete institutional trading system designed for **M1 & M5 Scalpers**. It combines **Smart Money Concepts (SMC)** with a **Physics-Based Momentum Engine ($p=mv$)** to detect high-probability reversals.
---
### ⚛️ THE LOGIC: 3-STAGE CONFIRMATION
This algorithm does not rely on lagging indicators. It uses a 3-step "Protocol" to validate every trade:
**1. THE GHOST TRAP (Liquidity Sweeps)**
* The script automatically draws "Ghost Lines" at key Swing Highs/Lows where retail Stop Losses are hiding.
* It waits for price to **sweep** these levels (Stop Hunt).
* **The Signal:** A Neon **Skull (☠️)** appears *only* if price aggressively rejects the level with high volume. This is the "Turtle Soup" pattern.
**2. THE PHYSICS ENGINE ($p = mv$)**
* Momentum is not just price speed; it is **Mass (Volume) x Velocity (Range)**.
* The dashboard calculates the "Force" of every candle.
* **The Signal:** An **Arrow (⬆/⬇)** appears when momentum surges **5x** above the average. This confirms the banks are pushing the move.
**3. BANK BIAS (Elasticity Filter)**
* Markets move like a rubber band.
* The script calculates a hidden "Fair Value" baseline.
* It creates a **Bias**: It only looks for Shorts in **PREMIUM (Shorting)** zones and Longs in **DISCOUNT (Accumulating)** zones.
---
### 📊 THE SMART DASHBOARD (HUD)
A futuristic, non-intrusive Heads-Up Display keeps you focused on the data that matters:
* **🏦 BANK BIAS:** Tells you if Institutions are likely **Accumulating** or **Shorting**.
* **📈 HTF TREND:** Automatically checks the **1-Hour Trend**. Don't fight the tide.
* **🚀 MOMENTUM:** Real-time Physics calculation.
* **Green Text:** Acceleration (Move is getting stronger).
* **Red Text:** Deceleration (Move is dying).
* **🌍 SESSION:** Shows active Bank Sessions (Tokyo, London, NY).
* **⚠️ OVERLAP ALERT:** Flashes GOLD when London & New York are open simultaneously (Peak Volatility).
---
### 🔥 STRATEGY: HOW TO TRADE
Use this checklist to execute high-probability scalps:
#### 📉 SHORT SETUP (SELL)
1. **Liquidity:** Wait for price to break above a **Red Ghost Line** (Sweep Highs).
2. **Signal:** Wait for the **Pink Skull ☠️** (Trap Detected).
3. **Confluence:**
* Dashboard Bias says: **"SHORTING"**
* HTF Trend says: **"BEARISH 📉"** (Optional but recommended).
4. **Entry:** On the Close of the Skull candle.
5. **Stop Loss:** Just above the wick swing high.
#### 📈 LONG SETUP (BUY)
1. **Liquidity:** Wait for price to break below a **Blue Ghost Line** (Sweep Lows).
2. **Signal:** Wait for the **Blue Skull ☠️** (Trap Detected).
3. **Confluence:**
* Dashboard Bias says: **"ACCUMULATING"**
* HTF Trend says: **"BULLISH 📈"** (Optional but recommended).
4. **Entry:** On the Close of the Skull candle.
5. **Stop Loss:** Just below the wick swing low.
---
### 🏆 RECOMMENDED PAIRS & TIMEFRAMES
* **⚡ Best Timeframes:**
* **1 Minute (M1):** For aggressive "Sniper" entries (High Frequency).
* **5 Minute (M5):** The "Gold Standard" for balanced Scalping.
* **15 Minute (M15):** Safer, higher win-rate Day Trading.
* **💎 Best Assets:**
* **Gold (XAUUSD):** Highly effective on liquidity sweeps.
* **Indices:** US100 (Nasdaq), US30 (Dow Jones).
* **Crypto:** BTCUSD, ETHUSD (High volatility).
* **Forex:** GBPUSD, EURUSD (London/NY Session).
---
### 🛠️ SETTINGS & CUSTOMIZATION
* **Surge Factor:** Default is **5.0x**. Lower this to 3.0 if you want more aggressive Momentum Arrows.
* **Smart Sessions:** Automatically converts to **New York Time** (EST) regardless of your location. No more time zone math.
* **Visuals:** Designed with "Ghost Glow" technology—97% transparent backgrounds that look classy and don't clutter your chart.
---
**"The Ghost Algo sees what you can't."**
*Trade Safe. Trade Smart.*
**~ Ash_TheTrader**
Call Put Relative Strength Call–Put Relative Strength compares the premium movement of a selected Call Option (CE) against a selected Put Option (PE) to reveal the underlying market’s bullish strength.
It calculates a clean ratio:
RS = CE / PE – 1
When Calls are gaining strength faster than Puts, the RS turns positive — signaling bullish momentum.
A smoothing moving average adds clarity and filters intraday noise.
This is a powerful tool for intraday traders who want to quickly identify whether buyers or sellers are dominating the market.
How to Use
1) Select CE and PE Symbols
Open indicator settings → manually enter:
Call Option (CE)
Put Option (PE)
Use same strike + same expiry.
2) Interpret RS
RS > 0 (Green) → Calls stronger → Bullish bias
RS < 0 (Red) → Puts stronger → Bearish bias
3) Use RS MA for Trend Confirmation
RS MA rising (Green) → Strength increasing
RS MA falling (Red) → Strength weakening
RS MA flat (Gray) → Market neutral
4) Best Use Cases
Intraday trend confirmation
Scalping CE trades
Avoiding false long entries
Tracking CE/PE rotation strength
Works best on 1m–10m charts
VR Volume Ratio + Divergence (Pro)成交量比率 (Volume Ratio, VR) 是一項通過分析股價上漲與下跌日的成交量,來研判市場資金氣氛的技術指標。本腳本基於傳統 VR 公式進行了優化,增加了**「趨勢變色」與「自動背離偵測」**功能,幫助交易者更精準地捕捉量價轉折點。
Introduction
Volume Ratio (VR) is a technical indicator that measures the strength of a trend by comparing the volume on up-days versus down-days. This script enhances the classic VR formula with "Trend Color Coding" and "Auto-Divergence Detection", helping traders identify volume-price reversals more accurately.
核心功能與參數
公式原理: VR = (Qu + Qf/2) / (Qd + Qf/2) * 100
Qu: 上漲日成交量 (Up volume)
Qd: 下跌日成交量 (Down volume)
Qf: 平盤日成交量 (Flat volume)
參數 (Length):預設為 26 日,這是市場公認最有效的短中線參數。
關鍵水位線 (Key Levels):
< 40% (底部區):量縮極致,市場情緒冰點,常對應股價底部,適合尋找買點。
100% (中軸):多空分界線。
> 260% (多頭警戒):進入強勢多頭行情,但需注意過熱。
> 450% (頭部區):成交量過大,市場情緒亢奮,通常為頭部訊號。
視覺優化 (Visuals):
紅漲綠跌:當 VR 數值大於前一日顯示為紅色(動能增強);小於前一日顯示為綠色(動能退潮)。
背離訊號 (Divergence):自動標記量價背離。
▲ 底背離 (Bullish):股價創新低,但 VR 指標墊高(主力吸籌)。
▼ 頂背離 (Bearish):股價創新高,但 VR 指標走弱(買氣衰竭)。
Features & Settings
Formula Logic: Calculated as VR = (Qu + Qf/2) / (Qd + Qf/2) * 100.
Default Length: 26, widely regarded as the optimal setting for short-to-medium term analysis.
Key Zones:
< 40% (Oversold/Bottom): Extreme low volume, often indicating a market bottom and potential buying opportunity.
100% (Neutral): The balance point between bulls and bears.
> 260% (Bullish Zone): Strong uptrend, volume is expanding.
> 450% (Overbought/Top): Extreme high volume, often indicating a market top and potential reversal.
Visual Enhancements:
Color Coding: Line turns Red when VR rises (Momentum Up) and Green when VR falls (Momentum Down).
Divergence Signals: Automatically marks divergence points on the chart.
▲ Bullish Divergence: Price makes a lower low, but VR makes a higher low (Accumulation).
▼ Bearish Divergence: Price makes a higher high, but VR makes a lower high (Distribution).
應用策略建議
抄底策略:當 VR 跌破 40% 後,指標線由綠翻紅,或出現「▲底背離」訊號時,為極佳的波段進場點。
逃頂策略:當 VR 衝過 450% 進入高檔區,一旦指標線由紅翻綠,或出現「▼頂背離」訊號時,建議分批獲利了結。
Strategy Guide
Bottom Fishing: Look for entries when VR drops below 40% and turns red, or when a "▲ Bullish Divergence" label appears.
Taking Profit: Consider selling when VR exceeds 450% and turns green, or when a "▼ Bearish Divergence" label appears.
Disclaimer: This tool is for informational purposes only and does not constitute financial advice. / 本腳本僅供參考,不構成投資建議。
Universe Structure & Trend Zone [All-in-One]**Overview**
The "Universe Structure & Trend Zone" is a comprehensive all-in-one trading toolkit designed to combine Institutional Trend Following with Smart Money Concepts (SMC/ICT). It helps traders identify the dominant trend direction while providing precise entry points based on Market Structure Breaks (MSB) and Order Blocks.
This script aims to filter out market noise by allowing trades only when Price Action aligns with the long-term trend (SMA Zone).
**Key Features**
1. **Market Structure Breaks (MSB) & ZigZag:**
- Detects structural shifts in price (Bullish/Bearish MSB).
- Uses a default Signal Length of 10 to filter out minor swings and focus on significant structural changes.
- Visualizes high and low pivot points.
2. **Smart Trend Zone (SMA 200 Filter):**
- Incorporates a 200-period SMA Zone (Institutional Level) to determine the macro trend.
- **Trend Filter Logic:** The indicator intelligently filters signals. It displays Bullish Order Blocks only when the price is trending *above* the SMA Zone, and Bearish Order Blocks only *below* it. This drastically reduces false signals in choppy markets.
3. **Order Blocks (OB) & Breaker Blocks (BB):**
- Automatically identifies high-probability Order Blocks and Breaker Blocks.
- Includes optional filters for Volume and Premium/Discount zones to validate the blocks.
- Features an auto-cleanup mechanism to remove invalid or broken boxes, keeping the chart clean.
4. **Hull Moving Average (HMA):**
- A fast-reacting 55-period HMA is included to visualize short-term momentum shifts (Green for Bullish, Red for Bearish).
5. **Smart Range (Support/Resistance):**
- Plots the dynamic Highest High and Lowest Low of the selected timeframe (default 4H) to show the current trading range and Equilibrium (EQ) level.
**How to Use**
* **Step 1:** Check the **SMA Zone** (Gray/Green/Red Band). If Price > Zone, look for Longs. If Price < Zone, look for Shorts.
* **Step 2:** Wait for a **Market Structure Break (MSB)** label in the direction of the trend.
* **Step 3:** Look for an entry at the retest of an **Order Block (OB)** or **Breaker Block (BB)**.
* **Step 4:** Use the HMA color change as a confirmation trigger or trailing stop guide.
**Settings**
* **Signal Length:** Default is 10 (Optimized for standard swings).
* **Trend Filter:** Enabled by default (Recommended to stay with the trend).
* **Display:** You can toggle MSB lines, Boxes, and Labels on/off to suit your visual preference.
**Disclaimer**
This indicator is for educational purposes only and does not constitute financial advice. Always use proper risk management.
henryychew - Intraday Session Opening Rangeshowing each session opening range between high and low of the day
CRT+ Advanced Engulfing Signals @stefandimovCore Features
Advanced CRT+ Logic
Wick must take the previous candle’s extreme
Body must close beyond the previous body range
Optional engulfing-style confirmation (CRT+ 2.0)
Strategy Modes
Default CRT+
CRT+ 2.0 (Engulfing confirmation)
CRT (No Previous High/Low taken)
Multi-Timeframe Signals
Detects Daily, Weekly, and Monthly CRT+ setups
Optional HTF-only display on lower timeframes
Clear D / W / M labels on chart
Lite Edition Market Scanner (Daily)
Scans 27 major FX, crypto, indices, and metals
Displays bullish / bearish - signals
Optimized to stay within TradingView limits
Real-Time Dashboard
Current chart signal monitor (5m → Monthly)
Compact, customizable panel
Clean, professional presentation
Alerts Included
Bullish / Bearish CRT+
Daily, Weekly, Monthly CRT+ alerts
Unmitigated Liquidity ZonesUnmitigated Liquidity Zones
Description:
Unmitigated Liquidity Zones is a professional-grade Smart Money Concepts (SMC) tool designed to visualize potential "draws on liquidity" automatically.
Unlike standard Support & Resistance indicators, this script focuses exclusively on unmitigated price levels — Swing Highs and Swing Lows that price has not yet revisited. These levels often harbor resting liquidity (Stop Losses, Buy/Sell Stops) and act as magnets for market makers.
How it works:
Detection: The script identifies significant Pivot Points based on your customizable length settings.
Visualization: It draws a line extending forward from the pivot, labeled with the exact Price and the Volume generated at that specific swing.
Mitigation Logic: The moment price "sweeps" or touches a level, the script treats the liquidity as "collected" and automatically removes the line and label from the chart. This keeps your workspace clean and focused only on active targets.
Key Features:
Dynamic Cleanup: Old levels are removed instantly upon testing. No chart clutter.
Volume Context: Displays the volume (formatted as K/M/B) of the pivot candle. This helps you distinguish between weak structure and strong institutional levels.
High Visibility: customizable bold lines and clear labels with backgrounds, designed to be visible on any chart theme.
Performance: Optimized using Pine Script v6 arrays to handle hundreds of levels without lag.
How to trade with this:
Targets: Use the opposing liquidity pools (Green lines for shorts, Red lines for longs) as high-probability Take Profit levels.
Reversals (Turtle Soup): Wait for price to sweep a bold liquidity line. If price aggressively reverses after taking the line, it indicates a "Liquidity Grab" setup.
Magnets: Price tends to gravitate toward "old" unmitigated levels.
Settings:
Pivot Length: Sensitivity of the swing detection (default: 20). Higher values find more significant/long-term levels.
Limit: Maximum number of active lines to prevent memory overload.
Visuals: Toggle Price/Volume labels, adjust line thickness and text size.




















