Custom MA & VWAP Crossover SignalsCrossover logic:
Buy = MA1 crosses above MA2.
Sell = MA1 crosses below MA2.
Labels show at the bar where crossover happens:
Green “Buy” label at bar high.
Red “Sell” label at bar low.
Formacje wykresów
Auto Chart PatternsAuto Chart Patterns automatically scans the chart for major technical patterns and marks them directly on price action. It detects:
• Head & Shoulders (bearish reversal)
• Inverse Head & Shoulders (bullish reversal)
• Rising and Falling Wedges
• Double / Triple Tops and Bottoms
• Cup & Handle (bullish continuation)
For each pattern, the script draws the structure (trendlines / neckline), shades the pattern zone, and places a label with the pattern name.
It also generates optional trade signals:
• “BUY” when a bullish pattern breaks out with confirmation
• “SELL” when a bearish pattern breaks down with confirmation
Confirmations can include:
• Follow-through candle in the breakout direction
• Volume spike vs recent average
• RSI momentum agreement
Inputs let you control:
• Pivot sensitivity (left/right bars)
• Pattern types to display
• Cup & Handle depth rules
• Confirmation rules for entry/exit signals
This tool is designed to help you visually spot reversal and continuation setups, highlight potential breakout levels (necklines / wedge boundaries), and time trades with clearer confirmation instead of guessing.
Disclaimer: This script is for educational/technical analysis purposes only. It does not guarantee future performance, does not execute trades, and is not financial advice. Always confirm signals with your own analysis and risk management before entering any position.
HTF Session Boxes H4 > H2 > H1HTF Session Boxes H4 > H2 > H1
Visualize higher timeframe candle structures on lower timeframe charts with nested, customizable boxes.
Overview
HTF Session Boxes plots 4-hour, 2-hour, and 1-hour candle ranges as nested boxes directly on your lower timeframe charts (15M and below). This provides instant visual context of higher timeframe structure without switching between different chart timeframes.
Key Features
- Three Timeframe Levels: Simultaneously displays 4H, 2H, and 1H candle boxes
- Nested Design: Boxes are layered inside each other for clear hierarchical structure
- Real-Time Updates: Boxes dynamically adjust as higher timeframe candles develop
Fully Customizable:
-Individual colors and transparency for each timeframe
-Custom border colors, widths, and styles (solid, dashed, dotted)
-Toggle each timeframe on/off independently
Best Use Cases
-Scalping & Day Trading: Maintain awareness of higher timeframe structure while trading lower
timeframes
-Session Analysis: Clearly see 4H session boundaries and internal 2H/1H divisions
-Support/Resistance: Identify key levels where higher timeframe candles open, close, or create
highs/lows
-Multi-Timeframe Confluence: Spot when multiple timeframes align at key price levels
DK 27 ALERT RELIANCE EQ Buy | Manual JSON Input Version//@version=6
indicator("27 ALERT RELIANCE EQ Buy | Manual JSON Input Version", overlay=true)
//────────────────────────────────────────────
// 📦 USER INPUTS
//────────────────────────────────────────────
quantity = input.string("1", "Quantity")
exchange = input.string("NSE", "Exchange")
symbol_name = input.string("RELIANCE", "Equity Symbol")
tradeMode = input.string("Intraday", "Trade Mode", options= )
dhan_secret = input.string("hWMIU", "Dhan Webhook Secret")
// Directly entered webhook JSON scripts 👇
json_buy = input.string('{"secret":"hWMIU","alertType":"multi_leg_order","order_legs": }', "BUY JSON Script")
json_sell = input.string('{"secret":"hWMIU","alertType":"multi_leg_order","order_legs": }', "SELL JSON Script")
productType = tradeMode == "Intraday" ? "I" : "D"
//────────────────────────────────────────────
// 📊 SIMPLE TREND LOGIC (Heikin Ashi + MACD)
//────────────────────────────────────────────
ha_close = (open + high + low + close) / 4.0
var float ha_open = na
ha_open := na(ha_open ) ? (open + close) / 2.0 : (ha_open + ha_close ) / 2.0
isBull = ha_close > ha_open
isBear = ha_close < ha_open
= ta.macd(close, 12, 26, 9)
macdBull = macdLine > signalLine
macdBear = macdLine < signalLine
//───────────────────────────────────────────
// 🚀 ENTRY / EXIT (One-Candle Confirmation)
//────────────────────────────────────────────
var bool inTrade = false
var string lastEvent = "Waiting..."
buyCondition = isBull and macdBull and not inTrade
sellCondition = isBear and macdBear and inTrade
if buyCondition
inTrade := true
lastEvent := "BUY"
label.new(bar_index, low, "🟢 BUY " + symbol_name, style=label.style_label_up, color=color.new(color.green, 0))
alert(json_buy, alert.freq_once_per_bar_close)
if sellCondition
inTrade := false
lastEvent := "SELL"
label.new(bar_index, high, "🔴 SELL " + symbol_name, style=label.style_label_down, color=color.new(color.red, 0))
alert(json_sell, alert.freq_once_per_bar_close)
//────────────────────────────────────────────
// 🧭 DASHBOARD
//────────────────────────────────────────────
var table dash = table.new(position.top_right, 2, 5, border_width=1)
if barstate.islast
table.cell(dash, 0, 0, "📊 RELIANCE EQ", bgcolor=color.new(color.black, 60), text_color=color.white)
table.cell(dash, 0, 1, "Symbol")
table.cell(dash, 1, 1, symbol_name)
table.cell(dash, 0, 2, "Position")
table.cell(dash, 1, 2, inTrade ? "LONG" : "FLAT")
table.cell(dash, 0, 3, "Trend")
table.cell(dash, 1, 3, isBull ? "BULLISH" : isBear ? "BEARISH" : "NEUTRAL")
table.cell(dash, 0, 4, "Last Event")
table.cell(dash, 1, 4, lastEvent)
Renko ATR Trend + SMA Indicator by YCGH Capital🧭 Overview
The Renko ATR Trend + SMA Indicator is a trend-following tool designed for chart trading.
It combines Renko-style price movement logic (based on ATR) with a Simple Moving Average (SMA) filter to identify sustained bullish or bearish phases on any timeframe.
It plots a color-coded trend line directly on the price chart — green for bullish trends, red for bearish — and maintains a single active state (no repeated buy/sell signals) until the opposite condition appears.
⚙️ How It Works
1️⃣ Renko ATR Engine
Instead of using fixed box sizes like classic Renko charts, this indicator builds synthetic Renko movement based on ATR (Average True Range) of a chosen timeframe.
It pulls OHLC data from your selected Renko Source Timeframe (for example, 60-minute candles).
It calculates an ATR brick size — representing the minimum price move needed for a new Renko brick.
When price moves by at least one ATR in the opposite direction, it flips the trend.
This filters out small fluctuations and captures the underlying directional bias.
2️⃣ SMA Filter
A Simple Moving Average (SMA) acts as a trend confirmation filter.
Only when Renko direction aligns with the price relative to the SMA, a trend signal activates.
BUY → Renko uptrend + price above SMA
SELL → Renko downtrend + price below SMA
3️⃣ Stateful Signal Logic
Unlike typical indicators that spam multiple buy/sell shapes:
This version holds one persistent signal (Buy or Sell)
The state continues until an opposite signal is confirmed
No “continuation” arrows — clean and minimal trend visualization
🎨 Visuals
Element Meaning
🟩 Green Renko Line Active Bullish Trend
🟥 Red Renko Line Active Bearish Trend
⚪ Gray Line Neutral / Waiting phase
🟡 Yellow Line SMA (trend filter)
📍 Label (Buy Active / Sell Active) Displays the current market bias
🔧 Inputs
Input Description
Renko Source Timeframe The timeframe from which Renko data is calculated (e.g., 60 = 1h candles).
ATR Period Determines brick size sensitivity (lower = more responsive, higher = smoother).
SMA Length Moving Average length used as a directional filter.
💡 How Traders Use It
Trend Confirmation:
Use green/red Renko line to stay aligned with the dominant market move.
Entry Timing:
Enter trades when a new Renko direction is confirmed along with SMA alignment.
Exit or Reverse:
Exit long when a red line (Sell Active) appears, and vice versa.
Combine with Price Action:
Add support/resistance or volume analysis for confirmation.
27 ALERT INFY EQ | Manual JSON Only//@version=6
indicator("27 ALERT INFY EQ | Manual JSON Only", overlay=true)
//────────────────────────────────────────────
// 🔧 USER INPUTS
//────────────────────────────────────────────
symbol_name = input.string("INFY", "Equity Symbol (for labels only)")
tradeMode = input.string("Intraday", "Trade Mode (for dashboard)", options= )
// Paste your exact Dhan payloads below (must be single-line strings)
json_buy = input.string('{"secret":"hWMIU","alertType":"multi_leg_order","order_legs": }', "BUY JSON Script")
json_sell = input.string('{"secret":"hWMIU","alertType":"multi_leg_order","order_legs": }', "SELL JSON Script")
//────────────────────────────────────────────
// 📊 SIGNAL LOGIC (Heikin Ashi + MACD)
//────────────────────────────────────────────
ha_close = (open + high + low + close) / 4.0
var float ha_open = na
ha_open := na(ha_open ) ? (open + close)/2.0 : (ha_open + ha_close )/2.0
isBull = ha_close > ha_open
isBear = ha_close < ha_open
= ta.macd(close, 12, 26, 9)
macdBull = macdLine > signalLine
macdBear = macdLine < signalLine
//────────────────────────────────────────────
// 🚀 ENTRY / EXIT (One-Candle Confirmation)
//────────────────────────────────────────────
var bool inTrade = false
var string lastEvent = "Waiting..."
buyCondition = isBull and macdBull and not inTrade
sellCondition = isBear and macdBear and inTrade
if buyCondition
inTrade := true
lastEvent := "BUY"
label.new(bar_index, low, "🟢 BUY " + symbol_name, style=label.style_label_up, color=color.new(color.green, 0))
alert(json_buy, alert.freq_once_per_bar_close)
if sellCondition
inTrade := false
lastEvent := "SELL"
label.new(bar_index, high, "🔴 SELL " + symbol_name, style=label.style_label_down, color=color.new(color.red, 0))
alert(json_sell, alert.freq_once_per_bar_close)
//────────────────────────────────────────────
// 🧭 DASHBOARD
//────────────────────────────────────────────
var table dash = table.new(position.top_right, 2, 6, border_width=1)
if barstate.isfirst
table.cell(dash, 0, 0, "📊 " + symbol_name + " EQ", bgcolor=color.new(color.black, 60), text_color=color.white)
table.cell(dash, 0, 1, "Symbol")
table.cell(dash, 0, 2, "Position")
table.cell(dash, 0, 3, "Trend")
table.cell(dash, 0, 4, "Mode")
table.cell(dash, 0, 5, "Alert Type")
trendTxt = isBull ? "BULLISH" : isBear ? "BEARISH" : "NEUTRAL"
if barstate.islast
table.cell(dash, 1, 1, symbol_name)
table.cell(dash, 1, 2, inTrade ? "LONG" : "FLAT")
table.cell(dash, 1, 3, trendTxt)
table.cell(dash, 1, 4, tradeMode)
table.cell(dash, 1, 5, "MANUAL JSON")
Impulse Wick ZONES (multi-bar waves, capped)Impulse Origin Zones (IOZ)
One-liner:
Marks the origin of new directional waves by anchoring a forward-projected zone to the first decisive wick. Use it to trade retests, rejections, or clean breaks with clear invalidation.
What it does
Automatically spots the start of a fresh move and drops a zone at the first wick that kicks it off.
Zones persist and extend until decisively invalidated, giving durable context for entries, stops, and targets.
Sizing adapts to instrument conditions to avoid zones that are too tiny in quiet markets or oversized in volatile ones.
Side filter: show bullish only, bearish only, or both.
How to read it
Green zone: bullish origin (up-wave).
Red zone: bearish origin (down-wave).
Price interaction with a zone can signal:
Rejection (fade the first touch),
Break & retest (enter on confirmation),
Clean break (momentum continuation).
Inputs (high-level)
Wave qualification: minimum strength/length to count as an impulse.
Zone thickness: volatility-aware, fixed, or proportional options.
Display mode: Both / Bullish only / Bearish only.
Max active zones: keeps the chart uncluttered.
Styling: colors, borders, labels, right-extension.
Playbook ideas
In trends, prioritize zones with the trend; use opposite-colored zones as targets.
Pair with a trigger (volume pop, momentum cross, footprint imbalance) for entries.
Invalidation: decisive close through the far edge of the zone.
Notes
IOZ highlights wave origins, not generic support/resistance.
On thin/news-driven markets, consider a larger invalidation buffer.
XAUUSD 5m — NY Supertrend+RSI Optimizer (1:2 RR) — $240k/orderThis strategy is built for XAUUSD (Gold) on the 5-minute timeframe, focusing exclusively on the New York trading session (08:00–17:00 NY time) — the most volatile and liquid hours of the day.
It combines a Supertrend trend filter with RSI momentum signals to identify high-probability entries, using a 1:2 risk–reward ratio for disciplined trade management.
🧠 Strategy Logic:
Buy Condition: RSI crosses above 55 while Supertrend indicates an uptrend
Sell Condition: RSI crosses below 45 while Supertrend indicates a downtrend
Session Filter: Trades only between 08:00 → 17:00 New York time
Risk/Reward: 1:2 (Take-Profit = 2× Stop-Loss distance from Supertrend line)
Position Size: $240,000 notional per order
Auto-Exit: Closes all trades at NY session end
⚡ Highlights:
Targets NY session volatility
Combines trend + momentum for cleaner entries
Strict 1:2 RR for consistent outcomes
Avoids overnight exposure
⚠️ Disclaimer:
This script is intended for educational and research purposes only.
Past performance is not indicative of future results.
Always forward-test on demo before using live capital.
XAUUSD 5m — CET 13:00→01:00 Supertrend + RSI (1:2 RR) — $240KThis strategy is designed for XAUUSD (Gold) on the 5-minute chart, optimized for trading during the most active hours (13:00–01:00 CET).
It combines a Supertrend direction filter with RSI crossovers for precise entries, and applies a 1:2 risk–reward ratio for consistent risk management.
🧠 Logic Overview:
Buy Signal: RSI crosses above 55 while Supertrend is bullish
Sell Signal: RSI crosses below 45 while Supertrend is bearish
Trading Hours: 13:00 → 01:00 CET (corresponding to 07:00 → 19:00 New York time)
Risk Management: Fixed 1:2 RR (TP = 2× SL distance from Supertrend line)
Session Management: Automatically closes all trades after 01:00 CET
Order Size: $240,000 notional exposure per position
💡 Best used for:
Scalping or intraday trading on XAUUSD during high-volatility hours.
The setup works best when combined with strong price action or volume confirmation.
⚠️ Disclaimer:
This script is for educational and testing purposes only.
Past performance does not guarantee future results.
Always test on demo before using live funds.
Sessions High/Low with Break LogicSessions High/Low with Break Logic – Indicator Description
Update 27.10.25
Overview
This indicator marks the highs and lows of key trading sessions (Tokyo, London, New York) and highlights when these levels are broken. It is ideal for traders using session-based strategies to monitor breakouts or support/resistance levels in real time.
Key Features
Session-Based Highs/Lows:
Tracks highs and lows for three trading sessions:
Tokyo: 02:00–09:00 (UTC+1)
London: 09:00–17:00 (UTC+1)
New York: 15:30–22:00 (UTC+1)
Break Logic:
Detects when the current price breaks a session high or low.
Labels are updated with a "Break" note when a level is breached.
Visual Display:
Draws horizontal lines for highs and lows of each session.
Adds labels with values (optionally including price).
Colors are customizable for each session:
Tokyo: Purple
London: Teal
New York: Orange
Customizable Settings:
Horizontal Offset: Shifts lines and labels horizontally for clarity.
Time Zone: Adjustable to UTC+1 (default).
Price Display: Option to show the exact price next to the label.
Settings and Translations
Display Settings
Horizontal Offset: Horizontal shift for lines and labels.
Show Price with Text: Displays the price next to the label (e.g., "London High: 123.45").
Time Settings
UTC: Time zone (default: UTC+1).
Session 1 (Tokyo)
Session 1: 02:00–09:00
High Text: "Tokyo High"
Low Text: "Tokyo Low"
High Color: Purple
Low Color: Purple
Session 2 (London)
Session 2: 09:00–17:00
High Text: "London High"
Low Text: "London Low"
High Color: Teal
Low Color: Teal
Session 3 (New York)
Session 3: 15:30–22:00
High Text: "New York High"
Low Text: "New York Low"
High Color: Orange
Low Color: Orange
Wyckoff Spring Gold SystemSystematic Strategy for Trading Gold
This strategy is designed with maximum simplicity and robustness in mind:
Clear and objective entry and exit rules.
Solid, predefined risk management.
Fully automated execution directly from TradingView.
The strategy trades exclusively on the long side to capitalize on gold’s structural bullish bias and is specifically designed for the 4-hour timeframe.
The Edge
The system exploits a pure price-action pattern related to liquidity hunting: after a spring, the market often initiates a strong bullish impulse.
Since it does not rely on indicators or fragile parameters, it remains consistent and stable across different market conditions, minimizing the risk of overfitting.
The Pattern
The following is a representative example of the type of move the strategy aims to capture:
Results – Full Backtest
In this video , I introduce the strategy, explain its logic, and present the complete backtest results.
The strategy has been validated from 2005 to the present, covering multiple market cycles and volatility regimes.
Documentation Included
The system comes with a detailed technical document explaining everything you need to apply the strategy professionally.
It includes:
System logic and statistical validation.
Analysis of the seasonal filters.
Recommendations for trading with personal capital or funded accounts — special focus on Darwinex Zero and Axi Select.
Suggested automated ecosystem (TradingView + PineConnector).
Guidelines for monitoring future performance and system deactivation rules.
Full statistical profile of both versions using Quant Analyzer.
This guide offers a concise yet comprehensive view of how to build, validate, and maintain a profitable trading system over time.
Quant Analyzer – Equity Curve (Original Version)
Quant Analyzer – Equity Curve (Filtered Version)
→ Full strategy description & purchase available on the official website
Bullish/Bearish Engulfing Candle ScannerFinds instances on any time frame of bullish or bearish engulfing candles, those with some increased average volume showing green arrows to highlight, otherwise red.
BOS_CHoCH_EC_FVG_RSIBOs, choch identification +RSI divergence , indicate both trend continuation and reversal
Wyckoff Spring Gold SystemSystematic Strategy for Trading Gold (XAU/USD or GC)
This strategy is designed with maximum simplicity and robustness in mind:
Clear and objective entry and exit rules.
Solid, predefined risk management.
Fully automated execution from TradingView.
The strategy operates exclusively on the long side to capitalize on gold’s bullish bias, and it is specifically designed for the 4-hour timeframe.
The Edge
The system exploits a pure price pattern associated with liquidity grabs: after a spring, the market often initiates a bullish impulse.
Since it does not rely on indicators or fragile parameters, it remains consistent and stable across different environments, minimizing the risk of overfitting.
Results – Full Backtest
In (www.youtube.com), I introduced the strategy for the first time. I explain its logic, how it operates, and the full backtest results.
To validate the strategy, a backtest was conducted from 2005 to the present, covering multiple market cycles and regimes.
Documentation Included
The system comes with a technical document that thoroughly explains everything you need to apply the strategy professionally.
You’ll find detailed insights on:
The system logic and its statistical validation.
Seasonal filter analysis.
Recommendations for trading with personal capital or funded accounts—special focus on Darwinex Zero and AXI Select.
Suggested automated ecosystem (TradingView + PineConnector).
Monitoring future performance and system deactivation rules.
Complete statistical profile of both versions via Quant Analyzer.
This guide provides a comprehensive overview of how to build, validate, and maintain a profitable trading system over time.
(cdn.shopify.com)
(cdn.shopify.com)
FULL STRATEGY DESCRIPTION & PURCHASE
Ultra Reversion DCA Strategy with Manual Leverage - V.1Ultra Reversion DCA Strategy with Manual Leverage - V.1
2025-10-27
BTC Open interest (binance, bybit, okx, bitget, htx, deribit)📈 BTC Open Interest Candles (Binance, Bybit, OKX, Bitget, HTX, Deribit)
🌟 Overview
This Pine Script indicator fetches real-time Bitcoin (BTC) perpetual futures open interest (OI) data from major cryptocurrency exchanges (Binance, OKX, Bybit, Bitget, HTX, Deribit), aggregates it, and visualizes it as candlesticks on the chart. Each candlestick represents the combined OI values at the open, high, low, and close of that bar. Candlestick colors change based on whether the current bar’s close OI is higher or lower than the previous bar’s, allowing intuitive tracking of OI fluctuations.
✨ Key Features
Multi-exchange OI aggregation: Combines OI data from selected exchanges to create a unified OI candlestick series.
Candlestick visualization: Converts aggregated OI values into open, high, low, and close values to plot candlestick charts, clearly showing the range and trend of OI over time.
Color-coded OI change:
Close OI higher than previous bar → teal candlestick (OI increase)
Close OI lower than previous bar → red candlestick (OI decrease)
⚙️ Inputs
Show Binance true Include Binance OI in the aggregation.
Show OKX true Include OKX OI in the aggregation.
Show Bybit true Include Bybit OI in the aggregation.
Show Bitget true Include Bitget OI in the aggregation.
Show HTX true Include HTX OI in the aggregation.
Show Deribit true Include Deribit OI in the aggregation.
📊 Calculation Methodology
Requests OI open, high, low, close values for the specified exchange using request.security().
Missing data (na) is treated as 0 to prevent aggregation errors.
Returns OI values as arrays.
➕ Aggregation of individual OI
Variables combinedOiOpen, combinedOiHigh, combinedOiLow, combinedOiClose initialized to 0.
Calls getOI for each enabled exchange and adds returned values to the combined variables.
🎨 Candlestick color determination
oiColorCond checks whether combinedOiClose > combinedOiClose .
True → openInterestColor = color.teal (OI increase)
False → openInterestColor = color.red (OI decrease)
🕯 Candlestick plotting
plotCandles ensures at least one exchange is selected.
plotcandle() is called with na values if no exchanges are selected to avoid drawing candles.
Candle body, wick, and border colors follow openInterestColor.
💡 How to Use
🌐 Integrated market sentiment
Observe overall market OI changes using a unified candlestick chart rather than fragmented exchange data to understand market sentiment and capital flow.
🔍 Compare with price movements
Analyze price charts alongside OI candlesticks to see how OI changes affect (or are affected by) price.
🟢 Price rising + teal OI candlestick (OI increase): Indicates bullish momentum from new long entries or short covering.
🔴 Price falling + red OI candlestick (OI decrease): Suggests bearish momentum from long liquidations or increased short covering.
📈 Price rising + red OI candlestick (OI decrease): Could reflect a short squeeze or profit-taking in long positions.
📉 Price falling + teal OI candlestick (OI increase): May indicate new short positions or forced long liquidations (stop-loss triggers).
⚡ Volatility prediction
Large OI candles or consecutive candles of a certain color can indicate imminent or ongoing significant market moves.
Nifty Intraday 9:30- 3 Min Candle By Trade Prime Algo.Nifty Intraday 9:30 – 3 Min Candle Strategy by Trade Prime Algo
This strategy is designed to help traders identify intraday long entries, stop-loss, and multi-target levels on the Nifty Spot / Nifty Futures based on the first 3-minute candle breakout after 9:30 AM.
It automates trade detection, entry marking, target plotting, and trailing stop-loss logic, allowing traders to visualize complete trade flow with clarity and precision.
The system offers:
✅ Auto identification of long entries based on candle breakout logic
✅ Configurable stop-loss, trailing SL, and four partial profit targets
✅ Dynamic plotting of entry, TSL, and targets on chart
✅ Custom alert messages for each event (Entry, TP1–TP4, SL, Close)
✅ Adjustable time session and test periods for backtesting
⚙️ How to Use
1️⃣ Set your desired start time (default: 9:15–9:30 AM).
2️⃣ Choose your stop-loss type — percentage or points.
3️⃣ Adjust target levels (TP1–TP4) and trailing SL settings as per your risk appetite.
4️⃣ Use this strategy for educational backtesting and research only — not for live trading signals.
5️⃣ The tool can be combined with price action zones or higher-timeframe analysis for best results.
⚠️ Disclaimer (SEBI & Risk Disclosure)
This strategy is developed strictly for educational and research purposes.
The creator of this script and Trade Prime Algo are not SEBI-registered advisors.
This tool does not guarantee any specific profit or performance.
Trading involves risk; users may incur partial or total capital loss.
All decisions taken using this indicator or strategy are solely at the user’s discretion and risk.
The creator assumes no liability for profit, loss, or any consequences arising from the use of this script.
Always perform your own due diligence and trade responsibly.
ICT SMC Turtle Soup & Liquidity Grabssimple but efficient
ICT turtle soup
dynamically visuallisation of fvg liquidity grabbing
CPT - CRT Sessions🧭 CPT - CRT Sessions V3
Automated Killzones, CRT Ranges, FVGs, and Market Structure Anchors — built for precision intraday analysis.
🔹 Overview
CPT - CRT Sessions V3 is an advanced all-in-one price action indicator designed to simplify your intraday charting and speed up trade preparation.
It automatically plots key session killzones, Central Range Times (CRT), Fair Value Gaps (FVGs), and market structure anchors such as NDOG, NWOG, and PDH/PDL, allowing traders to identify premium and discount zones at a glance.
⚙️ Core Features
🕒 CRT Ranges (Central Range Time)
Automatically plots 1HR CRT (for futures) and 4HR CRT (for forex) sessions.
Includes color-coded high/low lines for instant visual reference.
Configurable hours (UTC-4 default) and adjustable forward projection.
📦 Killzones
Automatically draws Asian, London, and New York (AM, Lunch, PM) session boxes.
Each killzone features:
Adjustable start/end times
Independent color and transparency controls
Session labeling inside boxes
Uses the classic ICT-style session structure (Asia: 20:00–23:59 UTC-4 by default).
⚡ Fair Value Gaps (FVGs)
Detects both bullish and bearish FVGs automatically.
Displays each gap with:
Midpoint line
Label inside the box (e.g., “1HR FVG”, “4HR FVG”)
Auto-remove logic once price mitigates the gap.
Works on all timeframes.
🔰 Market Anchors
PDH / PDL — Previous Day High & Low
NDOG / NWOG — New Day & New Week Opening Gaps
Automatically drawn and color-coded for visual clarity.
🎨 Customization
Adjustable line styles, widths, and label sizes
Individual transparency sliders for each session box
Optional 24-hour display filtering
Fully timezone-aware (default: UTC-4, matching Exchange time)
💡 Ideal For
Traders following ICT, Smart Money Concepts, or Session Liquidity Models
Scalpers and intraday traders looking to automate manual markups
Multi-timeframe confluence mapping (FVGs + Killzones + CRTs)
🧠 Notes
This tool is for chart analysis only — not an entry or exit signal.
Always perform your own confluence checks before trading.



















