FAD Dashboard (Future vs Spot)Inspired by Wealthcon
This dashboard shows Real Time sentiment of Future Asset Difference with Future price of 3 Main Index & 10 Most significant Nifty 50 stocks . But the list is user customisable.
Fut Up + FAD Up (Deep Green)
Fut Down + FAD Up (Deep Blue)
Fut Up + FAD Down (Yellow)
Fut Down + FAD Down (Red)
Only for Educational purpose.
Indicators and strategies
MR GenericA clean Z-score oscillator that measures how far price has stretched from its rolling regression mean.
Green zones is oversold, red zones is overbought. Small circles flag normal reversals; tiny diamonds mark rare extreme levels (±2.8σ+). Works on any asset, any timeframe.
EMA 21/55/100/200EMA 21/55/100/200 – All-in-one Trend & Swing Trading Toolkit
A clean and practical four-EMA system designed for trend trading, swing trading, and short-to-mid-term market structure analysis.
This indicator includes full visualization and customization options:
1️⃣ Four EMAs with full control (21/55/100/200)
Enable or disable each EMA individually.
All periods, colors, and line widths are fully adjustable for different trading systems.
2️⃣ Strong Trend Background Highlight
When the EMAs form a classic perfect bullish or perfect bearish alignment,
the indicator automatically highlights the chart background to show strong trend conditions.
3️⃣ EMA Cross Signals
Visual markers for key EMA crossovers such as:
• 21 ↗ 55
• 55 ↗ 100
These help identify momentum shifts, trend acceleration, or potential reversals.
4️⃣ EMA Touch Alerts
Alerts trigger whenever price touches any EMA, useful for:
• Trend pullback entries
• Monitoring short-term trend changes
• Validating support and resistance levels
⸻
EMA 21/55/100/200 四合一指标,适用于 EMA 的趋势交易、波段交易与中短线判断。
本指标包含完整的可视化选项:
1️⃣ EMA 21/55/100/200 四线自由开关
可调整周期、颜色、粗细,适配趋势或波段系统。
2️⃣ 多头/空头强势排列背景提示
当 EMA 呈现经典“完美多头 / 空头排列”时,会自动通过背景着色提示市场结构进入强趋势。
3️⃣ EMA 交叉信号提示
支持 21↗55、55↗100 等关键均线交叉标记,便于观察趋势加速或反转。
4️⃣ EMA 触及警报提醒
当价格触及任意 EMA 时,可触发警报,用于:
• 趋势回调买点
• 关注短期趋势变化
• 观察支撑/压力有效性
Gold Seasonal Long-Term StrategyBased on the rigid cycle of physical gold demand.
It capitalizes on the strong buying momentum driven by India's Diwali in November, the Western holiday season in December, and the Chinese New Year in January/February to execute a long-term hold.
EMA Market Structure [BOSWaves]// This Pine Script™ code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// Join our channel for more free tools: t.me
// This Pine Script® code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © BOSWaves
//@version=6
indicator("EMA Market Structure ", overlay=true, max_lines_count=500, max_labels_count=500, max_boxes_count=500)
// ============================================================================
// Inputs
// ============================================================================
// Ema settings
emaLength = input.int(50, "EMA Length", minval=1, tooltip="Period for the Exponential Moving Average calculation")
emaSource = input.source(close, "EMA Source", tooltip="Price source for EMA calculation (close, open, high, low, etc.)")
colorSmooth = input.int(3, "Color Smoothing", minval=1, group="EMA Style", tooltip="Smoothing period for the EMA color gradient transition")
showEmaGlow = input.bool(true, "EMA Glow Effect", group="EMA Style", tooltip="Display glowing halo effect around the EMA line for enhanced visibility")
// Structure settings
swingLength = input.int(5, "Swing Detection Length", minval=2, group="Structure", tooltip="Number of bars to the left and right to identify swing highs and lows")
swingCooloff = input.int(10, "Swing Marker Cooloff (Bars)", minval=1, group="Structure", tooltip="Minimum number of bars between consecutive swing point markers to reduce visual clutter")
showSwingLines = input.bool(true, "Show Structure Lines", group="Structure", tooltip="Display lines connecting swing highs and swing lows")
showSwingZones = input.bool(true, "Show Structure Zones", group="Structure", tooltip="Display shaded zones between consecutive swing points")
showBOS = input.bool(true, "Show Break of Structure", group="Structure", tooltip="Display BOS labels and stop loss levels when price breaks structure")
bosCooloff = input.int(15, "BOS Cooloff (Bars)", minval=5, maxval=50, group="Structure", tooltip="Minimum number of bars required between consecutive BOS signals to avoid signal spam")
slExtension = input.int(20, "SL Line Extension (Bars)", minval=5, maxval=100, group="Structure", tooltip="Number of bars to extend the stop loss line into the future for visibility")
slBuffer = input.float(0.1, "SL Buffer %", minval=0, maxval=2, step=0.05, group="Structure", tooltip="Additional buffer percentage to add to stop loss level for safety margin")
// Background settings
showBG = input.bool(true, "Show Trend Background", group="EMA Style", tooltip="Display background color based on EMA trend direction")
bgBullColor = input.color(color.new(#00ff88, 96), "Bullish BG", group="EMA Style", tooltip="Background color when EMA is in bullish trend")
bgBearColor = input.color(color.new(#ff3366, 96), "Bearish BG", group="EMA Style", tooltip="Background color when EMA is in bearish trend")
// ============================================================================
// Ema trend filter with gradient color
// ============================================================================
ema = ta.ema(emaSource, emaLength)
// Calculate EMA acceleration for gradient color
emaChange = ema - ema
emaAccel = ta.ema(emaChange, colorSmooth)
// Manual tanh function for normalization
tanh(x) =>
ex = math.exp(2 * x)
(ex - 1) / (ex + 1)
accelNorm = tanh(emaAccel / (ta.atr(14) * 0.01))
// Map normalized accel to hue (60 = green, 120 = yellow/red)
hueRaw = 60 + accelNorm * 60
hue = na(hueRaw ) ? hueRaw : (hueRaw + hueRaw ) / 2
sat = 1.0
val = 1.0
// HSV to RGB conversion
hsv_to_rgb(h, s, v) =>
c = v * s
x = c * (1 - math.abs((h / 60) % 2 - 1))
m = v - c
r = 0.0
g = 0.0
b = 0.0
if (h < 60)
r := c
g := x
b := 0
else if (h < 120)
r := x
g := c
b := 0
else if (h < 180)
r := 0
g := c
b := x
else if (h < 240)
r := 0
g := x
b := c
else if (h < 300)
r := x
g := 0
b := c
else
r := c
g := 0
b := x
color.rgb(int((r + m) * 255), int((g + m) * 255), int((b + m) * 255))
emaColor = hsv_to_rgb(hue, sat, val)
emaTrend = ema > ema ? 1 : ema < ema ? -1 : 0
// EMA with enhanced glow effect using fills
glowOffset = ta.atr(14) * 0.25
emaGlow8 = plot(showEmaGlow ? ema + glowOffset * 8 : na, "EMA Glow 8", color.new(emaColor, 100), 1, display=display.none)
emaGlow7 = plot(showEmaGlow ? ema + glowOffset * 7 : na, "EMA Glow 7", color.new(emaColor, 100), 1, display=display.none)
emaGlow6 = plot(showEmaGlow ? ema + glowOffset * 6 : na, "EMA Glow 6", color.new(emaColor, 100), 1, display=display.none)
emaGlow5 = plot(showEmaGlow ? ema + glowOffset * 5 : na, "EMA Glow 5", color.new(emaColor, 100), 1, display=display.none)
emaGlow4 = plot(showEmaGlow ? ema + glowOffset * 4 : na, "EMA Glow 4", color.new(emaColor, 100), 1, display=display.none)
emaGlow3 = plot(showEmaGlow ? ema + glowOffset * 3 : na, "EMA Glow 3", color.new(emaColor, 100), 1, display=display.none)
emaGlow2 = plot(showEmaGlow ? ema + glowOffset * 2 : na, "EMA Glow 2", color.new(emaColor, 100), 1, display=display.none)
emaGlow1 = plot(showEmaGlow ? ema + glowOffset * 1 : na, "EMA Glow 1", color.new(emaColor, 100), 1, display=display.none)
emaCore = plot(ema, "EMA Core", emaColor, 3)
emaGlow1b = plot(showEmaGlow ? ema - glowOffset * 1 : na, "EMA Glow 1b", color.new(emaColor, 100), 1, display=display.none)
emaGlow2b = plot(showEmaGlow ? ema - glowOffset * 2 : na, "EMA Glow 2b", color.new(emaColor, 100), 1, display=display.none)
emaGlow3b = plot(showEmaGlow ? ema - glowOffset * 3 : na, "EMA Glow 3b", color.new(emaColor, 100), 1, display=display.none)
emaGlow4b = plot(showEmaGlow ? ema - glowOffset * 4 : na, "EMA Glow 4b", color.new(emaColor, 100), 1, display=display.none)
emaGlow5b = plot(showEmaGlow ? ema - glowOffset * 5 : na, "EMA Glow 5b", color.new(emaColor, 100), 1, display=display.none)
emaGlow6b = plot(showEmaGlow ? ema - glowOffset * 6 : na, "EMA Glow 6b", color.new(emaColor, 100), 1, display=display.none)
emaGlow7b = plot(showEmaGlow ? ema - glowOffset * 7 : na, "EMA Glow 7b", color.new(emaColor, 100), 1, display=display.none)
emaGlow8b = plot(showEmaGlow ? ema - glowOffset * 8 : na, "EMA Glow 8b", color.new(emaColor, 100), 1, display=display.none)
// Create glow layers with fills (from outermost to innermost)
fill(emaGlow8, emaGlow7, showEmaGlow ? color.new(emaColor, 97) : na)
fill(emaGlow7, emaGlow6, showEmaGlow ? color.new(emaColor, 95) : na)
fill(emaGlow6, emaGlow5, showEmaGlow ? color.new(emaColor, 93) : na)
fill(emaGlow5, emaGlow4, showEmaGlow ? color.new(emaColor, 90) : na)
fill(emaGlow4, emaGlow3, showEmaGlow ? color.new(emaColor, 87) : na)
fill(emaGlow3, emaGlow2, showEmaGlow ? color.new(emaColor, 83) : na)
fill(emaGlow2, emaGlow1, showEmaGlow ? color.new(emaColor, 78) : na)
fill(emaGlow1, emaCore, showEmaGlow ? color.new(emaColor, 70) : na)
fill(emaCore, emaGlow1b, showEmaGlow ? color.new(emaColor, 70) : na)
fill(emaGlow1b, emaGlow2b, showEmaGlow ? color.new(emaColor, 78) : na)
fill(emaGlow2b, emaGlow3b, showEmaGlow ? color.new(emaColor, 83) : na)
fill(emaGlow3b, emaGlow4b, showEmaGlow ? color.new(emaColor, 87) : na)
fill(emaGlow4b, emaGlow5b, showEmaGlow ? color.new(emaColor, 90) : na)
fill(emaGlow5b, emaGlow6b, showEmaGlow ? color.new(emaColor, 93) : na)
fill(emaGlow6b, emaGlow7b, showEmaGlow ? color.new(emaColor, 95) : na)
fill(emaGlow7b, emaGlow8b, showEmaGlow ? color.new(emaColor, 97) : na)
// ============================================================================
// Swing high/low detection
// ============================================================================
// Swing High/Low Detection
swingHigh = ta.pivothigh(high, swingLength, swingLength)
swingLow = ta.pivotlow(low, swingLength, swingLength)
// Cooloff tracking
var int lastSwingHighPlot = na
var int lastSwingLowPlot = na
// Check if cooloff period has passed
canPlotHigh = na(lastSwingHighPlot) or (bar_index - lastSwingHighPlot) >= swingCooloff
canPlotLow = na(lastSwingLowPlot) or (bar_index - lastSwingLowPlot) >= swingCooloff
// Store swing points
var float lastSwingHigh = na
var int lastSwingHighBar = na
var float lastSwingLow = na
var int lastSwingLowBar = na
// Track previous swing for BOS detection
var float prevSwingHigh = na
var float prevSwingLow = na
// Update swing highs with cooloff
if not na(swingHigh) and canPlotHigh
prevSwingHigh := lastSwingHigh
lastSwingHigh := swingHigh
lastSwingHighBar := bar_index - swingLength
lastSwingHighPlot := bar_index
// Update swing lows with cooloff
if not na(swingLow) and canPlotLow
prevSwingLow := lastSwingLow
lastSwingLow := swingLow
lastSwingLowBar := bar_index - swingLength
lastSwingLowPlot := bar_index
// ============================================================================
// Structure lines & zones
// ============================================================================
var line swingHighLine = na
var line swingLowLine = na
var box swingHighZone = na
var box swingLowZone = na
if showSwingLines
// Draw line connecting swing highs with zones
if not na(swingHigh) and canPlotHigh and not na(prevSwingHigh)
if not na(lastSwingHighBar)
line.delete(swingHighLine)
swingHighLine := line.new(lastSwingHighBar, lastSwingHigh, bar_index - swingLength, swingHigh, color=color.new(#ff3366, 0), width=2, style=line.style_solid)
// Create resistance zone
if showSwingZones
box.delete(swingHighZone)
zoneTop = math.max(lastSwingHigh, swingHigh)
zoneBottom = math.min(lastSwingHigh, swingHigh)
swingHighZone := box.new(lastSwingHighBar, zoneTop, bar_index - swingLength, zoneBottom, border_color=color.new(#ff3366, 80), bgcolor=color.new(#ff3366, 92))
// Draw line connecting swing lows with zones
if not na(swingLow) and canPlotLow and not na(prevSwingLow)
if not na(lastSwingLowBar)
line.delete(swingLowLine)
swingLowLine := line.new(lastSwingLowBar, lastSwingLow, bar_index - swingLength, swingLow, color=color.new(#00ff88, 0), width=2, style=line.style_solid)
// Create support zone
if showSwingZones
box.delete(swingLowZone)
zoneTop = math.max(lastSwingLow, swingLow)
zoneBottom = math.min(lastSwingLow, swingLow)
swingLowZone := box.new(lastSwingLowBar, zoneTop, bar_index - swingLength, zoneBottom, border_color=color.new(#00ff88, 80), bgcolor=color.new(#00ff88, 92))
// ============================================================================
// Break of structure (bos)
// ============================================================================
// Track last BOS bar for cooloff
var int lastBullishBOS = na
var int lastBearishBOS = na
// Check if cooloff period has passed
canPlotBullishBOS = na(lastBullishBOS) or (bar_index - lastBullishBOS) >= bosCooloff
canPlotBearishBOS = na(lastBearishBOS) or (bar_index - lastBearishBOS) >= bosCooloff
// Bullish BOS: Price breaks above previous swing high while EMA is bullish
bullishBOS = showBOS and canPlotBullishBOS and emaTrend == 1 and not na(prevSwingHigh) and close > prevSwingHigh and close <= prevSwingHigh
// Bearish BOS: Price breaks below previous swing low while EMA is bearish
bearishBOS = showBOS and canPlotBearishBOS and emaTrend == -1 and not na(prevSwingLow) and close < prevSwingLow and close >= prevSwingLow
// Update last BOS bars
if bullishBOS
lastBullishBOS := bar_index
if bearishBOS
lastBearishBOS := bar_index
// Plot BOS with enhanced visuals and SL at the candle wick
if bullishBOS
// Calculate SL at the low of the current candle (bottom of wick) with buffer
slLevel = low * (1 - slBuffer/100)
// BOS Label with shadow effect
label.new(bar_index, low, "BOS", style=label.style_label_up, color=color.new(#00ff88, 0), textcolor=color.black, size=size.normal, tooltip="Bullish Break of Structure SL: " + str.tostring(slLevel))
// Main SL line at candle low
line.new(bar_index, slLevel, bar_index + slExtension, slLevel, color=color.new(#00ff88, 0), width=2, style=line.style_dashed, extend=extend.none)
// SL zone box for visual emphasis
box.new(bar_index, slLevel + (slLevel * 0.002), bar_index + slExtension, slLevel - (slLevel * 0.002), border_color=color.new(#00ff88, 60), bgcolor=color.new(#00ff88, 85))
// S/R label
label.new(bar_index + slExtension, slLevel, "S/R", style=label.style_label_left, color=color.new(#00ff88, 0), textcolor=color.black, size=size.tiny)
if bearishBOS
// Calculate SL at the high of the current candle (top of wick) with buffer
slLevel = high * (1 + slBuffer/100)
// BOS Label with shadow effect
label.new(bar_index, high, "BOS", style=label.style_label_down, color=color.new(#ff3366, 0), textcolor=color.white, size=size.normal, tooltip="Bearish Break of Structure SL: " + str.tostring(slLevel))
// Main SL line at candle high
line.new(bar_index, slLevel, bar_index + slExtension, slLevel, color=color.new(#ff3366, 0), width=2, style=line.style_dashed, extend=extend.none)
// SL zone box for visual emphasis
box.new(bar_index, slLevel + (slLevel * 0.002), bar_index + slExtension, slLevel - (slLevel * 0.002), border_color=color.new(#ff3366, 60), bgcolor=color.new(#ff3366, 85))
// S/R label
label.new(bar_index + slExtension, slLevel, "S/R", style=label.style_label_left, color=color.new(#ff3366, 0), textcolor=color.white, size=size.tiny)
// ============================================================================
// Dynamic background zones
// ============================================================================
bgcolor(showBG and emaTrend == 1 ? bgBullColor : showBG and emaTrend == -1 ? bgBearColor : na)
// ============================================================================
// Alerts
// ============================================================================
alertcondition(bullishBOS, "Bullish BOS", "Bullish Break of Structure detected!")
alertcondition(bearishBOS, "Bearish BOS", "Bearish Break of Structure detected!")
alertcondition(emaTrend == 1 and emaTrend != 1, "EMA Bullish", "EMA turned bullish")
alertcondition(emaTrend == -1 and emaTrend != -1, "EMA Bearish", "EMA turned bearish")
// ╔════════════════════════════════╗
// ║ Download at ║
// ╚════════════════════════════════╝
// ███████╗██╗███╗ ███╗██████╗ ██╗ ███████╗
// ██╔════╝██║████╗ ████║██╔══██╗██║ ██╔════╝
// ███████╗██║██╔████╔██║██████╔╝██║ █████╗
// ╚════██║██║██║╚██╔╝██║██╔═══╝ ██║ ██╔══╝
// ███████║██║██║ ╚═╝ ██║██║ ███████╗███████╗
// ╚══════╝╚═╝╚═╝ ╚═╝╚═╝ ╚══════╝╚══════╝
// ███████╗ ██████╗ ██████╗ ███████╗██╗ ██╗
// ██╔════╝██╔═══██╗██╔══██╗██╔════╝╚██╗██╔╝
// █████╗ ██║ ██║██████╔╝█████╗ ╚███╔╝
// ██╔══╝ ██║ ██║██╔══██╗██╔══╝ ██╔██╗
// ██║ ╚██████╔╝██║ ██║███████╗██╔╝ ██╗
// ╚═╝ ╚═════╝ ╚═╝ ╚═╝╚══════╝╚═╝ ╚═╝
// ████████╗ ██████╗ ██████╗ ██╗ ███████╗
// ╚══██╔══╝██╔═══██╗██╔═══██╗██║ ██╔════╝
// ██║ ██║ ██║██║ ██║██║ ███████╗
// ██║ ██║ ██║██║ ██║██║ ╚════██║
// ██║ ╚██████╔╝╚██████╔╝███████╗███████║
// ╚═╝ ╚═════╝ ╚═════╝ ╚══════╝╚══════╝
// ==========================================================================================
Breaker Blocks [TakingProphets]Breaker Blocks
Smart Money “breaker” zones automatically mapped on your chart.
This tool is designed for traders who use ICT / Smart Money concepts and want a clean, automated way to see breaker blocks form and evolve in real time.
-----------------------------------------------------------------------------------------------
🔍 What this indicator does
The script automatically detects potential bullish and bearish breaker blocks after a market structure shift, then draws and maintains those zones on your chart:
-Plots bullish breaker blocks as green shaded zones.
-Plots bearish breaker blocks as red shaded zones.
-Optionally shows the 50% (midline) of each breaker for refinement.
-Keeps a rolling list of the most recent breakers and removes older ones to keep your chart clean.
-Optionally hides breakers once price closes through them (invalidation), so only active zones remain.
It’s built to work on any symbol and any timeframe. Lower timeframes will naturally generate more breakers; higher timeframes will show fewer, more significant zones.
Important: This script does not open, manage, or close trades for you. It only visualizes price zones that may be relevant to your own strategy and analysis.
-----------------------------------------------------------------------------------------------
🧠 Core logic (high level)
Under the hood, the indicator:
Uses an internal zigzag swing structure to track major pivot highs and lows.
Watches for a market structure shift (MSS):
Bullish MSS: price closes above a prior swing high.
Bearish MSS: price closes below a prior swing low.
Once an MSS is confirmed, it:
Locates the relevant impulse candle(s) that price traded through.
Defines the breaker block using the high/low (or body vs. wick, based on internal settings).
Draws a breaker box from that origin forward in time.
Each breaker is stored as an internal object with:
Direction (bullish or bearish)
Top and bottom prices
Visual boxes and an optional midline
On every new candle, all active breakers are updated:
Extended forward as new bars print.
Optionally invalidated and deleted if price closes back through the breaker in the opposite direction.
This gives you a dynamic map of which breaker blocks are still “respected” by price and which have failed.
-----------------------------------------------------------------------------------------------
⚙️ Key Inputs & Settings
All user-facing options are grouped under “Breaker Blocks” for a clean UI.
-Display Breaker Block
Toggle the visualization on/off without removing detection logic.
-Bullish Color / Bearish Color
Choose the fill color for bullish and bearish breaker zones.
-Show 50% Line
Plots a dashed line at the mid-point of each breaker block.
Helpful if you use the 50% level as a refinement or entry anchor.
-Max Visible
Limits how many of the most recent breaker blocks stay on the chart.
Older breakers are deleted once this limit is exceeded (keeps things clean and lightweight).
-Hide When Invalidated
If enabled:
Bullish breaker is hidden once price closes below its low.
Bearish breaker is hidden once price closes above its high.
If disabled, breakers remain visible even after those closes (for study / backtesting purposes).
These options allow you to run the tool in either a minimal, current-context only mode, or a more historical, educational mode.
-----------------------------------------------------------------------------------------------
🧭 How traders might use it
Some common ways traders may incorporate breaker blocks into their own plans:
As context zones around which to look for entries using their personal triggers.
As potential support/resistance areas after a shift in structure.
To visually separate active vs. invalidated zones instead of manually redrawing them.
In confluence with other SMC tools (FVGs, liquidity pools, PD arrays, etc.) and higher-timeframe bias.
This indicator is intended as a visual aid and works best when combined with a complete trading plan, risk management rules, and your own discretion.
-----------------------------------------------------------------------------------------------
⚠️ Disclaimer
This indicator does not guarantee profits or specific outcomes.
It is provided for educational and informational purposes only.
Past price behavior around breaker blocks does not imply future results.
Always test any tool on a demo account or in a simulated environment before using it with real capital.
Trading involves risk, and you are solely responsible for your own decisions.
EMMTECH Doji Pullback StrategyThis is a trend-following pullback trading strategy for TradingView that identifies high-probability entry points when price temporarily moves against the main trend, then shows signs of reversal.
Core Concept
The indicator waits for the market to establish a trend (using the 100 EMA as a reference), then looks for a brief counter-trend pullback followed by a doji candle (indecision candle), which signals potential trend resumption.
Key Components
1. Trend Filter - 100 EMA
The orange line on your chart representing the 100-period Exponential Moving Average
Price above EMA = uptrend (look for buy setups)
Price below EMA = downtrend (look for sell setups)
2. Pullback Detection
The strategy counts consecutive candles moving against the trend:
In an uptrend: waits for 2+ consecutive red (bearish) candles
In a downtrend: waits for 2+ consecutive green (bullish) candles
3. Clean Candle Filter (Optional)
Filters out candles with large wicks to ensure strong directional moves:
Measures wick size relative to body
Default: wicks can't exceed 30% of body size
Ensures the pullback candles show genuine selling/buying pressure
4. Doji Confirmation
After the pullback, the strategy looks for a doji candle:
Small body relative to total range (default: ≤10% of candle range)
Represents indecision and potential exhaustion of the pullback
Often signals the trend is about to resume
Trade Signals
BUY Signal (Green triangle below bar):
Price is above 100 EMA ✓
2+ consecutive clean red candles ✓
Current candle is a doji ✓
SELL Signal (Red triangle above bar):
Price is below 100 EMA ✓
2+ consecutive clean green candles ✓
Current candle is a doji ✓
Risk Management Visualization
When a signal triggers, the indicator automatically draws:
Red line: Stop loss (placed at the low of the setup for buys, high for sells)
Green line: Target (1:1 risk-reward ratio) (Preferably set SL at recent low)
Teal box: Visual representation of the trade's risk-reward zone
Customizable Parameters
EMA Length: Default 100, adjust for faster/slower trend identification
Consecutive Candles: Minimum pullback candles required (default 2)
Wick Filter: Toggle clean candle requirement on/off
Wick Threshold: How much wick is acceptable (0.3 = 30%)
Doji Filter: Toggle doji requirement on/off
Doji Threshold: How small the body must be (0.1 = 10% of range)
Trading Logic
This strategy aims to catch the "sweet spot" where:
The main trend is still intact (EMA filter)
Weak hands have been shaken out (pullback)
Momentum is exhausting (doji appears)
Strong hands are likely to resume the trend
The background color (light green/red) helps you quickly identify which side of the trend you're on.
Unified Physics: The Holder [Inertia Edition] By RMSTitle: Unified Physics: The Holder
Description: Designed for the patient swing trader, the Inertia Edition utilizes Newton's First Law: An object in motion stays in motion.
The Logic: Standard indicators shake you out during small pullbacks. This system uses a smoothed "Mass x Acceleration" formula to ignore minor fluctuations and keep you in the trade as long as the net force remains positive.
The Strategy:
Entry: Validated Force Impulse (Green/Red Triangle) with Trend confirmation.
The Flip Exit: Unlike scalping tools, this indicator ignores fading momentum. It signals an exit (Fuchsia Dot) ONLY when the Force Vector completely flips direction (crosses the Zero Line).
Goal: Maximize total pips captured per trend. Expect lower win rates but significantly larger "home run" trades. Optimized for 4H and Daily charts.
Copyright © 2025. All Rights Reserved. Proprietary Physics Engine.
Session Volume Profile – Asia, London, NYSession Volume Profile – Asia, London, New York
Product Description
This tool displays intraday volume distribution for the Asian, London, and New York trading sessions.
It provides a visual breakdown of where trading activity concentrated during each session, helping users study volume structure across global market phases.
What the Tool Shows
1. Session Levels
Each session plots three main reference levels:
Point of Control (POC) — the price level with the highest volume traded during that session
Value Area High (VAH) — upper boundary of the primary volume region
Value Area Low (VAL) — lower boundary of the primary volume region
Each session is assigned its own color for easier differentiation.
2. Session Volume Histogram
A horizontal volume histogram displays how activity is distributed within each session.
Longer bars indicate higher relative volume at that price.
3. Session Highlighting (Optional)
Background shading can be enabled to visually identify the current active session.
4. Session Countdown (Optional)
A small text label shows how much time is left in the current session. This is for chart awareness only.
How to Read the Display (Educational Use Only)
POC is often viewed by many traders as a key reference point when studying intraday balance or activity clusters.
VAH / VAL can help users observe where the majority of volume occurred within a session.
Comparing session profiles may help identify how participation shifts from Asia → London → New York.
Observing how price interacts with these historical volume areas can provide context when studying intraday structure.
This panel does not generate trading signals. It is intended for chart analysis, market study, and understanding how volume distributes across global sessions.
Customization Options
Accessible via Settings → Inputs:
Enable/disable any session
Adjust value area percentage
Modify histogram density
Adjust visual opacity
Toggle countdown timer or session shading
These options allow users to tailor the display to different chart styles and timeframes.
Notes
This tool is for educational and informational purposes only.
It does not provide trading or financial advice.
No signals are produced; all outputs are historical/analytical.
Code is published as protected/closed-source to preserve the structure of the underlying calculations.
Unified Physics: The Scalper [Velocity Edition] by RMSBest for: 1H Timeframe, Active Trading, Quick Profits.
Description for Publishing:Title: Unified Physics: The Scalper Description:This edition of the Unified Physics system is tuned for High Velocity markets. Unlike trend-following tools that wait for confirmation, The Scalper executes on the immediate derivative of price acceleration ($F=ma$).The Strategy:Entry: Triggers the moment "Positive Force" enters the market (Green Histogram) aligned with the macro trend (200 SMA).The Velocity Exit: This script features a hyper-sensitive exit algorithm. It signals an exit (Yellow X) the instant momentum begins to decelerate (1-bar fade).Goal: Capture the impulsive "pop" of a move and exit before any retracement occurs. High win rate, quick turnover. Recommended for 1H or lower timeframes.Copyright © 2025. All Rights Reserved. Proprietary Physics Engine.
Unified Physics: The Sniper [Force + Trend + Energy] By RMSTitle: Unified Physics: The Sniper Edition Short Description:An institutional-grade momentum system that applies the laws of physics ($F=ma$) to price action. It filters out 80% of market noise to target only high-probability, high-velocity impulsive moves.Full Description:The Physics of a Winning TradeMost indicators lag because they measure what has happened. Unified Physics measures what is powering the move right now. It is based on the principle that for a trend to sustain a massive run, it requires three physical components aligned simultaneously:Mass (Volume): Participation must be high.Acceleration (Velocity): Price must be speeding up, not just moving.Energy (Trend): The broader market must be in an active state.This "Sniper Edition" is the result of rigorous stress-testing on 4H data, designed to filter out the "churn" and only fire when the probability of a sustained run is highest.The "Equation" StrategyThis script does not show every crossover or dip. It employs a strict 4-Step Equation to validate a trade. A signal (Green/Red Triangle) only appears if ALL of the following conditions are met:1. The Trend Filter (The River)Checks the 200 SMA. We never trade against the long-term flow.Logic: Longs only above the 200 SMA. Shorts only below.2. The Energy Filter (The Fuel)Checks the ADX.Logic: If ADX is below 25, the market is "Dead." No signals are taken, preventing whipsaws in ranging markets.3. The Volatility Gate (The Expansion)Checks the ATR (Average True Range) relative to its baseline.Logic: We only enter when volatility is expanding (ATR > 100-period average). This ensures we are entering a breakout, not a dying move.4. The Force Threshold (The Sniper Scope)Calculates Force = Volume × Acceleration.Logic: The histogram must breach a dynamic statistical threshold (Standard Deviation). This ensures we only trade the Top 10% of strongest impulses—the ones likely to run for 20-50 pips.How to Trade ItEntry (Triangles):Green Triangle: Valid Sniper Long. Physics are aligned for an upward explosion.Red Triangle: Valid Sniper Short. Physics are aligned for a downward crash.The Lifecycle Exit (Yellow 'X'):This indicator includes a "Momentum Fade" detector.A small Yellow 'X' will appear when the Force Histogram shrinks for 2 consecutive bars.Strategy: This is your cue that the initial impulse is over. Consider taking profit or tightening your stop loss immediately.Best SettingsTimeframe: Optimized for 4H (Swing) trading.Pairs: Majors (EURUSD, USDJPY, GBPUSD).Sniper Threshold: Default is 2.0. Increase to 2.5+ for fewer, higher-accuracy trades. Decrease to 1.5 for more frequency.Disclaimer: This tool visualizes market momentum based on historical physics principles. Past performance is not indicative of future results. Always use proper risk management.
Enhanced WMA Cross AlertAn alert for when the 10 period WMA crosses over the 21 period WMA complete with Alerts
TraderForge - Genesis xMA - EMAs + Daily SMAsA clean, powerful multi-MA system designed for momentum and trend clarity on any symbol and any timeframe.
Intraday Momentum:
• EMA 9, 13, and 21 form a responsive ribbon that reveals direction, pullbacks, and acceleration zones.
Higher-Timeframe Trend Structure:
• Daily (or any HTF you choose) SMA 20 / 50 / 200 projected on your chart act as long-range “trend rails,” giving you instant awareness of bullish/bearish bias, mean-reversion zones, and key swing levels.
Fully Editable:
• Change all EMA/SMA lengths
• Select any higher timeframe (default: Daily)
• Turn each group on/off from the settings panel
Simple. Fast. Visual. Perfect for scalping, day trading, or swing analysis.
TraderForge — Simple indicators. Powerful results.
LiquidTradeRoom Auto Zones1. Finds Swing Highs and Swing Lows
It looks for pivot highs and lows using a user-chosen length.
Swing highs = possible supply
Swing lows = possible demand
These swings help the indicator understand the market structure.
2. Automatically Creates Supply & Demand Zones
When a new swing high or low is found:
🔴 Supply zone (after a swing high)
Draws a box above price
Slight buffer added using ATR
Extends the box forward to the right
🔵 Demand zone (after a swing low)
Draws a box below price
ATR buffer
Extends the box to the right
The boxes act as “areas price may react from.”
3. Stops Overlapping Zones
Before creating a new zone, the script checks:
If the new zone is too close to an existing one → it does not draw it.
This avoids clutter & duplicate zones.
4. Draws POI Labels
Within each supply/demand box it draws a small “POI” label showing the midpoint.
This marks the "most important part" of the zone.
5. Marks BOS (Break of Structure) Automatically
If price breaks above a supply zone top or below a demand zone bottom, the indicator:
Converts that zone into a BOS marker
Draws a line showing where structure was broken
Removes the old supply/demand box
This helps identify trend changes.
6. Extends Active Zones
Existing zones are constantly pushed further right so they stay visible on the chart.
7. Optional Zig-Zag
The script can draw a zig-zag line to help visualize:
Higher highs
Higher lows
Lower highs
Lower lows
But you can turn it on or off.
8. Optional Swing Labels
If enabled, it prints:
HH (Higher High)
HL (Higher Low)
LH (Lower High)
LL (Lower Low)
This visually shows market structure.
✨ In summary
This script automatically builds a full “Smart Money Concepts” structure map including:
✔ Swing points
✔ Supply & demand zones
✔ POIs
✔ Break of structure (BOS)
✔ Zig-zag structure
✔ Market structure labels (HH, HL, LH, LL)
Alt Trading: Asia Fibonacci Strategy
The Alt Trading: Asia Fibonacci Strategy is a session-anchored liquidity and Fibonacci engine designed for traders who want to systematically exploit the overnight Asia range instead of just marking it and guessing. It automatically profiles the Asia session to build a precise high–low liquidity band, then waits for clean sweeps of that range before it will even consider a setup forcing every idea to start from an objective liquidity event. Behind the scenes, a swing-based structure model defines the dominant leg and projects a true, directionally-aligned Fibonacci map, extending down for long scenarios and up for shorts so the premium/discount zones are never “mirrored” or visually inverted. Key extension bands are converted into forward-projected price zones, with dedicated entry corridors that only activate once price has both raided the Asia high/low and traded back into the correct Fibonacci pocket. A lightweight FVG engine tracks the most recent opposing Fair Value Gap and uses its invalidation as a final confirmation step, so your long setups only trigger when a bearish imbalance has been meaningfully reclaimed and vice versa for shorts. The result is a minimal but strict playbook: sweep the Asia range, respect the leg, touch the fib zone, invalidate the opposing FVG, then and only then print a clean visual marker on the chart. Transparent fib blocks, trigger FVG highlights, and compact “double-circle” text markers keep the chart readable even on lower timeframes, while still giving you a clear sense of where the setup originated and which liquidity it’s built around. All colors and visual layers are customizable, making it easy to blend the tool into your existing layout while preserving the core logic. Rather than trying to predict the entire session, Asia Fibonacci Strategy turns one of the most consistent structures in the market overnight range and its sweep into a repeatable, rule-driven framework for high-quality intraday entries.
Run Reversal Run Reversal is a multi-timeframe precision reversal tool designed to detect momentum shifts after a clean run of candles in one direction. The indicator identifies when price completes a directional run on the lower timeframe and confirms alignment with a matching run on a higher timeframe. Once both conditions are met, it marks the first reversal candle and plots a customizable entry and stop-loss setup.
Features include:
• Multi-combo structure (1m→5m, 2m→10m, 3m→15m, etc.)
• Separate settings for bullish and bearish entries & stop-loss modes
• Swing stop-loss using the most recent high/low within adjustable lookback
• Optional wick, open, and body-percentage stop-loss types
• Clean visual entry and SL lines
• Built-in alerts for buy and sell signals
Run Reversal helps traders catch early reversals with structure, clarity, and precision across multiple timeframe combinations.
Tempo's Trades IFVG Mastery IndicatorThe indicator I use is called IFVG Mastery. Below you can find all of the features, Automatically maps 50% of the daily range level, Marks out all equal highs and equal lows, Marks out all session killzones, Plots all FVG and IFVGs.
We will constantly a
Options Fusion Core - Lite v6Options Fusion Core – Lite v6
A dual-engine oscillator designed to provide clear, confidence-driven market reads. OFC – Lite v6 combines two high-signal components into a single 0–100 panel to help traders interpret momentum strength and liquidity flow at a glance.
Core Components
Momentum Engine (Solid Line)
Above 50: Bullish bias (green shades)
Below 50: Bearish bias (red shades)
Near 20 or 80: Potential exhaustion zones where trends may pause or reverse
Liquidity Gauge (Dotted Line)
Above 55: Strong buying pressure
Below 45: Selling pressure
Around 50: Neutral flow
How to Use (Educational Purpose Only)
Alignment Signals: Watch for Momentum Engine and Liquidity Gauge moving in the same direction.
Example: Momentum >50 and Liquidity >55 → constructive environment
Example: Momentum <50 and Liquidity <45 → weakening conditions
Extremes: Momentum near 20 or 80 indicates potential trend exhaustion. Paired with strong Liquidity changes, these zones may highlight possible reversals or pauses.
Neutral Line (50): Many false moves occur around 50. Wait for a clear break above or below before interpreting as a signal.
Use in Context: Combine with price action, volume, or other indicators for confirmation.
User Inputs
Fast Momentum Length — controls how quickly Momentum reacts
VFI Length — smooths the Liquidity Gauge
VFI Cutoff — adjusts sensitivity to flow spikes
Lite Version:
Oscillator panel only
No automated signals or multi-ticker table
Educational and visualization purposes only
Important Notice
This script is educational and informational only. Not trading, financial, or investment advice.
Calculations are proprietary and protected to safeguard intellectual property.
No repainting; all results reflect real-time calculation.
KC/BB Squeeze Scanner (10/20>50 EMA, $10–$500, Vol > 1M)High volume, up trending, and compression occurring.
Multi-Symbol FVG Scanner - Fixed This is a Multi-Symbol Fair Value Gap (FVG) Scanner for TradingView that monitors multiple currency pairs simultaneously for FVG patterns.
Key Features
What it does:
Scans 5 currency pairs simultaneously for Fair Value Gaps (FVGs)
Detects both bullish and bearish FVG patterns
Tracks when FVGs get "mitigated" (price reverses back through them)
Displays results in a real-time table
Generates alerts when patterns are detected
Shows visual histogram of active signals
Gamma Conviction Oscillator LiteGamma Conviction Oscillator Lite
A volume-weighted momentum oscillator designed to help traders visualize conviction in gamma-heavy instruments (SPY, TSLA, NVDA, MSTR, COIN, HOOD, etc.). This LITE edition is fully functional and educational, focusing on reading market momentum without offering trading signals.
Core Features (LITE Version):
Dynamic oscillator panel with volatility-adjusted overbought/oversold levels
Long-term trend filter: 200-period moving average selectable as SMA, EMA, or HMA
Conviction-based coloring system:
Bright Lime → high-conviction oversold (price above long-term MA)
Bright Red → high-conviction overbought (price below long-term MA)
Teal / Maroon → low-conviction extremes (counter-trend)
User Inputs:
Base Oscillator Length, Volatility Smoothing Length, and Sensitivity Factor are adjustable in Settings → Inputs
Long-Term Trend Length and MA Type are selectable for trend confirmation
How to Read Signals (Educational Use Only):
Oscillator Level: Observe the main VWPS line relative to overbought/oversold levels:
Above the red overbought line → price may be stretched
Below the green oversold line → price may be compressed
Trend Context: Compare the oscillator reading to the long-term MA:
Oscillator above oversold + price above MA → potential bullish conviction
Oscillator below overbought + price below MA → potential bearish conviction
Color Coding: The line color communicates conviction strength and trend alignment:
Bright Lime / Bright Red indicate strong alignment with trend extremes
Teal / Maroon indicate weaker, counter-trend extremes
Use the oscillator in conjunction with your own analysis; consider confirming with price action, volume, or other indicators.
LITE Version:
Oscillator panel only
No divergence detection
No multi-ticker gamma table
Important Notice:
This script is educational and informational only. Not trading, financial, or investment advice.
All calculations are proprietary and protected to preserve intellectual property.
No repainting: results reflect real-time calculations.
Source Code:
This script is published as protected/closed-source to safeguard GammaBulldog intellectual property.






















