T3 MA Basit ve Stabil//@version=5
indicator("T3 MA Basit ve Stabil", overlay=true)
length = input.int(14, "T3 Length")
vFactor = input.float(0.7, "vFactor")
lineWidth = input.int(3, "Çizgi Kalınlığı")
ema1 = ta.ema(close, length)
ema2 = ta.ema(ema1, length)
ema3 = ta.ema(ema2, length)
ema4 = ta.ema(ema3, length)
ema5 = ta.ema(ema4, length)
ema6 = ta.ema(ema5, length)
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*ema6 + c2*ema5 + c3*ema4 + c4*ema3
colorUp = color.green
colorDown = color.red
col = t3 > t3 ? colorUp : colorDown
plot(t3, color=col, linewidth=lineWidth)
barcolor(col)
plotshape(t3 > t3 and t3 <= t3 , location=location.belowbar, color=colorUp, style=shape.triangleup, size=size.small)
plotshape(t3 < t3 and t3 >= t3 , location=location.abovebar, color=colorDown, style=shape.triangledown, size=size.small)
Phân tích Xu hướng
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)
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.
Supply and Demand Zones [BigBeluga]🔵 OVERVIEW
The Supply and Demand Zones indicator automatically identifies institutional order zones formed by high-volume price movements. It detects aggressive buying or selling events and marks the origin of these moves as demand or supply zones. Untested zones are plotted with thick solid borders, while tested zones become dashed, signaling reduced strength.
🔵 CONCEPTS
Supply Zones: Identified when 3 or more bearish candles form consecutively with above-average volume. The script then searches up to 5 bars back to find the last bullish candle and plots a supply zone from that candle’s low to its low plus ATR.
Demand Zones: Detected when 3 or more bullish candles appear with above-average volume. The script looks up to 5 bars back for a bearish candle and plots a demand zone from its high to its high minus ATR.
Volume Weighting: Each zone displays the cumulative bullish or bearish volume within the move leading to the zone.
Tested Zones: If price re-enters a zone and touches its boundary after being extended for 15 bars, the zone becomes dashed , indicating a potential weakening of that level.
Overlap Logic: Older overlapping zones are removed automatically to keep the chart clean and only show the most relevant supply/demand levels.
Zone Expiry: Zones are also deleted after they’re fully broken by price (i.e., price closes above supply or below demand).
🔵 FEATURES
Auto-detects supply and demand using volume and candle structure.
Extends valid zones to the right side of the chart.
Solid borders for fresh untested zones.
Dashed borders for tested zones (after 15 bars and contact).
Prevents overlapping zones of the same type.
Labels each zone with volume delta collected during zone formation.
Limits to 5 zones of each type for clarity.
Fully customizable supply and demand zone colors.
🔵 HOW TO USE
Use supply zones as potential resistance levels where sell-side pressure could emerge.
Use demand zones as potential support areas where buyers might step in again.
Pay attention to whether a zone is solid (untested) or dashed (tested).
Combine with other confluences like volume spikes, trend direction, or candlestick patterns.
Ideal for swing traders and scalpers identifying key reaction levels.
🔵 CONCLUSION
Supply and Demand Zones is a clean and logic-driven tool that visualizes critical liquidity zones formed by institutional moves. It tracks untested and tested levels, giving traders a visual edge to recognize where price might bounce or reverse due to historical order flow.
NVentures Liquidity Radar Pro**NVentures Institutional Liquidity Radar Pro (NV-ILR Pro)** is a comprehensive liquidity analysis tool engineered for traders who understand that price moves from liquidity to liquidity. This indicator reveals where stop orders cluster, where institutional players left their footprints, and where the next liquidity grab is likely to occur.
Unlike conventional support/resistance indicators, ILR Pro combines multiple institutional concepts into a unified confluence scoring system — helping you identify high-probability zones where significant price reactions are most likely.
⯌ **Multi-Layer Liquidity Detection**
> The core engine identifies swing-based liquidity pools where retail stop-losses typically cluster. Each zone is dynamically sized using ATR, ensuring relevance across all timeframes and instruments. Zones automatically fade over time through a freshness decay system, keeping your chart focused on what matters now.
⯌ **Institutional Order Block Detection**
> Order Blocks mark the last opposing candle before a strong institutional move — the footprint of smart money entering positions. ILR Pro automatically detects both bullish and bearish Order Blocks using volume confirmation and consecutive candle validation. When price returns to these zones, institutions often defend their positions.
⯌ **Fair Value Gap Integration (Optional)**
> FVGs represent price imbalances where aggressive orders created inefficiencies. These gaps often act as magnets for price or provide optimal entry zones for mean-reversion strategies. FVG detection is disabled by default for a cleaner chart experience — enable it in settings when you want the full picture.
⯌ **Smart Confluence Scoring**
> Each liquidity zone receives a confluence score based on multiple factors:
- Overlapping swing levels (+1 per overlap)
- Nearby Order Blocks (+1)
- Higher Timeframe alignment (+2 bonus)
Zones with scores of 4+ are highlighted as high-confluence areas where institutional activity is most concentrated.
⯌ **Higher Timeframe Confluence**
> A liquidity zone on your current timeframe gains significant weight when it aligns with HTF structure. ILR Pro automatically checks for HTF swing alignment and awards bonus confluence points — no manual multi-timeframe analysis required.
⯌ **Liquidity Sweep Detection**
> Not every break of a level is a true breakout. ILR Pro identifies sweep patterns where price penetrates a liquidity zone but closes back inside, indicating that liquidity was grabbed without genuine continuation. Swept zones are visually marked, helping you avoid false breakout traps.
⯌ **Mitigation & Test Tracking**
> The indicator tracks how many times price has tested each zone and automatically marks Order Blocks as mitigated once price fully trades through them. This helps you focus on fresh, untested levels with higher reaction probability.
⯌ **Volume-Weighted Significance**
> Zones formed on high relative volume carry more weight. The volume scoring system identifies where significant participation occurred, filtering out noise from low-volume price action.
**PRACTICAL APPLICATION**
**For Breakout Traders**
> Identify where liquidity pools cluster above/below current price. When price sweeps these zones and reverses, you have confirmation of a liquidity grab — often the precursor to the real move in the opposite direction.
**For Mean-Reversion Traders**
> Enable FVG detection and look for price returning to unfilled gaps within high-confluence liquidity zones. The combination of gap-fill tendency and institutional defense creates high-probability reversal setups.
**For Trend Traders**
> Use Order Blocks as pullback entry zones within established trends. When price retraces to a bullish OB in an uptrend (or bearish OB in a downtrend), institutions often step in to defend their positions.
**For Multi-Timeframe Analysts**
> The HTF confluence system does the work for you. Zones marked with "HTF" in the label align with higher timeframe structure — these are your highest conviction levels.
**CONFIGURATION GUIDE**
**Essential Settings**
- Swing Detection Length: 5-8 for intraday, 8-15 for swing trading
- HTF Timeframe: One or two timeframes above your trading TF (e.g., D for H4 charts)
- Min Confluence to Display: 2 for comprehensive view, 3-4 for only high-probability zones
**Visual Clarity**
- FVGs are disabled by default — enable under "Fair Value Gaps" section when needed
- Zone transparency adjustable from 50-95%
- Label size options: tiny, small, normal
**Performance Optimization**
- Reduce Max Zones/OBs/FVGs for faster loading on lower-end systems
- Decrease Lookback Period for intraday scalping
**WHAT MAKES THIS DIFFERENT**
Most liquidity indicators simply draw lines at swing highs and lows. ILR Pro goes further:
→ **Confluence over quantity** — Not all levels are equal. The scoring system highlights where multiple institutional concepts align.
→ **Dynamic relevance** — Freshness decay ensures old, tested levels fade while fresh zones remain prominent.
→ **Sweep intelligence** — Distinguishes between genuine breakouts and liquidity grabs through wick analysis.
→ **Institutional integration** — Combines retail liquidity pools with smart money concepts (OBs, FVGs) in one unified tool.
→ **HTF awareness** — Automatic higher timeframe validation without switching charts.
**STATISTICS PANEL**
The built-in statistics table displays:
- Active resistance/support zones
- High confluence zone count
- Swept zone count
- Active Order Blocks
- Active FVGs (when enabled)
- Current ATR value
- Selected HTF
**ALERTS INCLUDED**
- Price approaching high confluence zone
- Liquidity sweep detected
- Bullish/Bearish Order Block formed
- Bullish/Bearish FVG detected (when enabled)
**NOTES**
This indicator works on all markets and timeframes. For optimal results on Forex, consider using Daily as your HTF for H1-H4 trading. For indices and crypto, Weekly HTF often provides stronger confluence.
The indicator uses User-Defined Types (UDTs) for clean data management and respects Pine Script's drawing limits (500 boxes/labels/lines).
**DISCLAIMER**
This indicator is for educational and informational purposes only. It does not constitute financial advice. All trading decisions are solely your responsibility. Past performance of any trading system or methodology is not indicative of future results.
Momentum Burst Pullback System v66* Detects **momentum “bursts”** using:
* **Keltner breakout** (high above upper band for long, low below lower band for short), and/or
* **MACD histogram extreme** (highest/lowest in a lookback window, with correct sign).
* Optional **burst-zone extension** keeps the burst “active” for N extra bars after the burst.
* Marks bursts with **K** (Keltner) and **M** (MACD) labels:
* Core burst labels use one color, extension labels use a different color.
* Tracks the most recent burst as the **dominant side** (long or short), and stores burst “leg” anchors (high/low context).
* Adds **structure-based invalidation**:
* On a new **core burst**, it locks the most recent **confirmed swing** level (pivot):
* Long: locks the last confirmed **swing low**.
* Short: locks the last confirmed **swing high**.
* After the burst, if price **breaks that locked level**, the burst regime is **cancelled** (and any pending setup on that side is dropped).
* Finds **pullback setups** after a dominant burst (and not inside the active burst zone), within min/max bars:
* Long pullback requires a sequence of **lower highs** and price still below the burst high.
* Short pullback requires **higher lows** and price still above the burst low.
* Optional background shading highlights pullback bars.
* On pullback bars, plots **static TP/SL crosses** using ATR:
* Anchor is the pullback bar’s high (long) or low (short).
* TP/SL are ± ATR * multiple.
* TP plots are visually classified (bright vs faded) based on whether TP would exceed the prior burst extreme.
* Maintains a **state-machine entry + trailing stop**:
* Sets a “waiting” trigger on pullback.
* Enters when price breaks the trigger (high break for long, low break for short).
* Trails a stop using **R-multiples**, with different behavior pre-break-even, post-break-even, and near-TP.
* Optionally draws the trailing stop as horizontal line segments.
* Optionally shows a **last-bar label** with the most recent pullback’s TP and SL values.
Ichimoku Box--Sia--Ichimoku Box: True Drag & Drop Analysis
This indicator allows you to perform advanced Ichimoku analysis with a unique "Drag & Drop" feature.
Key Features:
- Drag the vertical line to any point in history to see Ichimoku calculations for that specific moment.
- Visualizes High/Low boxes for periods 9, 26, and 52.
- Displays support/resistance levels dynamically based on the selected time.
How to use:
1. Add the indicator to your chart.
2. Select the "Drag This Line" option in the settings or simply drag the vertical line on the chart.
3. The boxes and levels will update automatically.
Disclaimer: This tool is for educational purposes.
----------------------------------------------------
ایچیموکو باکس: تحلیل با قابلیت کشیدن و رها کردن واقعی
این اندیکاتور به شما امکان میدهد تحلیل پیشرفته ایچیموکو را با قابلیت منحصربهفرد «کشیدن و رها کردن» (Drag & Drop) انجام دهید.
ویژگیهای کلیدی:
- خط عمودی را به هر نقطهای از تاریخچه نمودار بکشید تا محاسبات ایچیموکو را برای همان لحظه خاص مشاهده کنید.
- نمایش بصری باکسهای سقف/کف (High/Low) برای دورههای ۹، ۲۶ و ۵۲.
- نمایش سطوح حمایت/مقاومت به صورت پویا بر اساس زمان انتخاب شده.
نحوه استفاده:
۱. اندیکاتور را به چارت خود اضافه کنید.
۲. گزینه «Drag This Line» را در تنظیمات انتخاب کنید یا به سادگی خط عمودی روی چارت را با موس جابجا کنید.
۳. باکسها و سطوح به صورت خودکار بهروزرسانی میشوند.
سلب مسئولیت: این ابزار صرفاً برای اهداف آموزشی است.
SMC Market Structure with EMA Confirmation and Prepare EntryDewaSMC v1 — Smart Market Structure with Prepare Entry & EMA Confirmation
DewaSMC v1 is a technical analysis indicator based on market structure concepts, designed to help traders visually analyze price behavior in a structured and objective way. This indicator focuses on identifying structural changes in the market and highlighting areas of interest where price reactions may occur.
It is intended as an analytical support tool, not as an automated trading system or a signal service
🔹 Key Features
1. Market Structure Detection (BOS & CHoCH)
• Identifies Break of Structure (BOS) and Change of Character (CHoCH) using swing high and swing low analysis.
• Break confirmation can be configured to use candle body or wick.
• Structure levels are visualized with lines and clear BOS / CHoCH labels directly on the chart.
2. Prepare Entry Zones
• Displays prepare entry zones when price approaches an important structure level but has not yet confirmed a break.
• These zones help users monitor potential setups without entering prematurely.
• Prepare zones are temporary and automatically disappear after a defined number of bars or once a structure break occurs.
3. EMA Confirmation Filter
• Uses short-term and long-term EMAs as directional filters.
• Optional confirmation modes:
o Price relative to EMA
o EMA alignment (short EMA above/below long EMA)
• This filter is designed to reduce counter-structure or counter-trend scenarios.
4. Volatility-Based Target Projection
• After a confirmed structure break, the indicator projects:
o Entry level
o Stop Loss level
o Multiple target levels (TP1, TP2, TP3)
• Targets are calculated using ATR-based volatility logic, allowing adaptability to different market conditions.
• Risk and reward areas are displayed as visual zones for clarity.
5. Trade Information Table
• A real-time information table summarizes key analytical data, including:
o Structural direction
o Entry level
o Stop Loss
o Target levels
o EMA confirmation status
o Estimated Risk-to-Reward ratio
• Table position is fully customizable on the chart.
6. Trend Visualization
• Candles can be colored based on current market structure direction.
• EMAs are plotted as additional trend references.
⚙️ Customizable Settings
• Structure detection period
• Break confirmation type (Body or Wick)
• Enable / disable:
o Prepare Entry zones
o EMA confirmation
o Trade information table
o Trend-based candle coloring
• Visual customization options for colors and layout
📌 Important Notes
• This indicator does not provide financial advice and does not guarantee any specific outcome.
• It should be used in combination with:
o Personal risk management rules
o Additional technical or contextual analysis
• All trading decisions remain the responsibility of the user.
🎯 Suitable For
• Traders studying market structure or Smart Money–style concepts
• Manual analysis on various instruments and timeframes
• Users seeking a structured and visual approach to price analysis
SMC MICRO ENTRY SETUPThis setup is designed based on Fair Value Gaps where trader can predict Bullish Or Bearish Trend with Market Structure and FVG, We may get Micro Levels for Buying and Selling with Small FVG Detection with Lower Time Frames, This setup will help trader to find good trades with Smart Money entries with FVG Order Blocks,
Same setup is only for Education Purposes don't take blind traded on it. Before taking any trade please concern with your Financial Advisor.
Green OB = Bullish Trend with Fresh Demand
Red OB = Bearish Trend with Fresh Supply
Gray OB = If Tested Red of Green OB it will automatic convert into Gray as a Entry Taken with OB
Trend Engine ProTrend Engine Pro — Index Trend & Market Structure Framework
Trend Engine Pro is an advanced, non-repainting market structure indicator designed for index traders who want clarity on trend direction, balance zones, and price behavior—not buy/sell noise.
Built specifically for NIFTY & BANKNIFTY, this tool helps traders stay aligned with the dominant market context using previous-day structure, dynamic trend logic, and equilibrium-based midlines.
What Trend Engine Pro Does
Trend Identification
Determines bullish or bearish bias using previous-day High / Low structure
Uses 78.6% range logic to confirm decisive trend shifts
Visual trend background for instant market context
Key Price Levels
Dynamic structure levels derived from previous sessions
Equilibrium reference level for balance vs imbalance zones
Helps identify acceptance, rejection, and compression areas
Previous Trend Zones
Automatically captures:
Previous uptrend high
Previous downtrend low
Useful for:
Support & resistance mapping
Mean reversion context
Risk planning reference
Master Trend Midline
Midpoint of the last completed trend range
Acts as a higher-timeframe directional filter
Helps avoid counter-trend bias
Running Trend Midline
Continuously updates during an active trend
Shows trend strength, balance, and momentum health
Ideal for pullback & continuation evaluation
Option Context (Index Only)
Optional option seller reference level derived from structure extremes
Rounded strike logic for planning context
For analytical reference only, not trade execution
Optional Option P/L Table
Manual option & hedge symbol selection
Displays:
Entry price
Live price
Running P/L
Max trade P/L with timestamp
Disabled by default
Alerts Included
Bullish trend shift alert
Bearish trend shift alert
(Alerts are informational and based on confirmed structure changes)
Who This Indicator Is For
NIFTY & BANKNIFTY traders
Intraday & positional traders
Option sellers seeking market context
Traders who prefer structure over signals
Users who value non-repainting logic
What Trend Engine Pro Does NOT Do
No buy/sell signals
No automated trading
No profit guarantees
No repainting
Disclaimer
This indicator is for educational and analytical purposes only.
It does not provide trading or investment advice.
I am not a SEBI registered investment advisor.
Trading involves risk. Use this tool at your own discretion.
Best Usage Tip
Trend Engine Pro works best when used to:
Align trades with dominant trend
Avoid trades near equilibrium zones
Combine with your own entry and risk management logic
NIFTY RENKO OPTION CE/PENIFTY RENKO OPTION CE/PE ek non-repainting intraday Renko-based option direction indicator hai jo price action + money flow ko combine karke CE / PE buy signals generate karta hai.






















