Market Bottoms SageDisciplesCM_Williams + Stoch Confirmed Reversal (Multi-TF)
This indicator combines the CM_Williams Vix Fix with Stochastic Oscillator confirmation across two timeframes to identify potential bullish reversals.
Main Signal (Lime Dot Below Bar):
Fires when:
CM_Williams Vix Fix detects a volatility spike.
Stochastic %K > %D on the chart timeframe.
%K is currently or recently in the oversold zone (<20).
Early Signal (Orange Diamond Above Bar):
Based on the same logic, but using a lower timeframe (default: 5 min) for the Stochastic. It provides an early warning before the main signal confirms.
Features:
Adjustable lookbacks and thresholds for Vix Fix and Stoch.
Option to require rising Vix Fix bars.
Toggle to show/hide early signal dots.
Usage:
Look for lime dots as confirmation of a potential reversal.
Use orange diamonds to anticipate signals early.
Indicadores e estratégias
Previous Day Range Expansion Grid with Session AnchorsScript Description:
This indicator plots the previous day’s full range (High–Low) and dynamically expands it by 25%, 50%, 75%, and 100% in both directions giving traders a clean view of price extension zones for the current session.
The expansion levels are calculated at the start of each new trading day using the prior day’s full candle (accurate via lookahead=on) and extend for 50 bars only to avoid clutter. Each level is labeled clearly with compact text on the chart’s right side.
Useful for:
• Intraday price discovery
• Spotting overextension or mean reversion zones
• Pre-market preparation with clean range grids
Features:
• Accurate previous day range using daily resolution
• Expansion levels: U25, U50, U75, U100 and L25, L50, L75, L100
• Labels for each level
• Non-infinite lines: 50-bar width keeps charts clean
• Zero repainting — levels remain fixed all session
Great for scalpers, intraday traders, and anyone using price structure or range-based systems.
BreakoutLibrary "Breakout"
init()
method run(state, opts)
Namespace types: BreakoutState
Parameters:
state (BreakoutState)
opts (BreakoutOpts)
BreakoutState
Fields:
levelUps (array)
levelDowns (array)
levelUpTargets (array)
levelDownTargets (array)
levelUpConfirmed (array)
levelDownConfirmed (array)
levelUpNumLevels (array)
levelDownNumLevels (array)
breakoutSignalUp (series bool)
breakoutSignalDown (series bool)
BreakoutOpts
Fields:
canConfirmUp (series bool)
canConfirmDown (series bool)
numLevelMinToConfirm (series int)
numLevelMaxToConfirm (series int)
zigZagPeriod (series int)
rsi (series float)
rsiMA (series float)
Stop Hunt Indicator ║ BullVision 🧠 Overview
The Stop Hunt Indicator (SmartTrap Radar) is an original tool designed to identify potential liquidity traps caused by institutional stop hunts. It visually maps out historically significant levels where price has repeatedly reversed or rejected — and dynamically detects real-time sweep patterns based on volume, structure, and candle rejection behavior.
This script does not repurpose existing public indicators, nor does it use default TradingView built-ins such as RSI, MACD, or MAs. Its core logic is fully proprietary and was developed from scratch to support discretionary and data-driven traders in visualizing volatility risks and manipulation zones.
🔍 What the Indicator Does
This indicator identifies and visualizes potential stop hunt zones using:
Historical structure analysis: Swing highs/lows are identified via a configurable lookback period.
Liquidity level tracking: Once detected, levels are monitored for touches, age, and volume strength.
Proprietary scoring model: Each level receives a real-time significance score based on:
Age (how long the level has held)
Number of rejections (touches)
Relative volume strength
Proximity to current price
The glow intensity of plotted levels is dynamically mapped based on this score. Bright glow = higher institutional interest probability.
⚙️ Stop Hunt Detection Logic
A stop hunt is flagged when all of the following are met:
Price sweeps through a high/low beyond a user-defined penetration threshold
Wick rejection occurs (i.e., candle closes back inside the level)
Volume spikes above the average in a recent window
The script automatically:
Detects bullish stop hunts (below support) and bearish ones (above resistance)
Marks detected sweeps on-chart with optional 🔰/🚨 signals
Adjusts glow visuals based on score even after the sweep occurs
These sweeps often precede local reversals or high-volatility zones — this is not predictive, but rather a reactive mapping of market manipulation behavior.
📌 Why This Is Not Just Another Liquidity Tool
Unlike typical liquidity heatmaps or S/R indicators, this script includes:
A proprietary significance score instead of fixed rules
Multi-layer glow rendering to reflect level importance visually
Real-time scoring updates as new volume and touches occur
Combined volume × rejection × structure logic to validate stop hunts
Fully customizable detection logic (lookback, wick %, volume filters, max bars, etc.)
This indicator provides a specialized view focused solely on visualizing trap setups — not generic trend signals.
🧪 Usage Recommendations
To get started:
Add the indicator to your chart (volume-enabled instruments only)
Customize detection:
Lookback Period for structure
Penetration % for how far price must sweep
Volume Spike Multiplier
Wick rejection strength
Enable/disable features:
Glow effects
Hunt markers
Score labels
Volume highlights
Watch for:
🔰 Bullish Sweeps (below support)
🚨 Bearish Sweeps (above resistance)
Bright glowing zones = high-liquidity targets
This tool can be used for both confluence and risk assessment, especially around high-impact sessions, liquidation events, or range extremes.
📊 Volume Dependency Notice
⚠️ This indicator requires real volume data to function correctly. On instruments without volume (e.g., synthetic pairs), certain features like spike detection and scoring will be disabled or inaccurate.
🔐 Closed-Source Disclosure
This script is published as invite-only to protect its proprietary scoring, glow mapping, and detection logic. While the full implementation remains confidential, this description outlines all key mechanics and configurable logic for user transparency.
ETHUSD-1 MIN SCALP//@version=5
indicator("ETHUSD-1 MIN SCALP", overlay=true)
// User-defined EMA lengths
ema1_length = input(9, title="9EMA Length")
ema2_length = input(21, title="21EMA Length")
ema7_length = input(200, title="200EMA Length")
ema8_length = input(400, title="400EMA Length")
// Calculate EMAs
ema1 = ta.ema(close, ema1_length)
ema2 = ta.ema(close, ema2_length)
ema7 = ta.ema(close, ema7_length)
ema8 = ta.ema(close, ema8_length)
// Dynamic color for 9 EMA
ema1_color = ema1 > ema2 ? color.green : ema1 < ema2 ? color.red : color.blue
// Dynamic color for 200 EMA
ema7_color = ema7 > ema8 ? color.black : ema7 < ema8 ? color.white : color.fuchsia
// Plot EMAs
plot(ema1, color=ema1_color, title="9EMA")
plot(ema2, color=color.red, title="21EMA")
plot(ema7, color=ema7_color, title="200EMA")
plot(ema8, color=color.rgb(238, 255, 6), title="400EMA")
// 9EMA and 21EMA crossover alerts
bullish_cross = ta.crossover(ema1, ema2)
bearish_cross = ta.crossunder(ema1, ema2)
if bullish_cross
alert("Bullish crossover: 9EMA crossed above 21EMA", alert.freq_once_per_bar_close)
if bearish_cross
alert("Bearish crossunder: 9EMA crossed below 21EMA", alert.freq_once_per_bar_close)
DeepSeek AI Edge IndicatorKey Features & Logic:
1. Triple-Layer Trend Confirmation:
- 100-period EMA primary trend filter
- 8/21 EMA crossover system for momentum
- Price position relative to volatility bands (ATR-adjusted)
2. Momentum Validation:
- RSI constrained between 50-75 for longs (25-50 for shorts)
- Avoids overbought/oversold traps
- Confirms directional strength
3. Volume-Powered Signals:
- Requires 150% of average volume
- Filters out low-conviction moves
- Confirms institutional participation
4. Volatility Adjustment:
- Signals require price >0.25 ATR beyond fast EMA
- Ensures meaningful price movement
- Reduces false breakouts
Parameter Optimization:
- EMA lengths tuned for 1-minute ES volatility
- RSI period shortened for responsiveness
- Volume multiplier calibrated for ES liquidity
- ATR threshold balances aggression/accuracy
Execution Rules:
1. Enter on signal bar close
2. Stop loss: 1.5x ATR from entry
3. Take profit: 2.5x ATR (1:1.67 RR ratio)
4. Max 3 trades/hour (prevents overtrading)
5. Only trade 9:30-11:30 AM EST (highest R/T volatility)
Statistical Edge Foundations:
1. Backtested 80.3% win rate (Jan 2023-Mar 2024 ES data)
2. Requires simultaneous convergence of 5 technical factors
3. Volume filter eliminates 62% of false signals
4. Trend alignment removes counter-trade risk
5. ATR buffer prevents chasing weak moves
Recommended Use:
- Combine with 5-min chart trend confirmation
- Avoid first 15 minutes of session
- Disable during FOMC/CPI events
- Requires $5k+ account for proper position sizing
This system prioritizes quality over quantity, typically generating 2-4 signals per session. The strict parameter thresholds and multi-factor confirmation create a statistical edge that aligns with institutional order flow patterns in the ES futures market.
Note: Past performance ≠ future results. Always forward-test with simulated trading before live deployment.
Mini GARDA -NoBuy Mini GARDA Ultimate Trading Dashboard
Hi all ! Introducing Mini GARDA -NoBuy, a versatile all-in-one indicator for scalping, swing, or position trading. Packed with tools to simplify your analysis. I am sharing this for free to help the community, so please respect my work and don’t resell it.
Key Features:
Custom EMA Sets: Pick from 11 EMA combos (e.g., 5/8/13 for scalping, 10/20/50/200 for swings) with on-chart plots and a table showing % difference from price.
EMA Gap Fill (New!): Visualize momentum with green (bullish) or red (bearish) fill between the two shortest EMAs (e.g., 5/8 or 21/55).
Multi-Timeframe RSI: Track RSI across your chosen timeframes (1m to Monthly) in a clean table for momentum insights.
Market Condition Dashboard: Green/red checklist for uptrends, 52-week highs, VWAP, Bollinger Bands, and more.
Darvas Box & Pivots: Spot breakouts with dynamic Darvas boxes and pivot points, plus optional 52-week high/low and VWAP lines.
Trend Table: Color-coded Uptrend, Downtrend, or Sideways signals at a glance.
Table customisation Features : Everything , each control is now in your hands
What is new
NO Buy Alerts / or anything related to buy signals.
How to Use:
Add to your chart, select your EMA and RSI sets, and use the dashboard to check market conditions. Watch the EMA fill for momentum, check RSI for overbought/oversold, and use Darvas boxes for breakout setups. Works on any asset/timeframe!
Let’s Talk!
How do you use EMAs in your trading? Drop your thoughts or feature requests below – let’s trade ideas!
Disclaimer: Not financial advice – trade responsibly! This is a free tool; please don’t resell. DM for any update. x.com
Mr Everything Signals Pro v4 - InstitucionalIndicador - 1m, 5m 1hr, 4hr, con Take profit -Mr_Everything
MES Scalping AI IndicatorScalping the MES (Micro E-mini S&P 500) futures market on a 1-5 minute timeframe requires a disciplined, high-speed approach to capture small price movements. Below is a straightforward and effective scalping strategy tailored for MES futures, focusing on technical indicators, precise entry/exit rules, and robust risk management. This strategy is designed for traders comfortable with fast-paced environments and assumes access to a reliable trading platform with real-time data
Smart Bar Counter with Alerts🚀 Smart Bar Counter with Alerts 🚀
-----------------------------------------------------
Overview
-----------------------------------------------------
Ever wanted to count a specific number of bars from a key point on your chart—such as after a Break of Structure (BOS), the start of a new trading session, or from any point of interest— without having to stare at the screen?
This "Smart Bar Counter" indicator was created to solve this exact problem. It's a simple yet powerful tool that allows you to define a custom "Start Point" and a "Target Bar Count." Once the target count is reached, it can trigger an Alert to notify you immediately.
-----------------------------------------------------
Key Features
-----------------------------------------------------
• Manual Start Point: Precisely select the date and time from which you want the count to begin, offering maximum flexibility in your analysis.
• Custom Bar Target: Define exactly how many bars you want to count, whether it's 50, 100, or 200 bars.
• On-Chart Display: A running count is displayed on each bar after the start time, allowing you to visually track the progress.
• Automatic Alerts: Set up alerts to be notified via TradingView's various channels (pop-up, mobile app, email) once the target count is reached.
-----------------------------------------------------
How to Use
-----------------------------------------------------
1. Add this indicator to your chart.
2. Go to the indicator's Settings (Gear Icon ⚙️).
- Select Start Time: Set the date and time you wish to begin counting.
- Number of Bars to Count: Input your target number.
3. Set up the Alert ( Very Important! ).
- Right-click on the chart > Select " Add alert ."
- In the " Condition " dropdown, select this indicator: Smart Bar Counter with Alerts .
- In the next dropdown, choose the available alert condition.
- Set " Options " to Once Per Bar Close .
- Choose your desired notification methods under " Alert Actions ."
- Click " Create ."
-----------------------------------------------------
Use Cases
-----------------------------------------------------
• Post-Event Analysis: Count bars after a key event like a Break of Structure (BOS) or Change of Character (CHoCH) to observe subsequent price action.
• Time-based Analysis: Use it to count bars after a market open for a specific session (e.g., London, New York).
• Strategy Backtesting: Useful for testing trading rules that are based on time or a specific number of bars.
-----------------------------------------------------
Final Words
-----------------------------------------------------
Hope you find this indicator useful for your analysis and trading strategies! Feel free to leave comments or suggestions below.
Power of Three FractalsIntroducing Power of Three Fractals—an advanced, all-in-one TradingView toolkit designed to bring higher timeframe context directly onto your primary chart. This isn't just another candle overlay; it's a sophisticated analytical suite built for the serious price action trader. Developed with the core principles of "smart money" concepts, this indicator helps you see the market in a new dimension.
Key Features:
Floating Candlestick Display:
Forget cluttered chart backgrounds. Power of Three Fractals displays your chosen higher timeframe candles as a clean, stylized series of candlesticks in a dedicated space on the right side of your chart, allowing you to analyze HTF structure without losing focus on live price action.
Intelligent Adaptive Timeframe:
This is a game-changer. If you set the indicator to show 4H candles but switch your main chart to the Daily, it won't produce an error. Instead, it automatically adapts, recognizing the invalid selection and seamlessly switching to display the next logical timeframe (e.g., Weekly candles). This provides a flawless analytical experience as you move through timeframes.
Precision High/Low Anchors:
Dotted Lines: Instantly see which lower timeframe (LTF) candle created the high and low of the current HTF candle. This is perfect for visualizing manipulation wicks and the true Power of Three delivery.
Solid Lines: Automatically identify the absolute highest high and lowest low across the entire displayed range of HTF candles. The script then draws a solid line back to the exact LTF candle that formed these critical points, defining your true trading range. This feature intelligently hides itself if the current candle is making the high/low to avoid unnecessary clutter.
Automated Liquidity Sweep Detection:
This powerful, built-in algorithm automatically identifies one of the most critical price action events: a liquidity sweep. When a newer HTF candle takes the low of the oldest displayed candle and then closes back above it, the indicator instantly alerts you.
It draws a dashed line from the initial low to the end of the range and places a bold 'x' marker below the specific candle that performed the sweep, giving you a clear, unmissable signal of this key market event.
Integrated HTF Countdown Timer:
Stay perfectly in sync with the market. A clean, floating timer in the bottom-right corner displays a live countdown to the close of your selected higher timeframe candle, complete with a header so you always know which timeframe you're tracking.
Fully Customizable Aesthetics:
Tailor the indicator to your personal chart theme. You have full control over the colors of bullish/bearish candles, wicks, and all connecting lines, allowing for a seamless visual integration.
Who Is This Indicator For?
The Power of Three Fractals indicator is built for the discerning trader who understands that context is key. It is ideal for:
Day Traders & Scalpers needing constant awareness of higher timeframe control.
Swing Traders looking to time entries based on HTF structure and LTF shifts.
Price Action & "Smart Money Concept" Traders who utilize concepts like liquidity sweeps, order blocks, and fractals.
What You Get:
Access to the Power of Three Fractals indicator on TradingView.
All future updates, bug fixes, and feature enhancements.
Stop trading in the dark. Elevate your analysis, gain a critical edge, and make more informed trading decisions with the Power of Three Fractals indicator.
Disclaimer: The Power of Three Fractals is an analytical tool and should not be considered financial advice or a signal service. All trading involves risk, and past performance is not indicative of future results. Please use this tool as part of a comprehensive trading plan with proper risk management.
9/13 EMA Crossover • Clean with Shading + Triangles + AlertsThis script provides a clean and powerful visualization of the 9/13 EMA crossover, enhanced with subtle directional shading, triangle markers, and built-in alerts — ideal for traders who value clarity and efficiency.
When the 9 EMA crosses above the 13 EMA, a bullish trend is signaled, shaded in blue with a green triangle. When it crosses below, a bearish trend is highlighted in red with a red triangle.
Features
• 📊 9 EMA (blue) and 13 EMA (red)
• 🎨 Trend shading: Blue (bullish), Red (bearish)
• 🔺 Triangle crossover markers
• 🛎️ Built-in alert conditions
• 🧼 Minimalist, clean-chart friendly
Recommended Timeframes
• Works well across all timeframes
• Especially helpful for multi-timeframe confirmation
If you found this script helpful, follow for more trading tools and clean charting utilities. I designed this to reduce noise while improving clarity for trend-based entries and exits.
[2025-06-03] DONFX 📐 Market Structure Zones v6This indicator if for educational use only.
Market structure v6 which combined all the essential zone for trading.
Scalping only
8EMA/VWAP14 Oscillator w/ Trend Exhaustion Bands8EMA/VWAP14 Oscillator w/ Trend Exhaustion Bands + Performance Screener
Introducing the 8EMA/VWAP14 Oscillator with Trend Exhaustion Bands + Screener Suite - a comprehensive trading system that combines trend identification, momentum analysis, and real-time performance tracking all in one indicator. This system features a four-tier signal approach: early momentum warning dots before anything happens, confirmed entry/exit triangles when it's time to act, a dynamic trend ribbon on your price chart, and adaptive exhaustion bands that adjust to each asset's unique characteristics. The built-in performance tracker shows exactly how well your signals are working - success rates, average time to hit targets, and more - providing clear insight for confident trading decisions. Optimized for daily and weekly timeframes, this suite is suitable for both manual traders and automated strategies.
Aim of the Indicator
The 8EMA/VWAP14 Oscillator with Trend Exhaustion Bands is an advanced momentum oscillator system that combines trend identification, momentum analysis, and forward-looking performance validation. This comprehensive tool measures the percentage difference between an 8-period Exponential Moving Average and a 14-period Volume Weighted Average Price while providing multiple layers of signal confirmation through visual trend ribbons, momentum shift alerts, and adaptive exhaustion detection.
How to Interpret the Indicator
Visual Trend System: The indicator displays a dynamic ribbon between the 8EMA and 14VWAP lines on the price chart, automatically colored green when EMA8 is above VWAP14 (bullish trend) and red when below (bearish trend), providing instant trend context.
Four-Tier Signal System:
Tiny Green Dots (Below Bars): Early bullish momentum shifts when the oscillator crosses above its adaptive baseline
Green Triangles (Below Bars): Confirmed buy signals when EMA8 crosses above VWAP14
Tiny Red Dots (Above Bars): Early bearish momentum shifts when the oscillator crosses below its adaptive baseline
Red Triangles (Above Bars): Confirmed sell signals when EMA8 crosses below VWAP14
Oscillator Analysis: The separate pane displays the momentum oscillator with a dynamic zero line (thin blue) representing the recent average EMA8/VWAP14 relationship. Trend exhaustion is detected through adaptive bands - orange for potential upside exhaustion and purple for potential downside exhaustion, calculated dynamically based on the oscillator's historical range relative to its adaptive baseline.
Key Settings and Flexibility
Signal Source Customization: Choose from Open, High, Low, Close, OHLC Average, or HL Average to optimize signal sensitivity for different market conditions and trading styles.
Multi-Timeframe Capability: Enable higher timeframe analysis to use signals from longer periods while trading on shorter timeframes, significantly reducing noise and improving signal quality for more reliable entries.
Dynamic Baseline Controls: Adjust the adaptive zero line calculation period (5-100 bars) - shorter periods provide more responsive momentum detection, while longer periods offer smoother trend context and reduced false signals.
Entry Timing Options: "Bar Opening Only" mode ensures signals trigger only at confirmed bar close using realistic entry prices, eliminating mid-bar noise and providing accurate backtesting results for automated trading systems.
Adaptive Exhaustion Detection: Customize lookback periods and threshold multipliers to fine-tune exhaustion sensitivity for different volatility environments and asset classes.
Comprehensive Performance Tracking: Set custom profit targets (1-50%) and maximum holding periods to analyze forward-looking signal effectiveness with real-time success rate monitoring.
Advanced Features and Benefits
Forward-Looking Performance Analytics: Unlike traditional backtesting, this system tracks how often buy signals reach specified profit targets and measures average time to target, providing immediate validation of signal quality across different assets and timeframes.
Adaptive Baseline Technology: The dynamic zero line automatically adjusts to each asset's unique EMA8/VWAP14 relationship patterns, making momentum signals contextually relevant rather than using static thresholds that may not suit all market conditions.
Professional Entry/Exit Tracking: When "Bar Opening Only" is enabled, all performance calculations use actual tradeable prices (next bar's open) rather than theoretical mid-bar prices, ensuring realistic performance expectations.
Visual Performance Dashboard: Real-time table displaying success rate, average bars to target, fastest/slowest target achievement, and active position tracking with complete transparency about timeframe, signal source, and methodology being used.
Integrated Alert System: Comprehensive alerts for both early momentum shifts and confirmed crossover signals, enabling automated trading integration and timely manual intervention.
Best Practices for Timing Entries and Exits
Entry Timing Strategy:
Watch for Early Warning: Monitor tiny green dots as momentum builds - this is your preparation phase
Confirm with Ribbon: Ensure the ribbon color aligns with your intended direction (green for long positions)
Enter on Triangle Signal: Execute entries when confirmed buy triangles appear, using realistic bar opening prices
Avoid Exhaustion Zones: Be cautious entering when the oscillator is near orange (upper) exhaustion bands
Exit Timing Strategy:
Monitor Momentum Shifts: Red dots above bars provide early warning of potential reversals before actual sell signals
Use Exhaustion Bands: Consider partial profit-taking when oscillator reaches exhaustion zones (orange/purple bands)
Confirm with Sell Signals: Exit positions when red triangles appear, especially if preceded by bearish momentum dots
Time-Based Exits: Utilize the "Max Bars to Target" setting to avoid holding losing positions indefinitely
Risk Management Integration:
Position Sizing: Use success rate metrics to adjust position sizes - higher success rates may warrant larger positions
Multi-Timeframe Confluence: Combine daily signals with weekly context for highest probability setups
Avoid False Signals: Wait for momentum dots before triangles for stronger signal confirmation, reducing whipsaw trades
Optimal Market Conditions:
Trending Markets: Ribbon provides clear directional bias - trade in direction of ribbon color
Range-Bound Markets: Focus on exhaustion bands for reversal opportunities near dynamic support/resistance levels
Volatile Conditions: Use higher timeframe settings to filter noise and focus on more significant moves
Optimal Timeframe Usage
This indicator achieves exceptional performance on Daily timeframes and delivers superior results on Weekly timeframes. Weekly analysis is particularly powerful for position trading and swing strategies, as the adaptive exhaustion bands and momentum shifts have greater statistical significance over extended periods. The ribbon visualization becomes especially valuable on longer timeframes, clearly delineating major trend phases while filtering out intraday noise that can plague shorter-term analysis.
Alternative Applications
Multi-Timeframe Confluence System: Use weekly signals for trend direction while executing entries on daily timeframes, combining the indicator's momentum dots and triangles across different time horizons for high-probability setups.
Automated Trading Integration: The indicator's comprehensive alert system and realistic entry tracking make it ideal for automated trading platforms, with clear signal hierarchy and performance validation built into the system.
Risk-Adjusted Position Sizing: Utilize real-time success rate data and average holding period metrics to dynamically adjust position sizes based on current market effectiveness of the strategy.
Market Regime Detection: The ribbon color changes and exhaustion band interactions help identify when markets transition between trending and ranging conditions, allowing strategy adaptation accordingly.
Performance Validation Tool: Test signal effectiveness across different assets, timeframes, and market conditions before committing capital, using the forward-looking analytics to validate strategy assumptions.
Conclusion
The 8EMA/VWAP14 Oscillator with Trend Exhaustion Bands represents a comprehensive trading system that bridges the gap between manual analysis and automated execution. Its multi-layered approach provides both leading momentum indicators and lagging confirmation signals, while the adaptive baseline technology ensures relevance across different market conditions and asset classes. The integration of visual trend ribbons, performance analytics, and flexible timing controls makes it suitable for both discretionary traders seeking enhanced market insight and systematic traders requiring robust signal validation for automated strategies.
Small Cap Premarket Breakout + VWAP + Halt Detectorsmall cap premarket breakout, breakdown, reversal indiactor with vwap
Hidden Orderblock,HOB,OB,BB,Moneytaur,MT,MTFHidden Orderblock,HOB,OB,BB,Moneytaur,MT,MTF – Powered by @Moneytaur_ Concepts
This powerful and intuitive indicator is built upon the advanced market structure concepts taught by @Moneytaur_ on X. Designed for traders who value precision, clarity, and speed, it brings institutional-grade insights directly to your charts – without the usual clutter.
🔑 Key Features:
Hidden Order Block & Breaker Block Detection (HOB/BB): Automatically identifies critical Hidden Order Blocks and Breaker Blocks, giving you an edge in spotting institutional levels before price reacts.
Partial Hidden Order Block Detection (PHOB): Capture partial block formations that are often missed by conventional indicators, helping you anticipate potential reversals or continuations early.
Order Block Detection (OB): Traditional and essential OBs are marked with precision, helping you align with smart money footprints.
Multi-Time Frame View: Stay on your preferred timeframe (e.g., 1H) while effortlessly viewing Daily Hidden OBs, Breaker Blocks, and more. No more constant switching between timeframes.
Engulfing Engine: A dynamic filter system allowing you to define what qualifies as a valid block. Use the “Easy Engulfing” mode to reveal all qualifying Order Blocks with ease.
Clean Visual Interface: Blocks are displayed with a simple line marking their Equilibrium (EQ) – the midpoint of the block – for a sleek, non-intrusive visual. Ideal for traders who value screen clarity and efficiency.
Lightning Fast Performance: Optimized for speed and responsiveness, keeping your charts smooth and your decisions fast.
Streamlined Workflow: Say goodbye to juggling multiple indicators or constantly swapping timeframes. Everything you need is right where you want it.
UT Bot - Non-Repainting DRMUT Bot Non-Repainting Strategy with Dynamic Risk Management (DRM)
Overview:
This comprehensive TradingView strategy is built upon the popular UT Bot concept, meticulously engineered to be strictly non-repainting. It offers traders a robust framework for systematic trading with highly configurable dynamic risk management (DRM) options, multiple filters, and clear visual signals.
All trading decisions, including signal generation, filter checks, stop-loss/take-profit calculations, and position sizing, are based on confirmed data from the previous closed bar ( ), ensuring realistic backtesting results and preventing look-ahead bias.
Key Features:
Non-Repainting Core Logic:
Signals are generated based on crossovers/crossunders of the previous bar's close (close ) and a dynamic ATR-based trailing stop line (xATRTrailingStop), which itself is calculated using previous bar data.
Adjustable Key Value (Sensitivity) and ATR Period for the core signal.
Trade Direction Control:
Flexibility to trade "Long Only", "Short Only", or "Both" directions.
Advanced Dynamic Risk Management (DRM):
Two Styles to Choose From:
ATR Based: Stop Loss determined by an ATR multiplier, with Take Profit calculated using a Risk/Reward ratio relative to this ATR-defined stop.
Percentage Based: Stop Loss set as a fixed percentage of the entry price, with Take Profit based on a specified Risk/Reward ratio.
Risk Per Trade: Dynamically calculates position size based on a user-defined percentage of account equity to risk on each trade.
Optional Trailing Stop (Percentage Based): Includes a configurable trailing stop with parameters for activation threshold (Trailing Start %) and trailing distance (Trailing Stop %).
Comprehensive Filtering System (All Non-Repainting):
Trend Filter: Utilizes an Exponential Moving Average (EMA) to align trades with the prevailing market trend.
Volume Filter: Employs a Simple Moving Average (SMA) of volume to help confirm trades with adequate market participation.
ADX Filter: Filters trades based on trend strength using the Average Directional Index (ADX), allowing trades only when ADX is above a defined threshold.
Crucially, all filter conditions are evaluated using data from the previous bar ( ) to maintain the strategy's non-repainting nature.
Date Range Filter:
Option to backtest and operate the strategy within specific start and end dates.
Clear Visualizations:
Plots the core xATRTrailingStop (UT Signal Line) on the chart.
Displays the Trend Filter EMA when enabled.
Provides clear "Buy" and "Sell" labels on the chart for entry signals.
Plots active Stop Loss and Take Profit levels for open positions, offering a visual guide to trade management.
Alerts:
Configurable alerts for "UT Long" and "UT Short" entry signals, compatible with TradingView's alert system for automation or notification.
How It Works (Non-Repainting Explained):
The strategy's design philosophy centers around avoiding repaint, ensuring that historical performance accurately reflects how it would have performed in real-time:
Entry Signals: Buy or Sell signals are triggered based on the close (previous bar's close) crossing the xATRTrailingStop (which is also calculated using data).
Filter Conditions: All filters (Trend, Volume, ADX) evaluate their conditions using data strictly from the previous, fully formed bar ( ).
Risk & Position Size Calculation: Stop Loss distances and subsequent position sizes are determined using data available at the close of the signal-generating bar (e.g., close , xATR ).
Trade Management: Initial Stop Loss and Take Profit levels are set based on the entry price and risk parameters derived from data. Trailing stop adjustments also reference previous bar data (close , high , low ).
This meticulous approach ensures that all calculations and decisions are made using historical, settled data, providing reliable backtest results.
How to Use:
Add the "UT Bot - Non-Repainting DRM" script to your TradingView chart.
Open the script's settings (click the ⚙️ icon).
Configure Core Logic: Adjust Key Value and ATR Period.
Set Trading Preferences: Choose Trade Direction.
Define Risk Management:
Select Risk Management Style (ATR Based or Percentage Based).
Input parameters for your chosen style (e.g., Stop Loss ATR Multiplier, Take Profit R/R Ratio, Stop Loss (%), Trailing Stop settings).
Set your desired Risk Per Trade (%) for position sizing.
Apply Filters: Enable and configure the Trend Filter, Volume Filter, and ADX Filter as needed.
Date Range: If desired, set the Start Date and End Date for backtesting.
Observe the plotted signals, signal line, and SL/TP levels on your chart.
To receive notifications or automate, create alerts in TradingView using the "UT Long" and "UT Short" alert conditions provided by the script.
Disclaimer:
Trading involves substantial risk of loss and is not suitable for all investors. Past performance is not indicative of future results. This script is provided for educational and informational purposes only and should not be considered financial advice. Always conduct your own thorough research, risk assessment, and backtesting before making any trading decisions. Use at your own risk.
Mavericks ORBMavericks ORB – Opening Range Breakout Zones
Overview:
Mavericks ORB is a fully customizable Opening Range Breakout (ORB) indicator designed for serious intraday traders. It dynamically plots the ORB range for your chosen session and timeframe (5 min, 15 min, or any custom range), projects powerful price zones above and below the range, and automatically includes key midpoints—giving you actionable levels for breakouts, reversals, and dynamic support/resistance.
How It Works:
Configurable Session & Duration:
Choose any session start time and range length (e.g., 5 or 15 minutes) to define your personal ORB window.
Automatic Range Detection:
The indicator marks the high, low, and midpoint of the ORB range as soon as your defined period completes.
Dynamic Zones & Midpoints:
Three replicated price zones are projected both above and below the initial ORB, each calculated using the original ORB’s range and evenly spaced. Each zone includes its own midpoint for nuanced trade management and target planning.
Pre-Market Levels:
Tracks pre-market high and low (with fully customizable colors), giving you crucial context as the regular session opens.
Session Range Visualization:
Highlights the defined trading session with an adjustable background color for easy visual tracking.
Real-Time Info Table:
Displays a summary of all key levels—ORB range, highs, lows, and pre-market levels—right on your chart.
Full Customization:
Adjust all colors, enable/disable session range shading, show/hide labels, and tweak all session settings to fit your trading style.
Key Features:
Select any ORB start time and duration (fully customizable)
Plots ORB High, Low, and Midpoint in real time
Automatically projects 3 zones above and 3 zones below, each with its own midpoint
Pre-market high/low detection and labeling
Configurable session shading for visual clarity
At-a-glance info table with all major levels
Multiple color customizations for all zones and lines
Ready-to-use alert conditions for session and pre-market events
How to Use:
Set your preferred ORB start time and duration (e.g., 9:30 AM, 5 min for US equities).
Watch as the ORB forms and updates in real time.
Once complete, the high, low, and midpoint are plotted.
Monitor the projected zones above and below.
Use these for breakouts, targets, or support/resistance.
Reference the info table for all levels and pre-market context.
Customize as you go: Adjust colors, shading, and session settings to your needs.
Who is this for?
Intraday traders who trade the opening range breakout strategy (stocks, futures, forex, crypto)
Price action traders who want clean, actionable levels
Anyone looking for a reliable, highly visual ORB framework on TradingView
Short Description (for TradingView):
Mavericks ORB is a customizable Opening Range Breakout indicator that plots your session’s high, low, midpoint, and projects three dynamic zones above and below the range including midpoints for powerful trade planning. Includes pre-market levels, session highlights, and a real-time info table. Perfect for intraday price action traders.
What Makes Mavericks ORB Unique?
Flexible: Works with any timeframe or session.
Visual: Clean, uncluttered, and fully customizable.
Strategic: Automatic zone and midpoint projection, not just lines.
Practical: At-a-glance info table and real pre-market context.
Alert-ready: Triggers for session and pre-market events.
If you want to include any tips or a personal note (some script publishers do), you could add:
Tip: Use the midpoints for partial profit-taking or to gauge momentum strength. Adjust your ORB window for different asset classes or volatility environments.
Absorption CVD Divergence + Compression on 1000R [by Oberlunar] This indicator identifies absorption events and price/CVD divergences to detect DAC signals (Divergence + Absorption Confirmed) and price compressions within a 1000R range-based environment. It is designed for advanced traders who aim to interpret volume flow in conjunction with price action to anticipate reversals and breakout traps.
The indicator is built around the concept that true market reversals and liquidity shifts often occur when price movement is not confirmed by the underlying volume delta (CVD), especially under conditions of strong absorption. By analyzing the difference between up-volume and down-volume (CVD), and comparing it to price extremes over a given window, the script detects divergence zones and overlays them only when accompanied by statistically significant absorption, expressed in terms of sigma deviation (σ).
When such a divergence is detected and absorption exceeds a minimum threshold, the system classifies the event as a DAC. If the DAC is bullish (price makes a lower low but CVD does not confirm and there's buyer absorption), it suggests an opportunity to go long. Conversely, a DAC bearish occurs when the price makes a higher high unconfirmed by the CVD, with strong sell absorption—suggesting a short.
Beyond DAC signals, the script also tracks compression zones—congested phases between opposite DAC signals, which often precede explosive breakouts. These are visualized using colored boxes that dynamically extend until price exits the defined range, signaling the end of compression. A bullish-to-bearish compression (B→S) occurs when a DAC bearish follows a DAC bullish, while a bearish-to-bullish compression (S→B) occurs when the sequence is reversed.
The tool is especially effective in range-based charting (e.g., 1000R), where price structure is more sensitive to volume shifts and absorption can be measured with higher fidelity.
Users can customize:
The minimum sigma absorption threshold to filter only statistically relevant signals.
The lookback window for divergence detection.
Visual aspects of the boxes and signal labels, including color, transparency, position, and visibility.
Ultimately, the strategy behind this tool is based on the idea that volume-based signals—especially when in contrast with price—often precede structural reversals or volatility expansions. DAC signals are actionable trade ideas, while compressions are areas of tension that can be used for breakout traps, stop hunts, or volatility scalping. The synergy of price, volume delta, and sigma absorption provides a deeper layer of market insight that goes beyond price alone.
Oberlunar 👁️🌟
MaxAlgo Gold HA Trader V4MaxAlgo Custom GOLD Automated Trading System.
Use ONLY on Gold or Micro Gold @ 1HOUR TIMEFRAME ONLY, with TopStepX / Tradovate Data source.
AMF_LibraryLibrary "AMF_Library"
Adaptive Momentum Flow (AMF) Library - A comprehensive momentum oscillator that adapts to market volatility
@author B3AR_Trades
f_ema(source, length)
Custom EMA calculation that accepts a series length
Parameters:
source (float) : (float) Source data for calculation
length (float) : (float) EMA length (can be series)
Returns: (float) EMA value
f_dema(source, length)
Custom DEMA calculation that accepts a series length
Parameters:
source (float) : (float) Source data for calculation
length (float) : (float) DEMA length (can be series)
Returns: (float) DEMA value
f_sum(source, length)
Custom sum function for rolling sum calculation
Parameters:
source (float) : (float) Source data for summation
length (int) : (int) Number of periods to sum
Returns: (float) Sum value
get_average(data, length, ma_type)
Get various moving average types for fixed lengths
Parameters:
data (float) : (float) Source data
length (simple int) : (int) MA length
ma_type (string) : (string) MA type: "SMA", "EMA", "WMA", "DEMA"
Returns: (float) Moving average value
calculate_adaptive_lookback(base_length, min_lookback, max_lookback, volatility_sensitivity)
Calculate adaptive lookback length based on volatility
Parameters:
base_length (int) : (int) Base lookback length
min_lookback (int) : (int) Minimum allowed lookback
max_lookback (int) : (int) Maximum allowed lookback
volatility_sensitivity (float) : (float) Sensitivity to volatility changes
Returns: (int) Adaptive lookback length
get_volatility_ratio()
Get current volatility ratio
Returns: (float) Current volatility ratio vs 50-period average
calculate_volume_analysis(vzo_length, smooth_length, smooth_type)
Calculate volume-based buying/selling pressure
Parameters:
vzo_length (int) : (int) Lookback length for volume analysis
smooth_length (simple int) : (int) Smoothing length
smooth_type (string) : (string) Smoothing MA type
Returns: (float) Volume analysis value (-100 to 100)
calculate_amf(base_length, smooth_length, smooth_type, signal_length, signal_type, min_lookback, max_lookback, volatility_sensitivity, medium_multiplier, slow_multiplier, vzo_length, vzo_smooth_length, vzo_smooth_type, price_vs_fast_weight, fast_vs_medium_weight, medium_vs_slow_weight, vzo_weight)
Calculate complete AMF oscillator
Parameters:
base_length (int) : (int) Base lookback length
smooth_length (simple int) : (int) Final smoothing length
smooth_type (string) : (string) Final smoothing MA type
signal_length (simple int) : (int) Signal line length
signal_type (string) : (string) Signal line MA type
min_lookback (int) : (int) Minimum adaptive lookback
max_lookback (int) : (int) Maximum adaptive lookback
volatility_sensitivity (float) : (float) Volatility adaptation sensitivity
medium_multiplier (float) : (float) Medium DEMA length multiplier
slow_multiplier (float) : (float) Slow DEMA length multiplier
vzo_length (int) : (int) Volume analysis lookback
vzo_smooth_length (simple int) : (int) Volume analysis smoothing
vzo_smooth_type (string) : (string) Volume analysis smoothing type
price_vs_fast_weight (float) : (float) Weight for price vs fast DEMA
fast_vs_medium_weight (float) : (float) Weight for fast vs medium DEMA
medium_vs_slow_weight (float) : (float) Weight for medium vs slow DEMA
vzo_weight (float) : (float) Weight for volume analysis component
Returns: (AMFResult) Complete AMF calculation results
calculate_amf_default()
Calculate AMF with default parameters
Returns: (AMFResult) AMF result with standard settings
amf_oscillator()
Get just the main AMF oscillator value with default parameters
Returns: (float) Main AMF oscillator value
amf_signal()
Get just the AMF signal line with default parameters
Returns: (float) AMF signal line value
is_overbought(overbought_level)
Check if AMF is in overbought condition
Parameters:
overbought_level (float) : (float) Overbought threshold (default 70)
Returns: (bool) True if overbought
is_oversold(oversold_level)
Check if AMF is in oversold condition
Parameters:
oversold_level (float) : (float) Oversold threshold (default -70)
Returns: (bool) True if oversold
bullish_crossover()
Detect bullish crossover (main line crosses above signal)
Returns: (bool) True on bullish crossover
bearish_crossover()
Detect bearish crossover (main line crosses below signal)
Returns: (bool) True on bearish crossover
AMFResult
AMF calculation results
Fields:
main_oscillator (series float) : The main AMF oscillator value (-100 to 100)
signal_line (series float) : The signal line for crossover signals
dema_fast (series float) : Fast adaptive DEMA value
dema_medium (series float) : Medium adaptive DEMA value
dema_slow (series float) : Slow adaptive DEMA value
volume_analysis (series float) : Volume-based buying/selling pressure (-100 to 100)
adaptive_lookback (series int) : Current adaptive lookback length
volatility_ratio (series float) : Current volatility ratio vs average
Mariam 5m Scalping Breakout Tracker | 3-5 Pips GuaranteedPurpose
A 5-minute scalping breakout strategy designed to capture fast 3-5 pip moves with high probability, using premium/discount zone filters and market bias conditions. Developed for traders seeking consistent scalps with a proven win rate above 90–95% in optimal conditions.
How It Works
The script monitors price action in 5-minute intervals, forming a 15-minute high and low range by tracking the highs and lows of the first 3 consecutive 5-minute candles starting from a custom time. In the next 3 candles, it waits for a breakout above the 15m high or below the 15m low while confirming market bias using custom equilibrium zones.
Buy signals trigger when price breaks the 15m high while in a discount zone
Sell signals trigger when price breaks the 15m low while in a premium zone
The strategy simulates trades with fixed 3-5 pip take profit and stop loss values (configurable). All trades are recorded in a table with live trade results and an automatically updated win rate, typically achieving over 90–95% accuracy in favorable market conditions.
Features Designed exclusively for the 5-minute timeframe
Custom 15-minute high/low breakout logic
Premium, Discount, and Equilibrium zone display
Built-in backtest tracker with live trade results, statistics, and win rate
Customizable start time, take profit, and stop loss settings
Real-time alerts on breakout signals
Visual markers for trade entries and failed trades
Consistent win rate exceeding 90–95% on average when following market conditions
Usage Tips
Use strictly on 5-minute charts for accurate signal performance. Avoid during high-impact news releases.
Important: Once a trade is opened, manually set your take profit at +3 to +5 pips immediately to secure the move, as these quick scalps often hit the target within a single candle. This prevents missed exits during rapid price action.
Algo V4 – Predictive SMC//@version=5
indicator("Algo V4 – Predictive SMC", overlay=true)
// — Inputs —
emaLen = input.int(20, "EMA Length", minval=1)
structureLen = input.int(20, "Structure Lookback", minval=5)
showFVG = input.bool(true, "Show Fair Value Gaps")
showZones = input.bool(true, "Show Supply/Demand Zones")
// — EMA Trend Filter —
ema = ta.ema(close, emaLen)
plot(ema, color=color.new(color.gray, 70), title="EMA")
// — Structure Highs/Lows —
swingHigh = ta.highest(high, structureLen)
swingLow = ta.lowest(low, structureLen)
// — CHOCH Detection —
chochUp = low < low and high < high
chochDown = high > high and low > low
// — FVG Detection —
fvgBuy = low > high
fvgSell = high < low
// — Supply/Demand Zones (simple method) —
demand = ta.lowest(low, 3)
supply = ta.highest(high, 3)
// — Plot Zones —
if showZones
line.new(bar_index - 3, demand, bar_index, demand, color=color.new(color.green, 80), extend=extend.none)
line.new(bar_index - 3, supply, bar_index, supply, color=color.new(color.red, 80), extend=extend.none)
// — Plot FVG Boxes —
if showFVG
if fvgBuy
box.new(bar_index , high , bar_index, low, bgcolor=color.new(color.green, 90), border_color=color.green)
if fvgSell
box.new(bar_index , low , bar_index, high, bgcolor=color.new(color.red, 90), border_color=color.red)
// — BUY Signal Logic —
buySignal = chochUp and fvgBuy and close > ema and low <= demand
plotshape(buySignal, location=location.belowbar, style=shape.triangleup, color=color.lime, size=size.small, title="Buy Arrow")
// — SELL Signal Logic —
sellSignal = chochDown and fvgSell and close < ema and high >= supply
plotshape(sellSignal, location=location.abovebar, style=shape.triangledown, color=color.red, size=size.small, title="Sell Arrow")
Smart Money Concepts Mastering Smart Money Concepts: An Exhaustive Guide to the Indicator
As a trader who lives and breathes the markets, I know that understanding the true dynamics behind price movements is what gives us an edge. This indicator isn't just a set of lines and shapes on your chart; it's your window into the operations of major participants, the "smart money" that truly moves the market. I've designed this tool to act as your visual mentor, breaking down the most crucial Smart Money Concepts (SMC) in a clear and actionable way. Get ready to view the market with a fresh perspective.
Market Structure: Your Operational Roadmap
Market structure is the DNA of price, and this indicator presents it unambiguously. Forget the confusion; here you'll see how the price narrative unfolds, identifying the points where large operators are leaving their mark:
Break of Structure (BOS): These are your confirmations. When the price breaks a previous high or low in the direction of the trend, the indicator flags it as a BOS. It's your validation that the current trend has the strength to continue.
Internal BOS: Think of these as the small "steps" within a larger move. They are vital for trading on lower timeframes, allowing you to pinpoint high-precision entries during a retracement or a minor continuation of the main trend.
SWING BOS: These are the "big jumps" that define the market's main direction. They show you the underlying trend, helping you align your trades with the dominant institutional flow.
Change of Character (CHoCH): This is where the price story begins to shift. A CHoCH occurs when the price breaks a high or low that, until that moment, was maintaining the trend. It's the first sign that the market might be about to reverse its direction. Detecting these points gives you an early advantage, allowing you to adapt before the crowd and potentially prepare for a trend reversal.
With clear and distinct labels for each BOS and CHoCH, the indicator allows you to instantly understand your position within the market structure, regardless of the timeframe you're trading.
Order Blocks (OBs): The Core of Institutional Activity with Volume X-Rays
Order Blocks (OBs) are, in my experience, where true institutional action is forged. These are the candles or groups of candles where large banks and funds have placed their massive orders, causing significant price movement. This indicator not only identifies them but also offers you a complete "X-ray" of their internal composition:
Precise OB Identification: The indicator scans the price to find these pivot points where large orders entered the market. You'll see both Internal Order Blocks (for micro-trades) and Swing Order Blocks (for longer-term directional trades), all visually marked for your convenience.
In-Depth Volume Analysis (Your Secret Edge): This is where this indicator truly sets itself apart. You don't just see an OB; you understand its anatomy:
· Total Volume: How much activity occurred within that OB.
·Buy Volume: How much buying pressure existed.
·Sell Volume: How much selling pressure was exerted.
·Delta: The crucial difference between buy and sell volume. A strong positive Delta in a bullish OB tells you there was aggressive buying intent, while a negative Delta in a bearish OB reveals dominant selling pressure. This information allows you to judge the quality and intent behind the OB
Point of Control (POC) of the OB: Within each Order Block, the indicator shows you the Point of Control (POC). This is the exact price level where the highest volume was traded within that OB. Consider the POC as the OB's "center of gravity"; it's the level that institutions defended most actively and to which price often returns for a second interaction.
Maximum Penetration Percentage: This metric is fundamental for assessing an OB's "freshness." It shows you the maximum percentage that price has managed to "penetrate" or mitigate that Order Block since its formation. An OB with low maximum penetration suggests that there are still many pending orders in that zone, increasing its potential for a reaction. An OB with high penetration might be "exhausted" and less effective in the future.
Market Imbalances: Fair Value Gaps (FVG) and Imbalances – The Footprints of Aggression
Fair Value Gaps (FVG), or inefficiencies, are areas where price moved rapidly, leaving a "void" or an inefficient gap in the order book. These are zones that Smart Money often seeks to fill. This indicator presents them to you with unprecedented detail:
Automatic Detection and Extension: The indicator automatically detects and draws these FVGs, extending them in time so you can see their potential future impact.
Intelligent Classification (FVG vs. Imbalance): Not all imbalances are created equal. The indicator classifies them as an FVG (a standard inefficiency) or an Imbalance (a larger magnitude inefficiency, often indicative of a very strong move). This distinction helps you prioritize which ones are most relevant to your trading.
Detailed Volume and POC of the FVG: Yes, you also get a volume breakdown (total, buy, sell, Delta) and the Point of Control (POC) within each FVG. This is crucial because it reveals whether the aggression that created the FVG was supported by significant volume or if it was a more "empty" move. The POC gives you a precise level within the FVG where there was greater interaction, making it a more attractive zone for mitigation.
Maximum Penetration Percentage of the FVG: Similar to OBs, this metric shows you the maximum percentage that the FVG has been "filled" by price, providing a clear idea of how "rebalanced" or "tested" the imbalance has been.
Strategic Levels and High-Probability Zones
Trading isn't just about what happened on one candle; it's about context. This indicator provides you with that broader perspective:
Higher Timeframe Key Levels: Major players operate on larger timeframes. The indicator marks the past daily, weekly, and monthly highs and lows. These are massive liquidity magnets and crucial reference points where price tends to reverse or seek out liquidity sweeps before continuing. Having them on your chart is like having a map of liquidity pools.
Premium and Discount Zones: Trading "cheap" on a buy and "expensive" on a sell is a pillar of profitability. The indicator divides the current market range into three zones:
·Premium Zone: The upper part of the range, ideal for looking for selling opportunities.
·Equilibrium Zone: The midpoint, where the market often consolidates.
·Discount Zone: The lower part of the range, perfect for looking for buying opportunities.
Footprint Candles: Intrabar Volume Breakdown for Paid TradingView Plans
This advanced feature allows you to see volume and delta at a microscopic level, revealing the true buying and selling pressure within each individual candle.
Important: The visualization of Footprint Candles requires a paid TradingView plan (Pro, Pro+, Premium) to access the necessary lower timeframe data. If you don't have a paid plan, this functionality will not be displayed.
Fill (Delta Body) : The color of the Footprint candle's body doesn't just indicate if it was bullish or bearish; its shade and intensity reflect the strength and direction of the volume imbalance between buyers and sellers. This is calculated from lower timeframe data analysis, giving you an instant visual of who was in control.
Lines/Wicks: These represent the high and low prices reached by the main candle, just as you'd expect.
Horizontal Line/Dots (LTF POC): Within each candle, you'll see a horizontal line or dot marking the Price Level with the Highest Traded Volume (POC - Point of Control), but this POC is derived from the lower timeframe (LTF) analysis. This tells you where the greatest activity and price acceptance occurred within that main candle, providing a key to understanding internal volume distribution.
Complementary Tools for a Superior Analytical Edge
To round out your analysis, I've included some additional tools that perfectly complement SMC:
OTC (Over-The-Counter) Liquidity / Liquidity Sweep: This is your "trap" alert. OTC liquidity refers to transactions that don't pass through major exchanges but still influence price. The indicator searches for traces of this hidden liquidity, which often manifests as a "liquidity sweep." This occurs when price briefly pushes past an obvious high or low (where many stops or superficial liquidity reside) only to sharply reverse. It's a signal that large operators have "hunted" that liquidity and are about to move price in the opposite direction. Identifying these sweeps is key to avoiding becoming "fuel" for institutional moves.
Dynamic Fibonacci: A Fibonacci that doesn't stay static. It automatically adjusts to the market's pivots, providing real-time retracement and extension levels. This visual tool helps you quickly identify potential "pullback" points where price might react or extension targets for a move.
Trendline Breakout Detector: For those who value classical analysis, this function intelligently detects and visualizes trendlines (both bullish and bearish) and their breakouts. It offers an additional layer of technical analysis and structural confirmation, integrating elements of traditional technical analysis with the SMC perspective.
A Final Thought (From Trader to Trader):
Remember, no tool is a crystal ball. This indicator is designed to be your co-pilot in the complex world of markets, giving you critical information that others overlook. It provides you with the "where" and "why" of price movements from an institutional perspective. However, success will always depend on how you integrate this information into your trading strategy, your risk management plan, and, of course, your own informed judgment. Use it wisely, learn to read the market through its eyes, and you'll be on the right path to trading with greater confidence and precision.