EMA Order IndicatorPaints background as per the EMA order.
White when there is no order / mixed.
Red when bearish order
Green when bullish order
Indicatori e strategie
ALMA HẰNG DIỄM @//@version=5
indicator("ALMA Đa khung thời gian", overlay=true)
// Hàm ALMA tùy chỉnh
f_alma(src, len, offset, sigma) =>
m = math.floor(offset * (len - 1))
s = len > 1 ? len - 1 : 1
norm = 0.0
sum = 0.0
for i = 0 to len - 1
w = math.exp(-(math.pow(i - m, 2)) / (2 * math.pow(sigma, 2)))
norm := norm + w
sum := sum + src * w
sum / norm
// Tham số người dùng
alma_len_short = input.int(9, title="Chu kỳ ngắn")
alma_len_long = input.int(50, title="Chu kỳ dài")
alma_offset = input.float(0.85, title="Offset")
alma_sigma = input.float(6.0, title="Sigma")
// ALMA hiện tại (khung đang xem)
alma_short = f_alma(close, alma_len_short, alma_offset, alma_sigma)
alma_long = f_alma(close, alma_len_long, alma_offset, alma_sigma)
// ALMA khung D1
alma_d1_short = request.security(syminfo.tickerid, "D", f_alma(close, alma_len_short, alma_offset, alma_sigma))
alma_d1_long = request.security(syminfo.tickerid, "D", f_alma(close, alma_len_long, alma_offset, alma_sigma))
// ALMA khung W1
alma_w1_short = request.security(syminfo.tickerid, "W", f_alma(close, alma_len_short, alma_offset, alma_sigma))
alma_w1_long = request.security(syminfo.tickerid, "W", f_alma(close, alma_len_long, alma_offset, alma_sigma))
// Vẽ biểu đồ
plot(alma_short, color=color.orange, title="ALMA Ngắn (Hiện tại)")
plot(alma_long, color=color.blue, title="ALMA Dài (Hiện tại)")
plot(alma_d1_short, color=color.green, title="ALMA Ngắn (D1)", linewidth=1)
plot(alma_d1_long, color=color.red, title="ALMA Dài (D1)", linewidth=1)
plot(alma_w1_short, color=color.purple, title="ALMA Ngắn (W1)", linewidth=1)
plot(alma_w1_long, color=color.gray, title="ALMA Dài (W1)", linewidth=1)
// Chênh lệch ALMA hiện tại
plot(alma_short - alma_long, title="Chênh lệch ALMA", color=color.fuchsia, style=plot.style_columns)
Fractal Model (TTrades)Fractal Model - Higher Timeframe Analysis with TTFM Labeling
A higher timeframe candle visualization tool enhanced with TTFM (The Fractal Model) labeling system for pivot-based price action analysis, made popular by Youtuber TTrades
What This Script Does:
This indicator displays higher timeframe candles on your current chart and identifies key pivot formations using the TTFM labeling system. It helps traders understand market structure and potential reversal points through systematic pivot analysis.
Key Features:
Higher Timeframe Visualization : Shows HTF candles without switching timeframes
TTFM Labeling System : Identifies pivot components with C2, C3, and C4 labels
T-Spot Detection : Marks areas where price is likely to form wicks based on pivot logic
Sweep Confirmation : Detects when price sweeps previous levels but closes opposite
Fair Value Gap Detection : Identifies imbalance zones between candle ranges
Alert System : Sends alerts when T-spot formations are confirmed using pivot logic
Silver T-Spot Alerts : Special alerts during specific market hours
How TTFM Labeling Works:
The TTFM system labels pivot formations based on their structure:
C2 : The candle that "sticks out" - the initial move that creates the pivot
C3 / C4 : The distribution candle that continues the reversal (standard pivots)
Alert System:
The indicator provides alerts when:
T-spot formations are created and confirmed
Price sweeps tspot levels with proper confirmation (This signal tries to alert you when a potential wick has formed in the tspot location
Silver T-spot patterns occur during specific market hours
T-spot sweep confirmations are triggered
Practical Usage:
Add the indicator to your chart
Watch for T-spot formations (highlighted zones)
Look for C2, C3, C4 labels to understand pivot structure
Use sweep confirmations for entry timing
Set up alerts for T-spot confirmations and sweeps
Technical Implementation:
Logarithmic Midpoint Calculation:
The T-spot levels are calculated using logarithmic midpoint analysis:
Log Values : log_high = ln(high), log_low = ln(low), log_open = ln(open), log_close = ln(close)
Wick Analysis : upper_wick = log_high - max(log_open, log_close), lower_wick = min(log_open, log_close) - log_low
Body Size : body_size = |log_close - log_open|
Midpoint Logic : If max(upper_wick, lower_wick) > body_size, use wick-based midpoint; otherwise use (log_high + log_low)/2
Final Level : T-spot level = exp(log_mid_level)
T-Spot Formation Conditions:
Standard Bearish : last_closed.h > prev_closed.h AND last_closed.c < prev_closed.h
Standard Bullish : last_closed.l < prev_closed.l AND last_closed.c > prev_closed.l
Expansive Bearish : prev_closed.h > prev_prev_closed.h AND last_closed.c < max(prev_closed.o, prev_closed.c)
Expansive Bullish : prev_closed.l < prev_prev_closed.l AND last_closed.c > min(prev_closed.o, prev_closed.c)
Pro-trend Bearish : last_closed.h > mid_level AND last_closed.h < prev_closed.o AND last_closed.c < prev_closed.l
Pro-trend Bullish : last_closed.l < mid_level AND last_closed.l > prev_closed.o AND last_closed.c > prev_closed.h
Sweep Confirmation Logic:
Pivot Detection : Uses ta.pivothigh(high, 1, 2) and ta.pivotlow(low, 1, 2)
Touch Detection : Price must touch T-spot level (high > level OR open > level) AND close opposite
Confirmation Requirements : Pivot must form before touch, close must break beyond pivot level
Alert Trigger : Sweep confirmed when all conditions are met
Silver T-Spot Conditions:
Special T-spots during specific market hours (4th-5th candle of day or 4th candle after 1PM ET) with additional confirmation requirements.
HTF Auto-Detection:
Automatically selects appropriate higher timeframes: 1m→15m, 3m→30m, 5m→1h, 15m→4h, 30m-1h→1D, 4h-8h→1W, 1D→1M.
Based on HTF Candles by Fadi, enhanced with T-spot detection, sweep logic, TTFM labeling system, and comprehensive alert functionality.
Note: This tool is for educational purposes and should be used in conjunction with proper risk management and market analysis.
Pre‑Market Cumulative VolumeDescription:
This indicator plots the cumulative trading volume for the pre‑market session on intraday charts. It automatically detects when a bar is part of the extended pre‑market period using TradingView’s built‑in session variables, starts a new running total at the first pre‑market bar of each day, and resets at the beginning of regular trading hours. During regular market hours or the post‑market session, the indicator does not display values.
To use this script effectively, ensure extended‑hour data is enabled on the chart, and select an intraday timeframe where pre‑market data is available. The result is a simple yet powerful tool for monitoring cumulative pre‑market activity.
How to use
Add the script to a chart and make sure you are on an intraday timeframe (e.g., 1‑min, 5‑min). Extended‑hour data must be enabled; otherwise session.ispremarket will always be false.
During each pre‑market session, the indicator will reset at the first pre‑market bar and then accumulate the volume of subsequent pre‑market bars.
Outside the pre‑market (regular trading hours and post‑market), the plot outputs na, so it does not draw on those bars.
Customization (optional)
If you want to define your own pre‑market times instead of relying on TradingView’s built‑in session, you can replace the isPreMarket line with a time‑range check. For example, isPreMarket = not na(time(timeframe.period, "0400-0930")) detects bars between 04:00 and 09:30 (U.S. Eastern time). You can parameterize the session string with input.session("0400-0930", "Pre‑Market Session") to let users adjust it.
OrderBlock / FVG / BoS / Pivots (Multi-Tools) v 1.3Questo indicatore identifica e visualizza diversi pattern di price action utilizzati nel trading Smart Money Concepts (SMC). Ecco cosa fa:
Funzionalità Principali
-Order Blocks (OB) - Identifica blocchi di ordini istituzionali dove il prezzo potrebbe rimbalzare
-Fair Value Gaps (FVG) - Rileva gap di prezzo che potrebbero essere riempiti
-Break of Structure (BoS) - Segnala rotture di strutture di mercato importanti
-Rejection Blocks (RJB) - Trova zone di rifiuto del prezzo
-Premium Premium Discount Discount (PPDD) - Identifica order blocks formati dopo sweep di liquidità
Caratteristiche Aggiuntive
-Pivot Points - Visualizza massimi e minimi di mercato
-High Volume Bars - Evidenzia candele con volume anomalo
-Stacked OB+FVG - Segnala quando order block e fair value gap si sovrappongono
Personalizzazione
L'indicatore offre controlli completi per:
-Colori personalizzabili per ogni elemento
-Numero massimo di box visualizzabili
-Trasparenza e stili dei bordi
-Etichette e dimensioni
-Opzioni per evidenziare zone "mitigate" (già testate dal prezzo)
È uno strumento molto utile per trader che seguono la metodologia "Smart Money" e cercano di identificare dove gli operatori istituzionali potrebbero aver piazzato i loro ordini.
////////////////////////////////////////////////////////////////////////////////
This indicator identifies and displays various price action patterns used in Smart Money Concepts (SMC) trading. Here's what it does:
Main Features
-Order Blocks (OB) - Identifies institutional order blocks where the price could bounce
-Fair Value Gaps (FVG) - Detects price gaps that could be filled
-Break of Structure (BoS) - Alerts breakouts of important market structures
-Rejection Blocks (RJB) - Finds price rejection zones
-Premium Premium Discount Discount (PPDD) - Identifies order blocks formed after liquidity sweeps
Additional Features
-Pivot Points - Displays market highs and lows
-High Volume Bars - Highlights candles with abnormal volume
-Stacked OB+FVG - Alerts when order blocks and fair value gaps overlap
Customization
The indicator offers complete controls for:
-Customizable colors for each element
-Maximum number of displayable boxes
-Transparency and border styles
-Labels and sizes
-Options to highlight "mitigated" zones (already tested by the price)
It's a tool Very useful for traders following the "Smart Money Concepts" and trying to identify where institutional traders may have placed their orders.
Pre‑Market Cumulative VolumeDescription:
This indicator plots the cumulative trading volume for the pre‑market session on intraday charts. It automatically detects when a bar is part of the extended pre‑market period using TradingView’s built‑in session variables, starts a new running total at the first pre‑market bar of each day, and resets at the beginning of regular trading hours. During regular market hours or the post‑market session, the indicator does not display values.
To use this script effectively, ensure extended‑hour data is enabled on the chart, and select an intraday timeframe where pre‑market data is available. The result is a simple yet powerful tool for monitoring cumulative pre‑market activity.
How to use
Add the script to a chart and make sure you are on an intraday timeframe (e.g., 1‑min, 5‑min). Extended‑hour data must be enabled; otherwise session.ispremarket will always be false.
During each pre‑market session, the indicator will reset at the first pre‑market bar and then accumulate the volume of subsequent pre‑market bars.
Outside the pre‑market (regular trading hours and post‑market), the plot outputs na, so it does not draw on those bars.
Customization (optional)
If you want to define your own pre‑market times instead of relying on TradingView’s built‑in session, you can replace the isPreMarket line with a time‑range check. For example, isPreMarket = not na(time(timeframe.period, "0400-0930")) detects bars between 04:00 and 09:30 (U.S. Eastern time). You can parameterize the session string with input.session("0400-0930", "Pre‑Market Session") to let users adjust it.
Ramen & OJ V1Ramen & OJ V1 — Strategy Overview
Ramen & OJ V1 is a mechanical price-action system built around two entry archetypes—Engulfing and Momentum—with trend gates, session controls, risk rails, and optional interval take-profits. It’s designed to behave the same way you’d trade it manually: wait for a qualified impulse, enter with discipline (optionally on a measured retracement), and manage the position with clear, rules-based exits.
Core Idea (What the engine does)
At its heart, the strategy looks for a decisive candle, then trades in alignment with your defined trend gates and flattens when that bias is no longer valid.
Entry Candle Type
Engulfing: The body of the current candle swallows the prior candle’s body (classic momentum shift).
Momentum: A simple directional body (close > open for longs, close < open for shorts).
Body Filter (lookback): Optional guard that requires the current body to be at least as large as the max body from the last N bars. This keeps you from chasing weak signals.
Primary MA (Entry/Exit Role):
Gate (optional): Require price to be above the Primary MA for longs / below for shorts.
Exit (always): Base exit occurs when price closes back across the Primary MA against your position.
Longs: qualifying bullish candle + pass all enabled filters.
Shorts: mirror logic.
Entries (Impulse vs. Pullback)
You choose how aggressive to be:
Market/Bars-Close Entry: Fire on the bar that confirms the signal (respecting filters and sessions).
Retracement Entry (optional): Instead of chasing the close, place a limit around a configurable % of the signal candle’s range (e.g., 50%). This buys the dip/sells the pop with structure, often improving average entry and risk.
Flip logic is handled: when an opposite, fully-qualified signal appears while in a position, the strategy closes first and then opens the new direction per rules.
Exits & Trade Management
Primary Exit: Price closing back across the Primary MA against your position.
Interval Take-Profit (optional):
Pre-Placed (native): Automatically lays out laddered limit targets every X ticks with OCO behavior. Each rung can carry its own stop (per-rung risk). Clean, broker-like behavior in backtests.
Manual (legacy): Closes slices as price steps through the ladder levels intrabar. Useful for platforms/brokers that need incremental closes rather than bracketed OCOs.
Per-Trade Stop: Choose ticks or dollars, and whether the $ stop is per position or per contract. When pre-placed TP is on, each rung uses a coordinated OCO stop; otherwise a single hard stop is attached.
Risk Rails (Session P&L Controls)
Session Soft Lock: When a session profit target or loss limit is hit, the strategy stops taking new trades but does not force-close open positions.
Session Hard Lock: On reaching your session P&L limit, all orders are canceled and the strategy flattens immediately. No new orders until the next session.
These rails help keep good days good and bad days survivable.
Filters & How They Work Together
1) Trend & Bias
Primary MA Gate (optional): Only long above / only short below. This keeps signals aligned with your primary bias.
Primary MA Slope Filter (optional): Require a minimum up/down slope (in degrees over a defined bar span). It’s a simple way to force impulse alignment—green light only when the MA is actually moving up for longs (or down for shorts).
Secondary MA Filter (optional): An additional trend gate (SMA/EMA, often a 200). Price must be on the correct side of this higher-timeframe proxy to trade. Great for avoiding countertrend picks.
How to combine:
Use Secondary MA as the “big picture” bias, Primary MA gate as your local regime check, and Slope to ensure momentum in that regime. That three-layer stack cuts a lot of chop.
2) Volatility/Exhaustion
CCI Dead Zone Filter (optional): Trades only when CCI is inside a specified band (default ±200). This avoids entries when price is extremely stretched; think of it as a no-chase rule.
TTM Squeeze Filter (optional): When enabled, the strategy avoids entries during a squeeze (Bollinger Bands inside Keltner Channels). You’re effectively waiting for the release, not the compression itself. This plays nicely with momentum entries and the slope gate.
How to combine:
If you want only the clean breaks, enable Slope + Squeeze; if you want structure but fewer chases, add CCI Dead Zone. You’ll filter out a lot of low-quality “wiggle” trades.
3) Time & Market Calendar
Sessions: Up to two session windows (America/Chicago by default), with background highlights.
Good-Till-Close (GTC): When ON, trades can close outside the session window; when OFF, all positions are flattened at session end and pending orders canceled.
Market-Day Filters: Skip US listed holidays and known non-full Globex days (e.g., Black Friday, certain eves). Cleaner logs and fewer backtest artifacts.
How to combine:
Run your A-setup window (e.g., cash open hour) with GTC ON if you want exits to obey system rules even after the window, or GTC OFF if you want the book flat at the bell, no exceptions.
Practical Profiles (mix-and-match presets)
Trend Rider: Primary MA gate ON, Slope filter ON, Secondary MA ON, Retracement ON (50%).
Goal: Only take momentum that’s already moving, buy the dip/sell the pop back into trend.
Structure-First Pullback: Primary MA gate ON, Secondary MA ON, CCI Dead Zone ON, Retracement 38–62%.
Goal: Filter extremes, use measured pullbacks for better R:R.
Break-Only Mode: Slope ON + Squeeze filter ON (avoid compression), Body filter ON with short lookback.
Goal: Only catch clean post-compression impulses.
Session Scalper: Tight session window, GTC OFF, Interval TP ON (small slices, short rungs), per-trade tick stop.
Goal: Quick hits in a well-defined window, always flat after.
Automation Notes
The system is built with intrabar awareness (calc_on_every_tick=true) and supports bracket-style behavior via pre-placed interval TP rungs. For webhook automation (e.g., TradersPost), keep chart(s) open and ensure alerts are tied to your order events or signal conditions as implemented in your alert templates. Always validate live routing with a small-size shakedown before scaling.
Tips, Caveats & Good Hygiene
Intrabar vs. Close: Backtests can fill intrabar where your broker might not. The pre-placed mode helps emulate OCO behavior but still depends on feed granularity.
Slippage & Fees: Set realistic slippage/commission in Strategy Properties to avoid fantasy equity curves.
Session Consistency: Use the correct timezone and verify that your broker’s session aligns with your chart session settings.
Don’t Over-stack Filters: More filters ≠ better performance. Start with trend gates, then add one volatility filter if needed.
Disclosure
This script is for educational purposes only and is not financial advice. Markets carry risk; only trade capital you can afford to lose. Test thoroughly on replay and paper before using any automated routing.
TL;DR
Identify a decisive candle → pass trend/vol filters → (optionally) pull back to a measured limit → scale out on pre-planned rungs → exit on Primary MA break or session rule. Clear, mechanical, repeatable.
Precision Candle Marker – OL/OH/OC ScreenerThis indicator highlights high-probability precision candles on any perpetual contract, designed especially for scalpers and short-term traders.
It marks three unique candle setups on the 1-minute chart (works on other timeframes too):
🟢 Open = Low (OL) → Strong bullish momentum, buyers took control instantly.
🔴 Open = High (OH) → Strong bearish momentum, sellers took control instantly.
🔵 Open = Close (OC) → Doji / indecision candle, potential reversal or continuation signal.
Use cases:
Identify breakout entry points in uptrend/downtrend.
Filter noise and focus on precision candles.
Combine with trend indicators (EMA, VWAP, RSI) for confirmation.
This tool is best suited for scalping perpetual contracts (e.g., BTCUSDT, ETHUSDT) but works on any symbol and timeframe.
MomentumQ DashMomentumQ Dash – Multi-Timeframe & Watchlist Dashboard
The MomentumQ Dash is a professional dashboard-style indicator designed to help traders quickly evaluate market conditions across multiple timeframes and assets.
Unlike single-signal tools, MomentumQ Dash consolidates market regime, buy/sell conditions, and pre-signal alerts into an easy-to-read table, allowing traders to stay focused on actionable setups without flipping between charts.
All signals displayed in MomentumQ Dash are derived from the MomentumQ Oscillator (MoQ Osci) , our proprietary tool designed to identify momentum shifts and adaptive buy/sell conditions. By integrating these signals into a dashboard format, MomentumQ Dash provides a structured overview of the market that is both comprehensive and easy to interpret.
A unique advantage of this tool is the dual-table system:
A timeframe table that tracks the current symbol across five user-defined timeframes.
A watchlist table that monitors up to five different assets on the same timeframe.
This combination gives traders a complete market overview at a glance, supporting both intraday and higher-timeframe strategies.
Key Features
1. Multi-Timeframe Signal Dashboard
Tracks buy, sell, pre-buy, and pre-sell conditions for up to 5 configurable timeframes.
Highlights market regime (Bull/Bear) with background colors for quick visual recognition.
Displays the last detected signal and how many bars ago it occurred.
2. Watchlist Asset Table
Monitor up to 5 custom symbols (e.g., indices, commodities, crypto pairs) in one view.
Independent timeframe selection for the watchlist table.
Clean symbol display with exchange prefixes automatically removed.
3. Flexible Layout & Theme Integration
Choice of table position (Top Right, Middle Right, Bottom Right) for each table.
Light/Dark mode setting for seamless chart integration.
Compact, minimal design to avoid clutter.
4. MoQ Osci Signal Engine
Signals are powered by the MomentumQ Oscillator (MoQ Osci), which uses adaptive momentum analysis.
Identifies early pre-signals (potential setup zones) as well as confirmed buy/sell events.
Helps traders recognize transitions in market structure without lagging indicators.
How It Works
Timeframe Analysis
The indicator calculates MoQ Osci signals on each timeframe.
When price deviates beyond upper/lower adaptive thresholds, buy/sell signals are generated.
Pre-signals are displayed when price approaches these zones, offering early alerts.
Trend Regime Detection
Regime is derived from MoQ Osci’s momentum distance relative to its adaptive mean.
Bull regime = positive momentum bias; Bear regime = negative momentum bias.
This provides a simple but reliable context for trade direction.
Watchlist Tracking
Signals are calculated identically for each custom symbol selected by the user.
Results are presented in a compact table, making it easy to spot alignment or divergence across markets.
How to Use This Indicator
Use the Timeframe Table to align intraday setups with higher-timeframe context.
Monitor the Watchlist Table to track correlated assets (e.g., SPX, NDX, VIX, Oil, Gold).
Pay attention to pre-buy / pre-sell warnings for early setup confirmation.
Use the “Last” column to quickly check the most recent signal and its timing.
Combine with your existing price action strategy to validate entries and exits.
This indicator works on all TradingView markets: Forex, Stocks, Crypto, Futures, and Commodities.
Why Is This Indicator Valuable?
Provides a complete dashboard view of market conditions in one place.
Combines multi-timeframe confirmation with multi-asset monitoring .
Signals are based on the proven MoQ Osci tool , ensuring consistency across strategies.
Saves time and reduces the need to constantly switch charts.
Fully customizable to match any trading workflow.
Example Trading Approaches
1. Multi-Timeframe Alignment
Wait for a buy signal on the lower timeframe (e.g., 15m) while the higher timeframe (1h/4h) is in Bull regime.
Enter long with higher-timeframe confirmation, improving trade probability.
2. Cross-Market Confirmation
If SPX and NDX both trigger sell signals while VIX shows a buy, this may confirm risk-off sentiment.
Use this confluence to support trade decisions in equities or correlated markets.
3. Pre-Signal Monitoring
Watch for PB (Pre-Buy) or PS (Pre-Sell) warnings before confirmed signals.
These can highlight potential breakout or reversal zones before they occur.
Disclaimer
This indicator is a technical analysis tool and does not guarantee profits.
It should be used as part of a complete trading plan that includes risk management.
Past performance is not indicative of future results.
Bullish_Mayank_entry_Indicator with AlertsThis indiucator gives buy signal alerts using EMAs, RSI & Weighted Moving Average of RSI & also multiframe analysis
Volitility Nasdaq Buy/Sell Indicator�� THE BUY & SELL STRATEGY
�� BUY SIGNALS: "BUY THE FEAR"
When VIX/VXN Spike = Market Bottom Opportunity
🔴 SELL SIGNALS: "SELL THE COMPLACENCY"
When VIX/VXN Collapse = Market Top Warning
�� BUY SIGNALS: "BUY THE FEAR"
When VIX/VXN Spike = Market Bottom Opportunity
✅ VIX > 80th percentile (extreme fear)
✅ Above 2σ mean reversion bands (oversold)
✅ Volatility trending higher (panic accelerating)
✅ Options flow bullish (smart money buying)
✅ Market breadth oversold (selling exhaustion)
✅ Currency flows risk-off (flight to safety)
✅ Yield curve steepening (growth expectations)
✅ No economic events (clean setup)
✅ Price above VWAP (institutional support)
✅ Quality score 8+/10 (premium setup)
Result: Buy market dips when fear is extreme but fundamentals support recovery
🔴 SELL SIGNALS: "SELL THE COMPLACENCY"
When VIX/VXN Collapse = Market Top Warning
✅ VIX < 20th percentile (extreme complacency)
✅ Below 2σ mean reversion bands (overbought)
✅ Volatility trending lower (complacency growing)
✅ Options flow bearish (smart money selling)
✅ Market breadth overbought (euphoric buying)
✅ Currency flows risk-on (excessive optimism)
✅ Yield curve flattening (growth concerns)
✅ No economic events (clean setup)
✅ Price below VWAP (institutional selling)
✅ Quality score 8+/10 (premium setup)
Result: Sell market rallies when complacency is extreme and reversal risk is high
�� THE PERFORMANCE EDGE
�� STATISTICAL ADVANTAGE
Traditional VIX Indicators: 35-40% accuracy
Our World-Class System: 85-90% accuracy
False Signal Reduction: 70-80% fewer bad trades
Adaptive Intelligence: Works in any market condition
Professional Grade: Institutional-quality analysis
🎯 RECOMMENDED TIMEFRAMES
🥇 15-Minute Charts: Best balance (85-90% accuracy)
�� 5-Minute Charts: For scalping (80-85% accuracy)
🥉 1-Hour Charts: For swing trading (90-95% accuracy)
🏅 WHO THIS IS FOR
✅ Day Traders: Precise intraday volatility entries
✅ Swing Traders: Multi-day volatility cycles
✅ Options Traders: VIX timing for options strategies
✅ Portfolio Managers: Risk-on/risk-off positioning
✅ Hedge Funds: Professional volatility trading
✅ Retail Traders: Access to institutional tools
�� THE COMPETITIVE ADVANTAGE
What You Get:
🎯 9-Layer Confirmation System - Only highest-probability setups
📊 Dynamic External Data - Real-time market context
⚡ Auto-Timeframe Adaptation - Works on any timeframe
🛡️ Economic Event Filtering - Avoids Fed meeting traps
📈 Professional Quality Scoring - 1-10 scale with bonuses
�� Detailed Alerts - Complete context in every notification
📋 Live Dashboard - Real-time status monitoring
🎨 Professional UI - Clean, institutional appearance
�� THE VALUE PROPOSITION
Instead of:
❌ Guessing at VIX levels
❌ Getting whipsawed by false signals
❌ Missing crucial market context
❌ Using amateur tools
❌ Losing money on bad setups
You Get:
✅ 90%+ Accuracy with proper settings
✅ Institutional-Grade Analysis
✅ Multi-Asset Confirmation
✅ Dynamic Adaptation
✅ Professional Results
🎯 THE BOTTOM LINE
This isn't just another VIX indicator.
This is a complete volatility trading system that gives you the same edge institutional traders use.
With 85-90% accuracy, dynamic adaptation, and professional-grade analysis, you'll finally have the tools to trade volatility like a pro.
🔥 GET STARTED TODAY
Ready to transform your volatility trading?
Ready to buy fear and sell complacency with precision?
Ready to join the ranks of professional volatility traders?
The World-Class VIX/VXN Indicator is your gateway to institutional-level trading performance.
Don't trade volatility with amateur tools. Trade it like a professional.
"The market rewards those who can read volatility correctly. This system gives you that edge."
Weinstein Stage Analyzer — Table Only (more padding)What it does
This indicator applies Stan Weinstein’s Stage Analysis (Stages 1–4) and presents the result in a clean, compact table only—no lines, labels, or overlays. It shows:
• Previous Stage
• Current Stage (with Early / Mature / Late tag)
• Duration (how long price has been in the current stage, in HTF bars)
• Sentiment (Bullish / Bearish / Balanced / Cautious, derived from stage & maturity)
Timeframe-aware logic
• Weekly charts: classic 30-period MA (Weinstein’s original 30-week concept).
• Daily & Intraday: computed on Daily 150 as a practical daily translation of the 30-week idea.
• Monthly: ~7-period MA (~30 weeks ≈ 7 months).
The stage classification itself is evaluated on this HTF context and then displayed on your active chart.
EMA/SMA toggle
Choose EMA (default) or SMA for the trend line used in stage detection.
How stages are decided (practical rules)
• Stage 2 (Advance): MA rising with price above an upper band.
• Stage 4 (Decline): MA falling with price below a lower band.
• Flat MA zones become Stage 1 (Base) or Stage 3 (Top) depending on the prior trend.
“Maturity” tags (Early/Mature/Late) come from run length and extension beyond the band.
Inputs you can tweak
• MA Type: EMA / SMA
• Price Band (±%) and Slope Threshold to tighten/loosen stage flips
• Maturity thresholds: min/max bars & late-extension %
Notes
• Duration is for the entire current stage (e.g., total time in Stage 4), not just the maturity slice.
• A Top Padding Rows input is included to nudge the table lower if it overlaps your OHLC readout.
Disclaimer
For educational use only. Not financial advice. Always confirm with your own analysis, risk management, and market context.
Bullish_Mayank_entry_IndicatorThis indicator works on finding bullish momemtum using EMAs, RSIs amd Weighted Moving Average of RSI
Quantel.io Swing ProEnters near swing highs/lows to ride short- to medium-term trends for big overnight futures gains.
First X Hours – Daily & Weekly (Auto-DST, Midlines & Labels)Description
This indicator automatically plots the High, Low, and optional Midline of the first X trading hours for both the Daily and Weekly sessions. It is designed for traders who want to quickly identify early-session ranges and key levels that often act as intraday or intraweek support/resistance zones.
✅ Features:
Works for both Daily and Weekly sessions (enable/disable individually).
Fully configurable: choose how many hours to include (e.g., 8 hours).
Adjustable start time (hour) and automatic DST handling using named timezones (e.g., Europe/London, New York, Sydney).
Customizable line colours, thickness, and styles.
Optional midline (average of high & low) for range balance levels.
Optional labels with price tags for clear visibility.
Lines can be extended to the right for forward-projection.
🔎 Use cases:
Identify early-session ranges that may define the trading day or week.
Track breakouts above/below first-X-hours ranges.
Highlight key liquidity levels where price often reacts.
Combine with your strategy for confirmation of reversals or continuations.
⚠️ Note:
Indicator does not provide trading signals.
Best used on intraday timeframes (e.g., 5m–1h) for daily ranges, and H1–H4 for weekly ranges.
Quantel.io iFVG & Breakout DetectorExclusive iFVG model built for precision trade entries. Invite-only access available at Quantel.io.
Quantel.io Liquidity Breakout Modelnvite-only liquidity breakout model engineered to capture high-probability moves. Access available exclusively at Quantel.io.
Quantel.io Session Liquidity & Sweep DetectorProprietary session-based liquidity & sweep detection tool, built for advanced trade timing. Available exclusively at Quantel.io.
NX - ICT PD ArraysThis Pine Script indicator identifies and visualizes Fair Value Gaps (FVGs) and Order Blocks (OBs) based on refined price action logic.
FVGs are highlighted when price leaves an imbalance between candles, while Order Blocks are detected using ICT methodology—marking the last opposing candle before a displacement move.
The script dynamically tracks and updates these zones, halting box extension once price interacts with them. Customizable colors and lookback settings allow traders to tailor the display to their strategy.
eORB - Day EditionThe eORB – Day Edition (Enhanced Opening Range Breakout) is a powerful intraday trading indicator designed for Algo Trading, Scalpers, Day Traders, and ORB-based strategies. It combines classic ORB logic with advanced filters, multiple exit strategies, and smart risk management tools. The default setup is optimised for a 3-minute ETHUSD chart.
Key Features:-
# Opening Range Breakout (ORB)
- Defines intraday high/low for the first X minutes.
- Automatically updates breakout levels.
- Optional buffer (%) for precision entries.
# Day & Session Filters
- Enable/disable trading on specific weekdays.
- Flexible session time configuration.
# EMA Crossover
- Option to trade based on EMA crossover with ORB levels.
# Breakout Candle Logic
- Detects breakout candle high/low for secondary confirmation.
# RSI Filter
- Confirms signals using RSI thresholds (customisable).
# Exit Strategies
- ORB High/Low Exit
- Buffer Exit
- Trailing Stop Loss (TSL) with activation, lock, and increments
- Target & Stoploss (fixed points)
- Universal Exit (UTC time-based) with background highlight
# Trade Sync Logic
- Prevents consecutive Buy → Buy or Sell → Sell without the opposite signal in between.
# Alerts Ready
- Buy, Sell, and Exit conditions are available for alerts.
- Compatible with TradingView alert system (popup, email, SMS, webhook).
How to Use:-
1. Add indicator to the chart.
2. Set ORB Time & Session (e.g., 3 min ORB at market open).
3. Enable/disable filters (EMA, RSI, Breakout candle).
4. Configure exits (TSL, Target, Stoploss, Universal Exit).
5. Add alerts for automation or notifications.
- This indicator is ideal for Crypto, Nifty, BankNifty, Index Futures, and Stocks, but it can be applied to any asset.
- The default settings are optimised for ETHUSD.
How it Works – eORB Day Edition:-
Step 1 – Define the Range
- At market open, the indicator records the Opening Range High & Low for the first X minutes (configurable by the user).
- This creates a price boundary (box) that acts as support and resistance for the rest of the session.
- Optional buffers can be added to make signals more reliable.
Step 2 – Generate the Signal
- When price (or EMA, if enabled) crosses above the Opening Range High, a Buy signal is generated.
- When price (or EMA) crosses below the Opening Range Low, a Sell signal is generated.
- Extra filters like RSI and Breakout Candle confirmation can be turned on to reduce false breakouts.
- Built-in sync logic ensures signals alternate properly (no double Buy or double Sell without the opposite in between).
Step 3 – Manage the Exit
- Trades can exit using multiple methods:
- Target (fixed profit in points)
- Stoploss (fixed risk in points)
- Trailing Stop-loss (TSL) that locks profit and trails as price moves further in your favour
- ORB/Buffer exit when price re-enters the range
- Universal Exit at a fixed UTC time to close all positions for the day
- Exits are visualised on the chart with shapes, labels, and optional background highlights.
In simple terms:-
Step 1: DEFINE
- Opening Range (first X minutes) → Marks High & Low → Creates breakout zone
Step 2: SIGNAL
- Price / EMA crosses High (+ Buffer) → BUY
- Price / EMA crosses Low (- Buffer) → SELL
- + Optional filters: RSI, Breakout Candle
Step 3: EXIT
- Target | Stoploss | Trailing Stoploss | Universal Exit
Important Note on Alert Setup
- When using the RSI filter, signals may fluctuate in some edge cases where RSI hovers near the Buy or Sell level.
- To avoid this, it is recommended to use “Once Per Bar Close” as the alert trigger, since signals confirm only after the bar closes (especially helpful when Breakout Candle High/Low Crossover is enabled).
- If you choose not to use RSI, you can safely use “Once Per Bar” alerts, even when the Breakout Candle High/Low Crossover option is enabled.
Disclaimer:-
- This tool is for educational and research purposes only.
- It does not guarantee profits. Always backtest and use proper risk management before live trading. The author is not responsible for financial losses.
Developer: @ikunalsingh
Built using AI + the best of human logic.
EMA / WMA RibbonMomentum Flow Ribbon
Unlock a clear, visual edge in identifying short-term momentum shifts with the Momentum Flow Ribbon.
This indicator was born from a simple yet powerful concept: to visually represent the dynamic relationship between a fast-reacting Exponential Moving Average (EMA) and the smoother, more methodical Wilder's Moving Average (WMA). While both moving averages use the same length, their unique calculation methods cause them to separate and cross, creating a "ribbon" that provides an immediate and intuitive gauge of market momentum.
This tool is designed for the disciplined trader who values clean charts and actionable signals, helping you to execute your strategies with greater confidence and precision.
How It Works
The script plots an EMA and a Wilder's Moving Average (referred to as rma in Pine Script) of the same length. The space between these two lines is then filled with a colored ribbon:
Bullish Green/Teal: The ribbon turns bullish when the faster EMA crosses above the slower Wilder's MA, indicating that short-term momentum is strengthening to the upside.
Bearish Red: The ribbon turns bearish when the EMA crosses below the Wilder's MA, signaling that short-term momentum is shifting to the downside.
The inherent "lag" of the Wilder's MA, a feature designed by J. Welles Wilder Jr. himself, acts as a steady baseline against which the more sensitive EMA can be measured. The result is a simple, zero-lag visual that filters out insignificant noise and highlights meaningful changes in trend direction.
Key Features
Customizable Length and Source: Easily adjust the moving average length and price source (close, hl2, etc.) to fit your specific trading style and the instrument you are trading, from futures like MES and MNQ to cryptocurrencies and forex.
Customizable Colors: Tailor the ribbon's bullish and bearish colors to match your personal chart aesthetic.
Built-in Alerts: The script includes pre-configured alerts for both bullish (EMA crosses above WMA) and bearish (EMA crosses below WMA) signals. Never miss a potential momentum shift again.
Clean & Lightweight: No clutter. Just a simple, effective ribbon that integrates seamlessly into any trading system.
Practical Application for the Discerning Trader
For a futures trader, timing is everything. This ribbon is not just another indicator; it's a tool for confirmation.
Imagine you've identified a key level—a Volume Profile POC, the previous day's low, or a critical accumulation zone. As price approaches this level pre-London session, you're watching for a sign of institutional activity. A flip in the ribbon's color at that precise moment can provide the powerful confirmation you need to enter a trade, trusting that you are aligning with the building liquidity and momentum heading into the New York open.
This is a tool for those who aspire to greatness in their trading—who understand that the edge is found not in complexity, but in the flawless execution of a simple, well-defined plan.
Add the Momentum Flow Ribbon to your chart and start seeing momentum in a clearer light.
Quantel.io 15min Opening Range BreakoutInvite-Only 15-Minute ORB — a proprietary early-move breakout model. Access is restricted; get access at Quantel.io.