Support and Resistance levels from Options DataINTRODUCTION
This script is designed to visualize key support and resistance levels derived from options data on TradingView charts. It overlays lines, labels, and boxes to highlight levels such as Put Walls (gamma support), Call Walls (gamma resistance), Gamma Flip points, Vanna levels, and more.
These levels are intended to help traders identify potential areas of price magnetism, reversal, or breakout based on options market dynamics. All calculations and visualizations are based on user-provided data pasted into the input field, as Pine Script cannot directly fetch external options data due to platform limitations (explained below).
For convenience, my website allows users to interact with a bot that will generate the string for up to 30 tickers at once getting nearly real-time data on demand (data is cached for 15min). With the output string pasted into this indicator, it's a bliss to shuffle through your portfolio and see those levels for each ticker.
The script is open-source under TradingView's terms, allowing users to study, modify, and improve it. It draws inspiration from common options-derived metrics like gamma exposure and vanna, which are widely discussed in financial literature. No external code is copied without rights; all logic is original or based on standard mathematical formulas.
How the Options Levels Are Calculated
The levels displayed by this script are not computed within Pine Script itself—instead, they rely on pre-calculated values provided by the user (via a pasted data string). These values are derived from options chain data fetched from financial APIs (e.g., using libraries like yfinance in Python). Here's a step-by-step overview of how these levels are generally calculated externally before being input into the script:
Fetching Options Data:
Historical and current options chain data for a ticker (e.g., strikes, open interest, volume, implied volatility, expirations) is retrieved for near-term expirations (e.g., up to 90 days).
Current stock price is obtained from recent history.
Gamma Support (Put Wall) and Resistance (Call Wall):
Gamma Calculation: For each option, gamma (the rate of change of delta) is computed using the Black-Scholes formula:
gamma = N'(d1) / (S * sigma * sqrt(T))
where S is the stock price, K is the strike, T is time to expiration (in years), sigma is implied volatility, r is the risk-free rate (e.g., 0.0445), and N'(d1) is the normal probability density function.
Weighted gamma is multiplied by open interest and aggregated by strike.
The Put Wall is the strike below the current price with the highest weighted gamma from puts (acting as support).
The Call Wall is the strike above the current price with the highest weighted gamma from calls (acting as resistance).
Short-term versions focus on strikes closer to the money (e.g., within 10-15% of the price).
Gamma Flip Level:
Net dealer gamma exposure (GEX) is calculated across all strikes:
GEX = sum (gamma * OI * 100 * S^2 * sign * decay)
where sign is +1 for calls/-1 for puts, and decay is 1 / sqrt(T).
The flip point is the price where net GEX changes sign (from positive to negative or vice versa), interpolated between strikes.
Vanna Levels:
Vanna (sensitivity of delta to volatility) is calculated:
vanna = -N'(d1) * d2 / sigma
where d2 = d1 - sigma * sqrt(T).
Weighted by open interest, the highest positive and negative vanna strikes are identified.
Other Levels:
S1/R1: Significant strikes with high combined open interest and volume (80% OI + 20% volume), below/above price for support/resistance.
Implied Move: ATM implied volatility scaled by S * sigma * sqrt(d/365) (e.g., for 7 days).
Call/Put Ratio: Total call contracts divided by put contracts (OI + volume).
IV Percentage: Average ATM implied volatility.
Options Activity Level: Average contracts per unique strike, binned into levels (0-4).
Stop Loss: Dynamically set below the lowest support (e.g., Put Wall, Gamma Flip), adjusted by IV (tighter in low IV).
Fib Target: 1.618 extension from Put Wall to Call Wall range.
Previous day levels are stored for comparison (e.g., to detect Call Wall movement >2.5% for alerts).
Effect as Support and Resistance in Technical Trading
Options levels like gamma walls influence price action due to market maker hedging:
Put Wall (Gamma Support): High put gamma below price creates a "magnet" effect—market makers buy stock as price falls, providing support. Traders might look for bounces here as entry points for longs.
Call Wall (Gamma Resistance): High call gamma above price leads to selling pressure from hedging, acting as resistance. Rejections here could signal trims, sells or even shorts.
Gamma Flip: Where gamma exposure flips sign, often a volatility pivot—crossing it can accelerate moves (bullish above, bearish below).
Vanna Levels: Positive/negative vanna indicate volatility sensitivity; crosses may signal regime shifts.
Implied Move: Shows expected range; prices outside suggest overextension.
S1/R1 and Fib Target: Volume/OI clusters act as classic S/R; Fib extensions project upside targets post-breakout.
In trading, these are not guarantees—combine with TA (e.g., volume, trends). High activity levels imply stronger effects; low CP ratio suggests bearish sentiment. Alerts trigger on proximities/crosses for awareness, not advice.
Limitations of the TradingView Platform for Data Pulling
TradingView's Pine Script is sandboxed for security and performance:
No direct internet access or API calls (e.g., can't fetch yfinance data in-script).
Limited to chart data/symbol info; no real-time options chains.
Inputs are static per load; updates require manual pasting.
Caching isn't persistent across sessions.
This prevents dynamic data pulling, ensuring scripts remain lightweight but requiring external tools for fresh data.
Creative Solution for On-Demand Data Pulling
To overcome these limitations, users can use external tools or scripts (e.g., Python-based) to fetch and compute levels on demand. The tool processes tickers, generates a formatted string (e.g., "TICKER:level1,level2,...;TIMESTAMP:unix;"), and users paste it into the script's input. This keeps data fresh without violating platform rules, as computation happens off-platform. For example, run a local script to query APIs and output the string—adaptable for any ticker.
Script Functionality Breakdown
Inputs: Custom data string (parsed for levels/timestamp); toggles for short-term/previous/Vanna/stop loss; style options (colors, transparency).
Parsing: Extracts levels for the chart symbol; gets timestamp for "updated ago" display.
Drawing: Lines/labels for levels; boxes for gamma zones/implied move; clears old elements on updates.
Info Panel: Top-right summary with metrics (CP ratio, IV, distances, activity); emojis for quick status.
Alerts: Conditions for proximities, crosses, bounces (e.g., 0.5% bounce from Put Wall).
Performance: Uses vars for persistence; efficient for real-time.
This script is educational—test thoroughly. Not financial advice; past performance isn't indicative of future results. Feedback welcome via TradingView comments.
서포트 앤 리지스턴스
Algo + Trendlines :: Medium PeriodThis indicator helps me to avoid overlooking Trendlines / Algolines. So far it doesn't search explicitly for Algolines (I don't consider volume at all), but it's definitely now already not horribly bad.
These are meant to be used on logarithmic charts btw! The lines would be displayed wrong on linear charts.
The biggest challenge is that there are some technical restrictions in TradingView, f. e. a script stops executing if a for-loop would take longer than 0.5 sec.
So in order to circumvent this and still be able to consider as many candles from the past as possible, I've created multiple versions for different purposes that I use like this:
Algo + Trendlines :: Medium Period : This script looks for "temporary highs / lows" (meaning the bar before and after has lower highs / lows) on the daily chart, connects them and shows the 5 ones that are the closest to the current price (=most relevant). This one is good to find trendlines more thoroughly, but only up to 4 years ago.
Algo + Trendlines :: Long Period : This version looks instead at the weekly charts for "temporary highs / lows" and finds out which days caused these highs / lows and connects them, Taking data from the weekly chart means fewer data points to check whether a trendline is broken, which allows to detect trendlines from up to 12 years ago! Therefore it misses some trendlines. Personally I prefer this one with "Only Confirmed" set to true to really show only the most relevant lines. This means at least 3 candle highs / lows touched the line. These are more likely stronger resistance / support lines compared to those that have been touched only twice.
Very important: sometimes you might see dotted lines that suddenly stop after a few months (after 100 bars to be precise). This indicates you need to zoom further out for TradingView to be able to load the full line. Unfortunately TradingView doesn't render lines if the starting point was too long ago, so this is my workaround. This is also the script's biggest advantage: showing you lines that you might have missed otherwise since the starting bars were outside of the screen, and required you to scroll f. e back to 2015..
One more thing to know:
Weak colored line = only 2 "collision" points with candle highs/lows (= not confirmed)
Usual colored line = 3+ "collision" points (= confirmed)
Make sure to move this indicator above the ticker in the Object Tree, so that it is drawn on top of the ticker's candles!
More infos: www.reddit.com
PT FinderThis is mostly helpful to find potential price targets for Daytrades on the daily chart (if stronger resistances / supports are too far away).
Shows highs / lows of nearby "pivot" candles (higher high / lower low than both candles around) - depending on expected trade direction. Based on my experience these can be potential (albeit weak) resistance / support.
If it shows values only in the wrong trade direction: set a checkmark at "Invert bullish / bearish price targets" in the indicator settings
Also shows the ADR (blue line = yesterday's close MINUS Average Day Range) - which is helpful for Daytrades to see what price movement you could potentially expect for the day!
As a nice bonus it also shows gaps as yellow areas - in case you maybe missed them because you zoomed in / out too much on your daily chart.
More infos: www.reddit.com
[quantish.io] ORB - Opening Range BreakoutsA streamlined opening range breakout indicator focused purely on identifying and signaling potential entry points. This simplified version removes complex profit-taking and risk management features to provide clear, actionable breakout signals.
Key Features
Multiple ORB Timeframes - 15 minutes to 4 hours opening range periods
Clean Breakout Detection - Simple close-based signals above/below opening range
Trade Window Control - Optional time limit for valid entries after ORB period
Visual Clarity - Shaded opening range zones with optional trade windows
Entry Signals - Clear "Bullish" and "Bearish" labels with dotted entry lines
Customizable Display - Toggle opening range, trade window, and entry signal visibility
Entry Alerts - Real-time notifications when breakout conditions are met
Custom Sessions - Define your own market opening times if needed
Best Used For
Intraday trading on sub-60 minute timeframes. Ideal for traders who prefer to manage their own exits and risk management while getting clean entry signals based on opening range breakouts.
Important Notes
This indicator provides entry signals only - no exit or risk management guidance
Works on all markets with defined opening sessions
Always use proper position sizing and risk management
Test thoroughly before live trading
Simplified from the original FluxCharts ORB indicator with enhanced visuals and focused functionality.
Algo + Trendlines :: Long PeriodThis indicator helps me to avoid overlooking Trendlines / Algolines. So far it doesn't search explicitly for Algolines (I don't consider volume at all), but it's definitely now already not horribly bad.
These are meant to be used on logarithmic charts btw! The lines would be displayed wrong on linear charts.
The biggest challenge is that there are some technical restrictions in TradingView, f. e. a script stops executing if a for-loop would take longer than 0.5 sec.
So in order to circumvent this and still be able to consider as many candles from the past as possible, I've created multiple versions for different purposes that I use like this:
Algo + Trendlines :: Medium Period : This script looks for "temporary highs / lows" (meaning the bar before and after has lower highs / lows) on the daily chart, connects them and shows the 5 ones that are the closest to the current price (=most relevant). This one is good to find trendlines more thoroughly, but only up to 4 years ago.
Algo + Trendlines :: Long Period : This version looks instead at the weekly charts for "temporary highs / lows" and finds out which days caused these highs / lows and connects them, Taking data from the weekly chart means fewer data points to check whether a trendline is broken, which allows to detect trendlines from up to 12 years ago! Therefore it misses some trendlines. Personally I prefer this one with "Only Confirmed" set to true to really show only the most relevant lines. This means at least 3 candle highs / lows touched the line. These are more likely stronger resistance / support lines compared to those that have been touched only twice.
Very important: sometimes you might see dotted lines that suddenly stop after a few months (after 100 bars to be precise). This indicates you need to zoom further out for TradingView to be able to load the full line. Unfortunately TradingView doesn't render lines if the starting point was too long ago, so this is my workaround. This is also the script's biggest advantage: showing you lines that you might have missed otherwise since the starting bars were outside of the screen, and required you to scroll f. e back to 2015..
One more thing to know:
Weak colored line = only 2 "collision" points with candle highs/lows (= not confirmed)
Usual colored line = 3+ "collision" points (= confirmed)
Make sure to move this indicator above the ticker in the Object Tree, so that it is drawn on top of the ticker's candles!
More infos: www.reddit.com
All-In-One LinesIt's like a "torch in the darkness" that shows the "terrain" in which you are trading, and in which the candle movement unfolds.
It is meant to be used on 5m + 1D intervals. Additionally useful on 15m, 30m, and 1W if you use these.
Shows:
VWAP (on < 1D interval)
EMA 8 from 5m/15m/30m/1D/1W
Yesterday's High (on < 1D interval)
Yesterday's Low (on < 1D interval)
SMA 50/100/200
AVWAPE / AVWAPQ (if SPY) incl. +1/-1 Stdev for each
More infos: www.reddit.com
Deep in the Tape VSADeep in the Tape VSA
Overview
This study applies the principles of Volume Spread Analysis (VSA) as taught by Tom Williams. The purpose is not to generate signals, but to highlight the footprints of professional activity so that discretionary traders can read the market background, context, and likely response. It combines classic VSA events, contextual support/resistance lines, cluster zones, and an optional moving average—but each element is tied directly to VSA logic, not added arbitrarily.
Quick Start
This is a study-only VSA tool based on Tom Williams’ Volume Spread Analysis. It highlights professional activity through classic VSA events, projected support/resistance levels, and optional cluster/MA context. It does not provide alerts, trade entries, or failures—its purpose is to help traders visually study supply and demand in the background, just as Tom taught.
What It Shows
VSA Events
The tool identifies major supply/demand events that Tom Williams emphasized:
• Stopping Volume (SV)
• Selling Climax (SC)
• Shakeout (SO)
• Buying Climax (BC)
• Upthrust (UT)
• Supply Coming In
• No Demand (ND)
• No Supply (NS)
• Test Bar
• End of Rising Market (EoRM)
These are not buy/sell signals. They are points of interest where professionals are most active.
Context Lines
When a new ultra-high-volume VSA event occurs, the high and low of that bar are projected forward as horizontal lines. These levels often act as support/resistance where the market later reveals professional intent.
Cluster Zones (optional)
Clusters are built when several consecutive high-volume bars form a range. Depending on whether price absorbs at the lows or rejects at the highs, the zone takes on a bullish or bearish bias. This reflects Tom’s teaching that accumulation and distribution campaigns often occur in ranges.
Moving Average (optional)
A simple, color-shifting MA is included for context only. It’s not a trading signal. It helps frame whether the market is generally pushing above or below a key mean, complementing the VSA background.
How to Use It
Start with the Background
Look for ultra-high-volume events such as SC, SV, SO (strength) or UT, BC, Supply Coming In (weakness). These form the background. Do not trade them immediately—wait to see how price reacts.
Watch the Response at Levels
When price revisits the projected high/low of a trigger bar, ask:
• If the background is strong, do you see No Supply or a Test (low volume, narrow spread, firm close) near support?
• If the background is weak, do you see No Demand or poor rallies near resistance?
This response tells you whether professional money is defending or abandoning the level.
Study Clusters for Campaigns
If a high-volume cluster forms, treat it as potential accumulation/distribution. Price breaking away with supporting VSA context reveals the likely direction of the campaign.
Use the MA Only for Context
A Test or No Supply above the MA carries more weight. A No Demand or Upthrust below the MA is more reliable. The MA is not a signal—it is a gate that filters the background story.
Important Notes
This is a study-only tool. It does not provide alerts, entries, failures, or automated trading signals.
All events are contextual: they can repaint until the bar closes, and their value depends on background + response.
Volume behavior differs by symbol and market, so interpretation requires discretion.
The purpose is educational—to help traders apply Tom Williams’ VSA framework directly on charts.
Why this is not a mashup:
Every component (VSA events, projected lines, clusters, MA) is directly connected to VSA logic.
The script is not a rehash of built-ins. It encodes specialized conditions (spreads, closes, wick sizes, volume relative to background) to surface professional activity.
The description explains how each part is used together in Tom’s framework—making it clear, original, and useful to the community.
Disclaimer
This script is for educational purposes only and does not constitute financial advice.
FVG + Killzones + ATREnglish Description
FVG + Killzone + ATR (3 Killzones, UTC Offset)
This indicator combines Fair Value Gap (FVG) detection, ATR-based volatility filtering, and customizable killzones for optimal trading opportunities on lower timeframes (15m–1H).
Features:
• Three standard killzones: London (08:00–11:00), New York AM (14:30–17:00), New York PM (19:00–22:00)
• Fully customizable killzones: start/end hours and minutes, enable/disable each zone
• Global UTC offset: adjust all killzones to your local time (default +1 = Germany)
• ATR Filter: ensures signals only trigger during sufficient market volatility
• FVG Detection: highlights bullish and bearish FVGs directly on the chart
• Aggressive or Conservative alerts: trigger alerts at the start of the 4th candle (aggressive) or at close of 4th candle (conservative)
• Colored candle visualization: highlights FVGs clearly on the chart for easy spotting
Usage:
• Ideal for trading during active market sessions within killzones
• Combine with your own strategy for entry/exit and stop-loss planning
• Works on 15-minute and 1-hour charts; compatible with any UTC offset
Smart Money Zones (Zekai)This indicator highlights key institutional trading zones on the chart, helping traders distinguish between “Smart Money” accumulation/distribution areas and higher-risk regions. By shading zones where price action and volume confirm institutional activity, it provides a visual map of where large players are most likely active versus where retail traders typically get trapped.
Features:
• Identifies and shades Smart Money vs. Institutional vs. Danger Zones.
• Uses price/volume dynamics to mark accumulation and distribution areas.
• Clean overlays for quick recognition of high-probability trading zones.
A practical tool to see the market through the lens of institutional order flow and avoid retail traps.
Rolling Volume Weighted Average Price (Zekai)This script calculates a rolling VWAP (Volume Weighted Average Price) with ±1σ and ±2σ standard deviation bands over the last N calendar days (default 150). Unlike anchored VWAPs that reset on sessions, quarters, or fixed dates, this version rolls continuously, so every bar reflects the VWAP of the most recent N-day window.
Features:
• Rolling VWAP based on customizable lookback (default: 150 days).
• ±1σ and ±2σ standard deviation bands for dynamic support/resistance.
• Always aligned with the most recent N-day price/volume action.
Ideal for traders who want a time-based rolling VWAP to monitor mean reversion and volatility zones in evolving markets.
Rolling Point of Control (Zekai)This indicator shows point of control for the last 150 days (can be modified) on your chart.
Support & Resistance [Algionics]This indicator automatically detects key Support and Resistance levels using pivot-based logic.
Displays only the most relevant SR levels within a customizable range of the current price.
Merges nearby SR points into zones for cleaner visualization.
Labels each SR line with price, distance from current price (%), and reliability level (Observed / Tested / Proven / Confirmed).
Highlights breakout, breakdown, and retest signals with on-chart labels.
Optimized for clarity with adjustable sensitivity, maximum levels, and historical line length.
A powerful tool for identifying market structure and potential reaction zones in real-time.
Moving Averages (Zekai)You can add op to 4 moving averages and choose between SMA or EMA individually.
BoomBros LevelsCharts
-Key Support and Resistance levels.
-Short, intermediate and long term structures points
Balanced Price Range (BPR) DetectorBALANCED PRICE RANGE (BPR) DETECTOR
This indicator detects Balanced Price Ranges (BPR) by analyzing the overlap between bullish and bearish Fair Value Gaps (FVG). BPR zones represent areas where opposing market forces create equilibrium, often acting as strong support/resistance levels.
KEY FEATURES:
- Automatic detection of overlapping FVGs to form BPR zones
- Confidence scoring system (0-100%) based on overlap ratio, size, volume, and symmetry
- Customizable filters (ATR, Volume)
- Real-time mitigation tracking
- Alert system for new BPRs, mitigations, and rejections
- Visual customization options
HOW IT WORKS:
The indicator continuously scans for Fair Value Gaps in both directions. When a bullish FVG overlaps with a bearish FVG within the specified lookback period, a BPR zone is created. The confidence score helps traders identify the strongest zones.
USAGE:
- High confidence BPRs (>75%) often act as strong reversal zones
- Use for entry/exit points when price approaches BPR zones
- Combine with other indicators for confirmation
- Monitor touch counts for zone strength validation
SETTINGS:
- Lookback Bars: Number of bars to search for overlapping FVGs
- Min Overlap Ratio: Minimum overlap percentage required
- ATR/Volume Filters: Filter out weak or low-volume BPRs
- Display Options: Customize visual appearance
- Mitigation Type: Choose between wick or close-based mitigation
Perfect for traders using price action, supply/demand zones, or institutional order flow concepts.
Dynamic Fibonacci MTF Zones v1🔹 Overview
This indicator automatically detects Fibonacci retracement levels across multiple timeframes (MTF) and highlights the most relevant zones around the current price.
Instead of cluttering the chart with too many lines, it only shows the 3 nearest levels above and below the current price, with clear labels and lines.
🔹 Key Features
Multi-Timeframe Support
Up to 7 custom timeframes can be analyzed simultaneously
Example: 5m, 15m, 1H, 4H, 1D, 1W, 1M
Dynamic Fibonacci Levels
Based on recent high/low within N bars
Uses extended set of 25 ratios (0.045 ~ 0.955)
Golden Pocket (0.382–0.618) zones are auto-highlighted
Nearest 3 Levels Display
Picks the 3 closest levels above and below current price
Labels and lines are plotted for clarity
Identical levels across TFs are merged automatically for clean display
Labels with Details
Direction (▲ / ▼)
Timeframe
Fibonacci ratio
Exact price
Visual Customization
Above levels in blue tones, below levels in red tones
Transparency darkens gradually from TF1 → TF7
Line style: solid / dashed / dotted
Zone fills with adjustable colors
🔹 How to Use
Identify strong support/resistance zones where multiple TF Fibonacci levels overlap
Scalpers: Combine short TFs (5m, 15m, 1H)
Swing traders: Use higher TFs (4H, 1D, 1W)
Investors: Track broader zones (1D, 1W, 1M)
🔹 Settings
Recent Range Bars (R): lookback period for Fibonacci highs/lows
Golden Pocket Highlight: toggle 0.382–0.618 shading
Line Style: switch between line/circle visualization
MTF Control: enable/disable TF1~TF7 with custom timeframe selection
✅ Core Idea:
This tool doesn’t just draw Fibonacci lines — it dynamically selects the most relevant MTF levels, merges duplicates, and highlights only the critical zones you need for real trading decisions.
Swing Support and Resistance with Breakout AlertsOverview
The indicator is a custom Pine Script tool designed for TradingView that automatically identifies and plots Swing Highs (Resistance) and Swing Lows (Support). It dynamically draws horizontal lines at these key price reversal points, extending them forward until they are broken, which provides traders with visual, data-driven support and resistance levels. The indicator also includes customizable alerts to notify users when a breakout occurs.
Key features
Dynamic Swing Detection: The indicator automatically detects significant swing high and low points based on a user-adjustable "Swing Detection Length" parameter. This allows traders to fine-tune the sensitivity, focusing on either short-term swings or major market turning points. Swing Length Adjustable.
Adaptive Support and Resistance Zones: The script plots horizontal lines at the detected swing levels. These lines dynamically extend forward in time, acting as predictive support and resistance zones until the price convincingly breaks through them.
Historical Context: Once a support or resistance level is broken, the indicator can optionally keep the line on the chart but changes its appearance (e.g., to a dashed line). This allows traders to see how previous levels have held or been violated, as broken resistance often becomes new support and vice versa.
Customizable Breakout Alerts: A key feature is the ability to generate alerts. When the price closes above a recent resistance line or below a recent support line, a notification is triggered. This helps traders monitor potential breakouts in real-time.
Visual Clarity: Users can customize the colors and styles of the lines and labels to suit their preferences, making it easier to distinguish between different levels and maintain a clean chart.
How to use
This indicator is a powerful tool for technical analysis and can be used in several ways:
Identify Market Structure: It provides a clear, visual representation of a market's recent structure and key reversal points.
Develop Trading Strategies: It can form the basis of a breakout strategy by using the alert function to identify when a key level is broken.
Set Stop-Loss and Take-Profit Levels: The swing highs and lows act as natural reference points for placing stop-loss orders and potential profit targets.
Confirm Trend Reversals: A failure to make a new swing high or low while the price moves in that direction can be a sign of a weakening trend and a potential reversal.
Always use proper risk management and stop-loss orders to protect your capital in case the market moves against your trade.
Keep in mind that the provided indicator is a simple example based on the Swing Highs (Resistance) and Swing Lows (Support) concepts and should not be considered financial advice.
Traders often combine multiple concepts to develop their trading strategies. The provided indicator should be treated as a starting point to explore and implement in your trading strategy.
VXN Levels! Curated Supply and Resistance!VXN Levels!! is a clean, no-nonsense auto-draw tool that displays handpicked support & resistance zones for selected major forex pairs.
Unlike most indicators that rely on formulas and often repaint, every level here comes from a manually curated database. Each price zone is chosen based on precision rejections, wick re-tests, and institutional footprints — the same levels we trade daily.
Because these levels are database-driven, they never repaint. They will only change if we manually update them on our end, ensuring you see exactly what we see.
🔄 Levels are updated daily/weekly as needed to reflect current market conditions.
Pre-loaded pairs include:
AUDCAD, AUDJPY, AUDUSD
CADJPY
EURCAD, EURJPY, EURUSD, EURAUD
GBPAUD, GBPCAD, GBPJPY, GBPUSD
USDJPY
🧭 If you're viewing this on an unlisted pair, no levels will appear.
📨 Contact us if you’d like custom auto-levels tailored for your pair.
⚙️ All levels are static, not repainted, and built for clean S/R retest strategies — suitable for both intraday and swing setups.
📌 For more insights & updates:
Follow us on Instagram → @vxnvixions
EMA Crossover Lines with VWAP, EMA 50/200 and Premarket AlertsOverview
An intraday overlay that combines trend and liquidity cues in one view. It plots your Fast/Slow EMAs, the widely watched EMA-50 and EMA-200, plus VWAP for session bias. During the configured pre-market session, it tracks and projects the pre-market high/low into regular hours—then alerts when price breaks those levels.
What it shows
EMAs: Fast + Slow (user-defined), EMA-50, EMA-200 for trend and crossover context.
VWAP: Session anchor for mean-reversion vs. trend continuation.
Pre-Market Levels: Dynamic Pre-Market High/Low lines (extend into RTH).
Alerts: Triggers when price crosses above pre-market high or below pre-market low (bar-close, non-repainting).
Inputs
Fast EMA Length (default 9)
Slow EMA Length (default 21)
EMA 50 Length (default 50)
EMA 200 Length (default 200)
Pre-market Session (default 04:00–09:30)
Session Timezone (default America/New_York)
How to use
Use EMA-50/200 slope and position to gauge higher-timeframe trend.
VWAP helps identify premium/discount within the day.
Watch pre-market breakouts for momentum entries, or fades back inside for mean reversion.
Combine with your own risk rules; alerts are informational.
Notes
Alerts fire on closed bars to avoid repainting.
Works on most intraday timeframes. Ensure the timezone matches the exchange you trade.
Lines only show when a pre-market session exists for the day.
Smart Money Footprint & Cost Basis Engine [AlgoPoint]Smart Money Footprint & Cost Basis Engine
This indicator is a comprehensive market analysis tool designed to identify the "footprints" of Smart Money (institutions, whales) and pinpoint high-probability reaction zones. Instead of relying on lagging averages, this engine analyzes the very structure of the market to find where large players have shown their hand.
How It Works: The Core Logic
The indicator operates on a multi-stage confirmation process to identify and validate Smart Money zones:
Smart Money Detection (The Trigger): The engine first scans the chart for signs of intense, urgent buying or selling. It does this by identifying Fair Value Gaps (FVGs) created by large, high-volume Displacement Candles. This is our initial Point of Interest (POI).
Cost Basis Calculation (The Average Price): Once a potential Smart Money move is detected, the indicator calculates the Volume-Weighted Average Price (VWAP) for that specific move. This gives us a highly accurate estimate of the average price at which the large players entered their positions.
Historical Confirmation (The "Memory"): This is the indicator's most unique feature. It checks its historical database to see if a similar Smart Money move (in the same direction) has occurred in the same price area in the past. If a match is found, the zone's significance is confirmed.
Verified Cost Basis Zone (The Final Output): A zone that passes all the above checks is drawn on the chart as a high-probability Verified Cost Basis Zone. These are the "memory zones" where the market is likely to react upon a re-visit.
How to Use This Indicator
Cost Basis Zones (The Boxes):
Green Boxes: Bullish zones where Smart Money likely accumulated positions. When the price returns here, a BUY reaction is expected.
Red Boxes: Bearish zones where Smart Money likely distributed positions. When the price returns here, a SELL reaction is expected.
Zone Strength (★★★): Each zone is created with a star rating. More stars indicate a higher-confidence zone (based on factors like volume intensity and historical confirmation).
BUY/SELL Signals: A signal is only generated when the price enters a zone AND the confirmation filters (if enabled in the settings) are passed.
Zone Statuses:
Green/Red: Active and waiting to be tested.
Gray: The zone has been tested, and a signal was produced.
Dark Gray (Invalidated): The zone was broken decisively and is no longer considered valid support/resistance.
Key Settings
Signal Accuracy Filters: You can enable/disable three powerful filters to balance signal quantity and quality:
Momentum Confirmation (Stoch): Waits for momentum to align with the zone's direction.
Candlestick Confirmation (Engulfing): Waits for a strong reversal candle inside the zone.
Lower Timeframe MSS Confirmation: The most advanced filter; waits for a trend shift on a lower timeframe before giving a signal.
Historical Confirmation:
Require Historical Confirmation: Toggle the "Memory" feature on/off. Turn it off to see all potential SM zones.
Tolerance Calculation Method: Choose between a dynamic ATR Multiplier (recommended for all-around use) or a fixed Percentage to define the zone size.
DZ/SZ 🔱BrahmastraDemand and Supply Zones:
Demand Zone:
A demand zone is a price area on a chart where buying interest is strong enough to prevent the price from falling further. It is typically formed when price drops to a level and then reverses upward with strong momentum. Traders consider it as an area where institutions or big players are likely to place buy orders.
👉 It represents support.
Supply Zone:
A supply zone is a price area where selling pressure exceeds buying pressure, causing the price to stop rising and reverse downward. It is created when price rallies to a level and then falls back sharply. This indicates the presence of sellers or institutional sell orders.
👉 It represents resistance.
🔑 Key Points:
Demand = potential buying area (support).
Supply = potential selling area (resistance).
These zones help traders identify entry and exit points.
The stronger and fresher the zone (untouched recently), the more reliable it tends to be.
Dual Channel System [Alpha Extract]A sophisticated trend-following and reversal detection system that constructs dynamic support and resistance channels using volatility-adjusted ATR calculations and EMA smoothing for optimal market structure analysis. Utilizing advanced dual-zone methodology with step-like boundary evolution, this indicator delivers institutional-grade channel analysis that adapts to varying volatility conditions while providing high-probability entry and exit signals through breakthrough and rejection detection with comprehensive visual mapping and alert integration.
🔶 Advanced Channel Construction
Implements dual-zone architecture using recent price extremes as foundation points, applying EMA smoothing to reduce noise and ATR multipliers for volatility-responsive channel widths. The system creates resistance channels from highest highs and support channels from lowest lows with asymmetric multiplier ratios for optimal market reaction zones.
// Core Channel Calculation Framework
ATR = ta.atr(14)
// Resistance Channel Construction
Resistance_Basis = ta.ema(ta.highest(high, lookback), lookback)
Resistance_Upper = Resistance_Basis + (ATR * resistance_mult)
Resistance_Lower = Resistance_Basis - (ATR * resistance_mult * 0.3)
// Support Channel Construction
Support_Basis = ta.ema(ta.lowest(low, lookback), lookback)
Support_Upper = Support_Basis + (ATR * support_mult * 0.4)
Support_Lower = Support_Basis - (ATR * support_mult)
// Smoothing Application
Smoothed_Resistance_Upper = ta.ema(Resistance_Upper, smooth_periods)
Smoothed_Support_Lower = ta.ema(Support_Lower, smooth_periods)
🔶 Volatility-Adaptive Zone Framework
Features dynamic ATR-based width adjustment that expands channels during high-volatility periods and contracts during consolidation phases, preventing false signals while maintaining sensitivity to genuine breakouts. The asymmetric multiplier system optimizes zone boundaries for realistic market behavior patterns.
// Dynamic Volatility Adjustment
Channel_Width_Resistance = ATR * resistance_mult
Channel_Width_Support = ATR * support_mult
// Asymmetric Zone Optimization
Resistance_Zone = Resistance_Basis ± (ATR_Multiplied * )
Support_Zone = Support_Basis ± (ATR_Multiplied * )
🔶 Step-Like Boundary Evolution
Creates horizontal step boundaries that update on smoothed bound changes, providing visual history of evolving support and resistance levels with performance-optimized array management limited to 50 historical levels for clean chart presentation and efficient processing.
🔶 Comprehensive Signal Detection
Generates break and bounce signals through sophisticated crossover analysis, monitoring price interaction with smoothed channel boundaries for high-probability entry and exit identification. The system distinguishes between breakthrough continuation and rejection reversal patterns with precision timing.
🔶 Enhanced Visual Architecture
Provides translucent zone fills with gradient intensity scaling, step-like historical boundaries, and dynamic background highlighting that activates upon zone entry. The visual system uses institutional color coding with red resistance zones and green support zones for intuitive
market structure interpretation.
🔶 Intelligent Zone Management
Implements automatic zone relevance filtering, displaying channels only when price proximity warrants analysis attention. The system maintains optimal performance through smart array management and historical level tracking with configurable lookback periods for various market conditions.
🔶 Multi-Dimensional Analysis Framework
Combines trend continuation analysis through breakthrough patterns with reversal detection via rejection signals, providing comprehensive market structure assessment suitable for both trending and ranging market conditions with volatility-normalized accuracy.
🔶 Advanced Alert Integration
Features comprehensive notification system covering breakouts, breakdowns, rejections, and bounces with customizable alert conditions. The system enables precise position management through real-time notifications of critical channel interaction events and zone boundary violations.
🔶 Performance Optimization
Utilizes efficient EMA smoothing algorithms with configurable periods for noise reduction while maintaining responsiveness to genuine market structure changes. The system includes automatic historical level cleanup and performance-optimized visual rendering for smooth operation across all timeframes.
Why Choose Dual Channel System ?
This indicator delivers sophisticated channel-based market analysis through volatility-adaptive ATR calculations and intelligent zone construction methodology. By combining dynamic support and resistance detection with advanced signal generation and comprehensive visual mapping, it provides institutional-grade channel analysis suitable for cryptocurrency, forex, and equity markets. The system's ability to adapt to varying volatility conditions while maintaining signal accuracy makes it essential for traders seeking systematic approaches to breakout trading, zone reversals, and trend continuation analysis with clearly defined risk parameters and comprehensive alert integration. Also to note, this indicator is best suited for the 1D timeframe.