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.
Chart-Muster
Multi-Timeframe Candle ColorsA real-time dashboard that displays candle color (bullish, bearish, doji) for multiple timeframes. It updates every tick or on bar close, shows a color dot and status text for each timeframe, and highlights the currently active timeframe.
📊 REAL-TIME CANDLE COLORS for each timeframe:
GREEN dot (●) = Bullish candle (Close > Open)
RED dot (●) = Bearish candle (Close < Open)
GRAY dot (●) = Doji candle (Close = Open)
📋 Dashboard columns:
TIMEFRAME - Shows the timeframe name
CANDLE - Shows actual candle color (green/red/gray)
STATUS - Shows BULL/BEAR/DOJI text
ACTIVE - Shows yellow dot (●) for current timeframe
🔄 Real-time updates:
When 5min candle turns green → Green dot in dashboard
When 5min candle turns red → Red dot in dashboard
Same for ALL timeframes simultaneously
Updates every tick/bar close
✅ Features:
Multi-timeframe analysis at a glance
Real candle colors (not fixed colors)
Shows market sentiment across all timeframes
Current timeframe highlighted
Bullish/Bearish status text
Now you can see if different timeframes are bullish or bearish in real-time! The dashboard will update as candles form and close on each timeframe.
Third Eye ORB Pro (0915-0930 IST, no-plot)Third Eye ORB Pro (Opening Range Breakout + Range Mode)
This indicator is designed specifically for Indian stocks and indices (NIFTY, BANKNIFTY, FINNIFTY, MIDCAP, etc.) to track the Opening Range (09:15–09:30 IST) and generate actionable intraday trade signals. It combines two key modes — Range Mode (mean reversion inside the opening range) and Breakout Mode (momentum trading beyond the range).
1. Opening Range Framework (09:15–09:30 IST)
The indicator automatically plots the Opening Range High (ORH) and Opening Range Low (ORL) after the first 15 minutes of market open.
The area between ORH and ORL acts as the intraday battlefield where most price action occurs (historically ~70–80% of the day is spent inside this zone).
A shaded box and horizontal lines mark this range, serving as a visual reference for support and resistance throughout the day.
2. Range Mode (Mean Reversion Inside OR)
When price trades inside the Opening Range, the indicator looks for edge rejections to capture range-bound trades.
Range BUY (RB): Triggered near ORL when a bullish rejection candle forms (strong body + long lower wick).
Range SELL (RS): Triggered near ORH when a bearish rejection candle forms (strong body + long upper wick).
Optional filters (toggleable in settings):
RSI Filter: Only allow range buys if RSI is oversold (≤45) and range sells if RSI is overbought (≥55).
VWAP Filter: Only allow range trades if price is not too far from VWAP (distance ≤ X% of OR size).
Labels show suggested Stop Loss (just outside the OR band) and Target (midline/VWAP).
Cooldown logic prevents consecutive whipsaw signals.
3. Breakout Mode (Directional Moves Beyond OR)
When price closes strongly outside the ORH/ORL with momentum, the indicator confirms a breakout/breakdown trade.
Buffers are applied to avoid false breakouts:
ATR Buffer: Price must extend at least ATR × multiplier beyond the range edge.
% Buffer: Price must extend at least a percentage of OR size (default 10%).
Confirmation Filters:
Candle must have a strong body (≥60% of total bar range).
Optional “two closes” rule: price must close outside the range for 2 consecutive candles.
BUY BO: Trigger when price closes above ORH + buffer with momentum.
SELL BD: Trigger when price closes below ORL – buffer with momentum.
Labels and alerts are plotted for quick action.
4. Practical Usage
Works best on 5-minute charts for intraday trading.
Designed to help traders capture both:
Range-bound moves during the day (mean reversion plays).
Strong directional breakouts when institutions push price beyond the opening range.
Particularly effective on expiry days, trending sessions, and major news days when breakouts are more likely.
On sideways days, Range Mode provides reliable scalp opportunities at the OR edges.
5. Features
Auto-plots Opening Range High, Low, Midline.
Box + line visuals (no repainting).
Buy/Sell labels for both Range Mode and Breakout Mode.
Customizable buffers (ATR, % of range) to suit volatility.
Alerts for all signals (breakouts and range plays).
Built with risk management in mind (suggested SL and TP shown on chart).
Pump/Dump Detector [Modular]//@version=5
indicator("Pump/Dump Detector ", overlay=true)
// ————— Inputs —————
risk_pct = input.float(1.0, "Risk %", minval=0.1)
capital = input.float(100000, "Capital")
stop_multiplier = input.float(1.5, "Stop Multiplier")
target_multiplier = input.float(2.0, "Target Multiplier")
volume_mult = input.float(2.0, "Volume Spike Multiplier")
rsi_low_thresh = input.int(15, "RSI Oversold Threshold")
rsi_high_thresh = input.int(85, "RSI Overbought Threshold")
rsi_len = input.int(2, "RSI Length")
bb_len = input.int(20, "BB Length")
bb_mult = input.float(2.0, "BB Multiplier")
atr_len = input.int(14, "ATR Length")
show_signals = input.bool(true, "Show Entry Signals")
use_orderflow = input.bool(true, "Use Order Flow Proxy")
use_ml_flag = input.bool(false, "Use ML Risk Flag")
use_session_filter = input.bool(true, "Use Volatility Sessions")
// ————— Symbol Filter (Optional) —————
symbol_nq = input.bool(true, "Enable NQ")
symbol_es = input.bool(true, "Enable ES")
symbol_gold = input.bool(true, "Enable Gold")
is_nq = str.contains(syminfo.ticker, "NQ")
is_es = str.contains(syminfo.ticker, "ES")
is_gold = str.contains(syminfo.ticker, "GC")
symbol_filter = (symbol_nq and is_nq) or (symbol_es and is_es) or (symbol_gold and is_gold)
// ————— Calculations —————
rsi = ta.rsi(close, rsi_len)
atr = ta.atr(atr_len)
basis = ta.sma(close, bb_len)
dev = bb_mult * ta.stdev(close, bb_len)
bb_upper = basis + dev
bb_lower = basis - dev
rolling_vol = ta.sma(volume, 20)
vol_spike = volume > volume_mult * rolling_vol
// ————— Session Filter (EST) —————
est_offset = -5
est_hour = (hour + est_offset + 24) % 24
session_filter = (est_hour >= 18 or est_hour < 6) or (est_hour >= 14 and est_hour < 17)
session_ok = not use_session_filter or session_filter
// ————— Order Flow Proxy —————
mfi = ta.mfi(close, 14)
buy_imbalance = ta.crossover(mfi, 50)
sell_imbalance = ta.crossunder(mfi, 50)
reversal_candle = close > open and close > ta.highest(close , 3)
// ————— ML Risk Flag (Placeholder) —————
ml_risk_flag = use_ml_flag and (ta.sma(close, 5) > ta.sma(close, 20))
// ————— Entry Conditions —————
long_cond = symbol_filter and session_ok and vol_spike and rsi < rsi_low_thresh and close < bb_lower and (not use_orderflow or (buy_imbalance and reversal_candle)) and (not use_ml_flag or ml_risk_flag)
short_cond = symbol_filter and session_ok and vol_spike and rsi > rsi_high_thresh and (not use_orderflow or sell_imbalance) and (not use_ml_flag or ml_risk_flag)
// ————— Position Sizing —————
risk_amt = capital * (risk_pct / 100)
position_size = risk_amt / atr
// ————— Plot Signals —————
plotshape(show_signals and long_cond, title="Long Signal", location=location.belowbar, color=color.green, style=shape.triangleup, size=size.small)
plotshape(show_signals and short_cond, title="Short Signal", location=location.abovebar, color=color.red, style=shape.triangledown, size=size.small)
// ————— Alerts —————
alertcondition(long_cond, title="Long Entry Alert", message="Pump fade detected: Long setup triggered")
alertcondition(short_cond, title="Short Entry Alert", message="Dump detected: Short setup triggered")
Sri - Custom Timeframe Candle / Heikin AshiSri - Custom Timeframe Candle / Heikin Ashi (Week & Day) + Label
Short Title: Sri - Smart Candles
Pine Script Version: 5
Overlay: Yes
Description:
The Sri - Smart Candles indicator allows traders to visualize historical and current daily and weekly candles on a single chart in a compact and customizable format. You can choose between Normal candles or Heikin Ashi candles for better trend visualization. The script displays previous 4 candles, the last candle, and the live candle with horizontal offset positioning to avoid overlapping the chart. Additionally, the indicator includes customizable labels for days or week numbers, helping traders quickly analyze patterns and trends.
This indicator is ideal for traders who want to see higher timeframe candle patterns on lower timeframe charts (like 5-min, 15-min, or 1-hour charts) without switching timeframes.
Key Features:
Custom Candle Types: Normal or Heikin Ashi.
Daily & Weekly Candle Blocks: View previous 4 + last + live candles.
Custom Colors: Bull, bear, and wick colors configurable.
Candle Positioning: Horizontal offsets, thickness, and gaps configurable.
Labels: Day numbers or week numbers displayed at Top, Bottom, or Absolute level.
Multi-Timeframe Visualization: See daily and weekly candles on lower timeframe charts.
Advantages:
✅ Helps visualize higher timeframe trends on lower timeframe charts.
✅ Easy to identify bullish and bearish candle patterns.
✅ Customizable for personal visual preference (colors, size, offsets).
✅ Labels allow quick recognition of days/weeks without cluttering the chart.
✅ Works on small timeframes (1-min, 5-min, 15-min) for intraday analysis.
Pros:
Clean and intuitive display of daily/weekly candles.
Can combine Normal and Heikin Ashi visualizations.
Helps confirm trend direction before taking trades.
Non-intrusive overlay: does not interfere with main chart candles.
Cons:
Static candle representation; does not replace real-time trading candles.
May be slightly heavy on chart performance if too many candles are drawn.
Horizontal offsets require manual adjustment for crowded charts.
How to Use on Small Timeframes:
Apply the indicator on a small timeframe chart (e.g., 5-min, 15-min).
Select Candle Type: Normal or Heikin Ashi.
Adjust Daily and Weekly offsets to prevent overlap with your main chart.
Choose colors for bullish, bearish candles, and wicks.
Use Label Position to show day/week numbers on top, bottom, or a fixed level.
Analyze the previous 4 + last + live candles for trend direction and potential entry/exit zones.
Tip: Combine this with other indicators (like RSI, MACD, or volume) on small timeframes for better intraday trading accuracy.
VXN Choch Pattern LevelsThis indicator is based on other open source scripts. It identifies and visualizes Change of Character (ChoCh) patterns on Nasdaq futures (NQ and MNQ) charts, using pivot points and the CBOE VXN index (Nasdaq-100 Volatility Index) to detect potential trend reversals.
It plots bullish and bearish ChoCh patterns with triangles, horizontal lines, and volume delta information.
The indicator uses VXN EMA and SMA to set a background color (green for bullish, red for bearish) to contextualize market sentiment.
Key features include:
- Detection of pivot highs and lows to identify ChoCh patterns.
- Visualization of patterns with polylines, labels, and horizontal lines.
- Optional display of volume delta for each pattern.
- Management of pattern zones to limit the number of displayed patterns and remove invalidated ones.
- Bullish/bearish triangle signals triggered by VXN EMA/SMA crossovers for confirmation.
ORB + Strat + Ripster Cloud DashboardDashboard so I can see better using the methods in the description
Arena TP Manager//@version=5
indicator("Arena TP Manager", overlay=true, max_labels_count=500)
// === INPUTS ===
entryPrice = input.float(0.0, "Entry Price", step=0.1)
stopLossPerc = input.float(5.0, "Stop Loss %", step=0.1)
tp1Perc = input.float(10.0, "TP1 %", step=0.1)
tp2Perc = input.float(20.0, "TP2 %", step=0.1)
tp3Perc = input.float(30.0, "TP3 %", step=0.1)
// === CALCULATIONS ===
stopLoss = entryPrice * (1 - stopLossPerc/100)
tp1 = entryPrice * (1 + tp1Perc/100)
tp2 = entryPrice * (1 + tp2Perc/100)
tp3 = entryPrice * (1 + tp3Perc/100)
// === PLOTTING ===
plot(entryPrice > 0 ? entryPrice : na, title="Entry", color=color.yellow, linewidth=2, style=plot.style_linebr)
plot(entryPrice > 0 ? stopLoss : na, title="Stop Loss", color=color.red, linewidth=2, style=plot.style_linebr)
plot(entryPrice > 0 ? tp1 : na, title="TP1", color=color.green, linewidth=2, style=plot.style_linebr)
plot(entryPrice > 0 ? tp2 : na, title="TP2", color=color.green, linewidth=2, style=plot.style_linebr)
plot(entryPrice > 0 ? tp3 : na, title="TP3", color=color.green, linewidth=2, style=plot.style_linebr)
// === LABELS ===
if (entryPrice > 0)
label.new(bar_index, entryPrice, "ENTRY: " + str.tostring(entryPrice), style=label.style_label_up, color=color.yellow, textcolor=color.black)
label.new(bar_index, stopLoss, "SL: " + str.tostring(stopLoss), style=label.style_label_down, color=color.red, textcolor=color.white)
label.new(bar_index, tp1, "TP1: " + str.tostring(tp1), style=label.style_label_up, color=color.green, textcolor=color.white)
label.new(bar_index, tp2, "TP2: " + str.tostring(tp2), style=label.style_label_up, color=color.green, textcolor=color.white)
label.new(bar_index, tp3, "TP3: " + str.tostring(tp3), style=label.style_label_up, color=color.green, textcolor=color.white)
Freedom MA移動平均線(MA)をマルチタイムに3本同時表示できるインジケーターです
3本とも時間足、MAの種類(SMA or EMA)を選択できます
また、パーフェクトオーダー&傾き一致を“両方or片方だけ”で設定可能です
Xのアカウントはこちら→@keito_trader
This indicator lets you display 3 Moving Averages (MA) simultaneously across multiple timeframes.
For each MA, you can freely choose the timeframe and type (SMA or EMA).
Additionally, you can set conditions for Perfect Order & Slope Alignment, either both together or individually.
Check out my X account → @keito_trader
Ham | Reversal Wick @ Trend End v6
“This indicator is a precise tool for identifying market reversal signals. It works across all timeframes, with 5-minute and 15-minute charts recommended for scalping.”
Asset Rotation System [JP]Overview
This system creates a comprehensive trend "matrix" by analyzing the performance of six assets against both the US Dollar and each other. The objective is to identify and hold the asset that is currently outperforming all others, thereby focusing on maintaining an investment in the most "optimal" asset at any given time.
- - - Key Features - - -
1. Trend Classification:
The system evaluates the trend for each of the six assets, both individually against USD and in pairs (assetX/assetY), to determine which asset is currently outperforming others.
Utilizes five distinct trend indicators: RSI (50 crossover), CCI, SuperTrend, DMI, and Parabolic SAR.
Users can customize the trend analysis by selecting all indicators or choosing a single one via the "Trend Classification Method" input setting.
2. Backtesting:
Calculates an equity curve for each asset and for the system itself, which assumes holding only the asset deemed optimal at any time.
Customizable start date for backtesting; by default, it begins either 5000 bars ago (the maximum in TradingView) or at the inception of the youngest asset included, whichever is shorter. If the youngest asset's history exceeds 5000 bars, the system uses 5000 bars to prevent errors.
The equity curve is dynamically colored based on the asset held at each point, with this coloring also reflected on the chart via barcolor().
Performance metrics like returns, standard deviation of returns, Sharpe, Sortino, and Omega ratios, along with maximum drawdown, are computed for each asset and the system's equity curve.
Thiru Macro Time CyclesMacro Time Cycles
This indicator plots horizontal lines in a separate pane to highlight key macro timeline windows based on Eastern Time (EST), aiding traders in identifying significant market periods. It includes customizable London and New York trading sessions with adjustable line colors and label visibility.
Key Features:
Displays macro timelines for London (2:45–3:15 AM, 3:45–4:15 AM) and New York AM/PM sessions (7:45–8:15 AM, 8:45–9:15 AM, 9:45–10:15 AM, 10:45–11:15 AM, 11:45 AM–12:15 PM, 12:45–1:15 PM, 1:45–2:15 PM, 2:45–3:15 PM).
Lines are drawn with a fixed width of 3 and can be colored via user inputs.
Labels (e.g., "LO 1", "AM 1") are placed at the bottom of the pane, with options to hide or show them.
Adjustable label alignment (Left, Center, Right) for better chart organization.
Uses a separate pane (overlay = false) to avoid cluttering the price chart.
How to Use:
Add the indicator to your chart via the TradingView interface.
Customize line colors for each macro timeline in the indicator settings.
Toggle "Show Labels" on or off to display or hide labels at the bottom of the pane.
Adjust the "Text Alignment" setting to position labels as preferred.
The indicator automatically adjusts to the chart’s timeframe, ensuring accurate session boundaries.
Notes:
Timezone is fixed to Eastern Time (EST).
Ensure your chart timeframe aligns with the 30-minute macro windows for optimal visibility.
Perfect for traders focusing on London and New York session analysis.
REMS Snap Shot OverlayThe REMS Snap Shot indicator is a multi-factor, confluence-based system that combines momentum (RSI, Stochastic RSI), trend (EMA, MACD), and optional filters (volume, MACD histogram, session time) to identify high-probability trade setups. Signals are only triggered when all enabled conditions align, giving the trader a filtered, visually clear entry signal.
This indicator uses an optional 'look-back' feature where in it will signal an entry based on the recency of specified cross events.
To use the indicator, select which technical indicators you wish to filter, the session you wish to apply (default is 9:30am - 4pm EST, based on your chart time settings), and if which cross events you wish to trigger a reset on the cooldown.
The default settings filter the 4 major technical indicators (RSI, EMAs, MACD, Stochastic RSI) but optional filters exist to further fine tune Stochastic Range, MACD momentum and strength, and volume, with optional visual cues for MACD position, Stochastic RSI position, and volume.
EMAs can be drawn on the chart from this indicator with optional shaded background.
This indicator is an alternative to REMS First Strike, which uses a recency filter instead of a cool down.
Aggressive Phase + Daily Buy Visual Screener — v6Aggressive Phase + Daily Buy Visual Screener — v6 for bullish, neutral and bearish zone identification
REMS First Strike OverlayThe REMS First Strike indicator is a multi-factor, confluence-based system that combines momentum (RSI, Stochastic RSI), trend (EMA, MACD), and optional filters (volume, MACD histogram, session time) to identify high-probability trade setups. Signals are only triggered when all enabled conditions align, giving the trader a filtered, visually clear entry signal.
This indicator uses an optional 'cool down' feature where in it will signal an entry only after any of the specified cross events occur.
To use the indicator, select which technical indicators you wish to filter, the session you wish to apply (default is 9:30am - 4pm EST, based on your chart time settings), and if which cross events you wish to trigger a reset on the cooldown.
The default settings filter the 4 major technical indicators (RSI, EMAs, MACD, Stochastic RSI) but optional filters exist to further fine tune Stochastic Range, MACD momentum and strength, and volume, with optional visual cues for MACD position, Stochastic RSI position, and volume.
EMAs can be drawn on the chart from this indicator with optional shaded background.
This indicator is an alternative to REMS Snap Shot, which uses a recency filter instead of a cool down.
TF + Ticker (vahab)Fixed Timeframe Display with Custom Colors & Size
This indicator displays the current chart timeframe in the bottom-right corner with clear formatting. Features include:
Automatic conversion of minute-based timeframes to hours (e.g., 60 → 1H, 240 → 4H).
Distinguishes seconds, minutes, hours, and daily/weekly/monthly timeframes.
Fully customizable colors for each type of timeframe.
Adjustable font size for readability.
Simple, stable, and lightweight overlay.
Perfect for traders who want an easy-to-read timeframe display without cluttering the chart.
EMA Crossover Buy/Sell with Switchable TimeframeCreated to Set a buy and Sell SIgnal Off the 15m TF/ with the Ema's set to 1 and 7. will kick the signal 1 candle before the move or on the move itself.
ICT First Presented FVG - Multi-SessionsFirst presented fvg in all sessions, all timeframes
Haven't fixed the volume imbalance feature yet, if you know how to let me know!
🏆 AI Gold Master IndicatorsAI Gold Master Indicators - Technical Overview
Core Purpose: Advanced Pine Script indicator that analyzes 20 technical indicators simultaneously for XAUUSD (Gold) trading, generating automated buy/sell signals through a sophisticated scoring system.
Key Features
📊 Multi-Indicator Analysis
Processes 20 indicators: RSI, MACD, Bollinger Bands, EMA crossovers, Stochastic, Williams %R, CCI, ATR, Volume, ADX, Parabolic SAR, Ichimoku, MFI, ROC, Fibonacci retracements, Support/Resistance, Candlestick patterns, MA Ribbon, VWAP, Market Structure, and Cloud MA
Each indicator generates BUY (🟢), SELL (🔴), or NEUTRAL (⚪) signals
⚖️ Dual Scoring Systems
Weighted System: Each indicator has configurable weights (10-200 points, total 1000), with higher weights for critical indicators like RSI (150) and MACD (150)
Simple Count System: Basic counting of BUY vs SELL signals across all indicators
🎯 Signal Generation
Configurable thresholds for both systems (weighted score threshold: 400-600 recommended)
Dynamic risk management with ATR-based TP/SL levels
Signal strength filtering to reduce false positives
📈 Advanced Configuration
Customizable thresholds for all 20 indicators (RSI levels, Stochastic bounds, Williams %R zones, etc.)
Dynamic weight bonuses that adapt to dominant market trends
Risk management with configurable TP1/TP2 multipliers and stop losses
🎛️ Visual Interface
Real-time master table displaying all indicators, their values, weights, and current signals
Visual trading signals (triangles) with detailed labels
Optional TP/SL lines and performance statistics
💡 Optimization Features
Gold-specific parameter tuning
Trend analysis with configurable lookback periods
Volume spike detection and volatility analysis
Multi-timeframe compatibility (15m, 1H, 4H recommended)
The system combines traditional technical analysis with modern weighting algorithms to provide comprehensive market analysis specifically optimized for gold trading.
Ragazzi è una meraviglia, pronto all uso, già configurato provatelo divertitevi e fate tanti soldoni poi magari una piccola donazione spontanea sarebbe molto gradita visto il tempo, risorse e gli insulti della moglie che mi diceva che perdevo tempo, fatemi sapere se vi piace.
nel codice troverete una descrizione del funzionamento se vi vengono in mente delle idee per migliorarlo contattatemi troverete i mie contatti in tabella un saluto.
Indicador – Market In + TP +0.52% / SL -0.84% (USD) NEWindicator that is very comprehensive and detailed, working in real time for 1-, 2-, and 5-minute charts, marking on the chart and writing (Buy here) when it’s time to enter and (Sell here) when it’s time to exit the trade, always considering $0.02 above the entry price.
indicador no trading view de forma bem ampla e detalhada em tempo real para graficos de 1 / 2 e 5 mins apontando no grafico e escrevendo (Comprar aqui) quando for o momento de entrada e (Vender aqui) quando for o momento de sair da operação, sempre considerando 0,02 centavos acima do preço de entrada
Thiru TimeCyclesThiru TimeCycles Indicator: Overview and Features
Based on the provided Pine Script code (version 6), the "Thiru TimeCycles" indicator is a comprehensive, customizable tool designed for intraday traders, particularly those following Smart Money Concepts (SMC), ICT (Inner Circle Trader) methodologies, and time-based cycle analysis. It overlays session-based boxes, lines, and labels on charts to highlight key trading windows, ranges, and structural levels. The indicator is timezone-aware (default GMT-4, e.g., New York time) and focuses on killzones (high-volatility sessions), Zeussy-inspired 90-minute macro cycles, and 30-minute sub-cycles. It's optimized for timeframes below 4H, with automatic hiding on higher timeframes like 1D, 1W, 1M, or 1Y.
This indicator is ideal for forex, indices (e.g., Nasdaq futures like MNQ1!), stocks, and commodities, helping traders identify order flow, liquidity zones, and potential reversals within structured time cycles. It's built by Thiru Trades and includes educational elements like range tables and watermarks for a professional setup.
Core Purpose
Time Cycle Visualization: Breaks the trading day into repeatable cycles (e.g., 30-min, 90-min, and larger sessions) to anticipate market behavior, such as accumulation, manipulation, and distribution (AMD) phases.
Session Highlighting: Draws boxes and lines for major sessions (Asia, London, NY AM/PM, Lunch, Power Hour) to focus on high-probability "killzones."
Range and Pivot Analysis: Tracks highs/lows, midpoints, and ranges for each cycle/session, with optional alerts for breaks.
Customization Focus: Extensive inputs for colors, transparency, labels, and limits, making it adaptable for scalping, day trading, or swing setups.
Performance: Limits drawings to prevent chart clutter (e.g., max 500 boxes/lines/labels), with cutoff times to stop extensions (e.g., at 15:00).
Key Features
Here's a breakdown of the indicator's main components and functionalities, grouped by category:
Killzone Sessions (Standard Trading Windows):
Sessions Included: Asia (18:00-02:31), London (02:30-07:01), NY AM (07:00-11:31), Lunch (12:00-13:01), NY PM (11:30-16:01), Power Hour (15:00-16:01).
Visualization: Semi-transparent boxes (95% transparency default) with optional text labels (e.g., "London", "NY AM").
Pivots and Midpoints: Optional high/low pivot lines (solid style, extend until mitigated or cutoff), midpoints (dotted), and labels (e.g., "LO.H" for London High).
Alerts: Break alerts for pivots (e.g., "Broke London High").
Range Table: Optional table showing current and average ranges (over 5 sessions) for each killzone, positioned at top-right (customizable size/position).
Zeussy 90-Minute Macro Time Cycles:
Inspired By: Zeussy's time cycle theory (from X/Twitter), dividing sessions into 90-min phases starting at 02:30 NY time.
Cycles Included:
London: A (02:30-04:01, blue), M (04:00-05:31, red), D (05:30-07:01, green).
NY AM: A (07:00-08:31, blue), M (08:30-10:01, red), D (10:00-11:31, green).
NY PM/Lunch: A (11:30-13:01, blue), M (13:00-14:31, red), D (14:30-16:01, green).
Visualization: Boxes (90% transparency) with optional small labels ("London A", etc.) at the top of each box.
Extensions: High/low lines extend until broken or cutoff; optional equilibrium (EQ) levels.
Benefits: Helps identify AMD phases within larger sessions; focus on NY AM/PM for best results (Asia/London for global traders).
Zeussy 30-Minute Sub-Cycles:
Sub-Division: Further breaks 90-min cycles into 30-min segments (e.g., London A: A1 02:30-03:01, A2 03:00-03:31, A3 03:30-04:01).
All Sub-Cycles: 18 total (3 per macro cycle across London A/M/D, NY AM A/M/D, NY PM A/M/D).
Visualization: Optional boxes (90% transparency, hidden text by default) with small labels (e.g., "A1", "M1") at the bottom.
Customization: Separate show/hide toggle and label size (default "Small"); can divide further into 10-min if needed via presets.
Use Case: For finer granularity in scalping; shows order flow within macros (e.g., support at previous low after break).
Day Range Divider:
Vertical Separators: Dotted lines (custom color/width/style) at midnight (00:00) for each trading day (Mon-Fri only).
Day Labels: Monday-Friday labels (e.g., "Monday" with letter-spacing) positioned at the top of the chart (0.1% above high, updated dynamically).
Limits: Up to 5 days (customizable); hides on timeframes >=4H (1D, 1W, 1M, 1Y) to avoid clutter.
Offset: Labels above day-high by ticks (default 20); no weekend labels.
Fix Applied: Labels now consistently at top (using high * 1.001 for y-position); removed middle adjustments.
Day/Week/Month (DWM) Levels:
Opens, Highs/Lows, Separators: Lines for daily/weekly/monthly opens (dotted), previous highs/lows (solid), and vertical separators.
Unlimited Mode: Optional to show all history (otherwise limited by max_days).
Alerts: For high/low breaks (e.g., "Hit PDH").
Labels: Optional "D.O", "PWH" (previous week high), etc., with right-side extension.
Opening Prices and Vertical Timestamps:
Custom Opens: Up to 8 user-defined session opens (e.g., DC Open 18:00, 00:00, 09:30) with horizontal lines (dotted).
Vertical Lines: Up to 4 timestamps (e.g., 17:00, 08:00) with extend-both.
Unlimited: Optional to ignore drawing limits.
Range and Statistics Table:
Display: Top-right table (custom position/size) showing current range, average range (over 5 sessions), and min days stored for all enabled killzones/cycles.
Color-Coded: Rows highlight active sessions (e.g., Asia row in purple if active).
Toggle: Show/hide averages; updates on last bar.
Watermark and UI Enhancements:
Custom Watermark: Title ("ㄒ卄丨尺ㄩ"), subtitle ("PATIENCE | COURAGE | WISDOM"), symbol info (ticker + timeframe + date), positioned top-center/bottom-left.
Customization: Colors, sizes (tiny to huge), alignment (left/center/right), transparency.
Settings Groups: Organized into Settings, Killzones, Zeussy 90Min, Zeussy 30Min, Day Range Divider, Watermark, Pivots, Range, DWM, Opens, Vertical.
Performance and Limits:
Timeframe Limit: Hides drawings on >=240min (4H); Day Range hides on >=4H.
Drawing Limits: Max 1-5 days per type (boxes, lines, labels); auto-deletes old ones.
Cutoff: Optional stop at 15:00-15:01 for pivots/opens.
Alerts: Pivot breaks, high/low hits; freq once per bar.
Transparency: Separate for boxes (90-95%) and text (20-75%).
FVG TrackerThis indicator automatically detects and tracks Fair Value Gaps (FVGs) on your chart, helping you quickly spot imbalances in price action.
Key Features:
📍 Identifies FVGs larger than 3 contracts
📐 Draws each valid FVG as a rectangle directly on the chart
⏳ Removes FVGs once they are fully filled
🔟 Keeps track of only the 10 most recent FVGs for clarity
⚡ Lightweight and optimized for real-time charting
This tool is ideal for traders who use FVGs as part of Smart Money Concepts (SMC) or imbalance-based strategies. By visually highlighting only meaningful gaps and clearing them once filled, it ensures a clean and actionable charting experience.
Snapfront Clarity PulseThe Clarity Pulse is a lightweight Snapfront oscillator that highlights when markets move from noisy and chaotic into clean, tradable clarity zones. It combines simple return, drift, and volume dynamics, then maps them through a φ²-based sigmoid for smooth, intuitive signals.
Features:
📊 Clean 0–100 clarity scale
🌈 Color-coded line + background shading (green = high clarity, red = noise)
📈 Alert conditions when crossing into high or low clarity regimes
⚡ Minimalist design, optimized for speed and simplicity
How to Use:
✅ When the Pulse enters the high clarity zone, trends are stronger and signals are more reliable.
❌ When it drops into the low clarity zone, conditions are noisy and prone to chop.
Use as a filter alongside your existing strategy or as a quick market condition gauge.