Williams Alligator Spread Oscillator (WASO)Short description (About box)
Williams Alligator Spread Oscillator (WASO) converts Bill Williams’ Alligator into a 0–100 oscillator that measures the average distance between Lips/Teeth/Jaw relative to ATR. High = expansion/trend (default), low = compression/range — making sideways markets easier to spot. Includes adaptive normalization, configurable thresholds, background shading, and alerts.
Full description (Description field)
What it does
The Williams Alligator Spread Oscillator (WASO) transforms Bill Williams’ Alligator into a single, adaptive 0–100 scale. It computes the average pairwise distance among the Alligator lines (Lips/Teeth/Jaw), normalizes it by ATR and a rolling min–max window, and smooths the result. This makes the signal robust across symbols and timeframes and explicitly improves detection of sideways (ranging) conditions by highlighting compression regimes.
Why it helps
Sideways detection made easier: Low WASO marks compressed regimes that commonly align with consolidation/range phases, helping you identify chop and plan breakout strategies.
Trend/expansion clarity: High WASO indicates the Alligator lines are widening relative to volatility, pointing to trending or expanding conditions.
You can flip the direction if you prefer “High = Range.”
How it is calculated (plain English)
Smooth price with RMA (SMMA-like) to get Jaw, Teeth, Lips.
Compute the average pairwise distance between these three lines.
Divide by ATR to remove price-scale effects.
Normalize with a rolling min–max window to map values to 0–100.
Optionally apply EMA smoothing to the oscillator.
Key settings
Jaw/Teeth/Lips Lengths: Alligator periods (SMMA-like via ta.rma).
ATR Length: Volatility benchmark for scaling.
Normalization Lookback: Longer = steadier; shorter = more responsive.
Smoothing (EMA): Evens out noise.
High Value = Large Spread (Trend): Toggle to invert semantics.
Upper/Lower Thresholds: 70/30 are practical starting points.
Signals / interpretation
Sideways / Compression (easier to spot):
Default direction: WASO below Lower Threshold (e.g., <30).
With inverted direction OFF: WASO above Upper Threshold (e.g., >70).
Trend / Expansion:
Default direction: WASO above Upper Threshold (e.g., >70).
With inverted direction OFF: WASO below Lower Threshold (e.g., <30).
Midline (50): Neutral zone; flips around 50 can hint at regime shifts.
Alerts included
Range Start (sideways/compression)
Trend Start (expansion/trend)
Notes & limitations
This implementation omits the classic forward shift of Alligator lines to keep signals usable on live bars.
If market behavior shifts (very quiet or very volatile), tune Lookback and ATR Length.
Combine WASO with breakout levels or momentum filters for entries/exits.
Credits & disclaimer
Inspired by Bill Williams’ Alligator.
For educational purposes only. Not financial advice.
Release Notes (v1.0):
Initial release of Williams-Alligator Spread Oscillator (WASO) with ATR-based scaling and adaptive 0–100 normalization.
Direction toggle (High = Trend by default), adjustable thresholds, background shading, and two alert conditions.
Indicateurs et stratégies
Two-Part Supply & Demand Zones with Role ReversalWill show demand and supply with boxes
Once a zone is used it will be removed to keep the chart clean
Europe & US Session Highlighter
Bitcoin trading volumes peak during the Europe-US session overlap (13:30–17:00 UTC), driven by institutional activity and market news. This indicator helps traders:
- Focus on high-liquidity periods for better trade execution.
- Avoid low-volume, high-volatility periods outside major sessions.
- Plan entries and exits during Bitcoin’s most active hours.
How to Use:
- Apply the indicator to any Bitcoin intraday chart (e.g., 1M, 5M, 15M).
- Look for blue (London), green (NY), or purple (overlap) backgrounds to identify active sessions.
CloudShiftCloudShift + Bollinger Bands
This version of CloudShift now includes fully optimized Bollinger Bands with all three dynamic lines:
Upper Band: Highlights expansion during volatility spikes.
Lower Band: Identifies compression and accumulation zones.
Centerline (Basis): A smooth reference of the moving average, providing better visual balance and directional context.
The bands are drawn with thin, clean lime lines, designed to integrate perfectly with the cloud logic — keeping your chart minimalist yet powerful.
This update enhances the CloudShift indicator by providing a clear visual framework of market volatility and structure without altering its original logic.
Recommended for use on: NASDAQ, S&P 500, and other high-volatility futures.
Recommended timeframe: 5–15 minutes.
Forex Session High/Low TrackerThis indicator maps out each Forex session along with their relative highs and lows.
Customizable Dashboard (SIMPLE)This is a custom table where you can track any ticker and it's daily change. color coded to make things easy.
MACD Zones (Background Only)Indicator which shows the convergence and divergence zones directly on the graph by highlighting in red (convergence) and green (divergence).
Alternating KAMA-MACD Buy/Sell Triangles//@version=6
indicator("Alternating KAMA-MACD Buy/Sell Triangles", overlay=true)
// === Inputs ===
fastLen = input.int(10, "Fast KAMA Length", minval=2)
slowLen = input.int(30, "Slow KAMA Length", minval=2)
signalLen = input.int(9, "Signal KAMA Length", minval=1)
fastSCPeriod = input.int(2, "KAMA Fast SC period", minval=1)
slowSCPeriod = input.int(30, "KAMA Slow SC period", minval=2)
// === Helper: Kaufman's Adaptive Moving Average ===
// src = source series
// n = efficiency lookback length
// fastP, slowP = periods for smoothing constant (SC)
f_kama(src, n, fastP, slowP) =>
var float kama = na
if bar_index == 0
kama := src
else
change = math.abs(src - src )
vol = 0.0
for i = 0 to n - 1
vol += math.abs(src - src )
er = vol == 0.0 ? 0.0 : change / vol
fastSC = 2.0 / (fastP + 1.0)
slowSC = 2.0 / (slowP + 1.0)
sc = math.pow(er * (fastSC - slowSC) + slowSC, 2)
kama := nz(kama , src) + sc * (src - nz(kama , src))
kama
// === Compute KAMA-based MACD ===
kamaFast = f_kama(close, fastLen, fastSCPeriod, slowSCPeriod)
kamaSlow = f_kama(close, slowLen, fastSCPeriod, slowSCPeriod)
macd_line = kamaFast - kamaSlow
signalKama = f_kama(macd_line, signalLen, fastSCPeriod, slowSCPeriod)
hist = macd_line - signalKama
// === Raw Signals ===
buyRaw = ta.crossover(macd_line, signalKama) and hist > 0
sellRaw = ta.crossunder(macd_line, signalKama) and hist < 0
// === Alternating filter ===
var int lastSignal = 0 // 1 = last Buy, -1 = last Sell, 0 = none
buySignal = buyRaw and lastSignal != 1
sellSignal = sellRaw and lastSignal != -1
if buySignal
lastSignal := 1
if sellSignal
lastSignal := -1
// === Plot Triangles ===
plotshape(buySignal, title="Buy Signal", style=shape.triangleup, location=location.belowbar, color=color.green, size=size.large, text="BUY")
plotshape(sellSignal, title="Sell Signal", style=shape.triangledown, location=location.abovebar, color=color.red, size=size.large, text="SELL")
Daily High/Low/Mid (Prev Day Mid-vs-Next-Mid BG)it gives background depending upon previous day and next day midline.
4H + 15m Sell Signals It shows sell positions on the 15 min based on 4 hour ,imbalance, order block and swing high and low frameworks.
MTF TR HelperThe “MTF TR Helper” is a TradingView indicator that displays TC888’s Time Rotation (TR) slots for the London and New York sessions. It’s designed for intraday traders who want precise timing references based on TC888’s method.
It marks expert-level (orange) and sweetspot (green) TR timings directly on the chart using small visual cues. These slots help identify potential points of interest during active market hours. The script is optimized for lower timeframes and automatically filters out markers on higher timeframes to reduce clutter.
Key Features:
• 🔶 Orange lines = Expert TR slots (per TC888)
• 🟢 Green lines = Sweetspot TR slots (per TC888)
• ⚪ Dots = Hourly rotation points, including new 4-hour bars
• 📈 Works best on 1m and 5m charts; adapts visibility based on timeframe
• 🕒 Built on London and New York time zone references
This tool follows the timing logic of TC888, offering a clean and practical way to stay aligned with key session-based rotations.
Daily High/Low/Mid (Prev Day Extended Split + VWAP BG) it will tell you market bias with the help of vwap and previous day middle line
Pops Master Overlay -Soft Cloud + EMA 5/20/200 + EMA 13/48/200 ⚙️ SETUP & PURPOSE
This indicator combines everything you and I built into one clean, eye-friendly suite:
Soft Cloud Bands for volatility & trend confirmation
Bollinger & Keltner “Squeeze” logic for compression signals
Two EMA families for short-term vs. momentum trend
VWAP toggle for intraday equilibrium reference
🧭 QUICK START
Apply to Chart
Add the script (overlay=true) — works best on 2-minute to daily timeframes.
Choose Theme
Default: Graphite Gray (gentle and easy on the eyes)
You can switch to Soft Teal or Smoke Blue in settings.
Adjust Cloud
“Show Cloud Fill” → toggles the soft volatility zone
“Cloud Transparency” → 92–96 = softer background
“Show Background Tint” → adds a barely visible page hue
🧠 EMA SYSTEMS (Your Two Trading Views)
🔹 Set A – 5 / 20 / 200 EMA
Purpose: Fast, reactive, perfect for momentum & scalp entries
EMA 5 → micro trend (very short-term speed)
EMA 20 → intraday rhythm
EMA 200 → master bias line (above = bullish, below = bearish)
Usage Tip:
When EMA 5 crosses above EMA 20 while price is above the 200, that’s your “early push” confirmation.
Reverse for short bias.
➡ Toggle visibility:
Settings → EMA Set A → turn each one on/off individually.
🔹 Set B – 13 / 48 / 200 EMA
Purpose: Slower, smoother, designed for swing trades & trend filtering
EMA 13 → trend guide
EMA 48 → intermediate momentum
EMA 200 → long-term direction
Usage Tip:
Look for 13 > 48 > 200 stacking for clean, trending structure.
If they’re twisted together, it’s chop — step aside.
➡ Toggle visibility:
Settings → EMA Set B → turn each one on/off individually.
You can run both sets at once to compare momentum vs. structure.
💥 SQUEEZE ZONE
Red dots appear when Bollinger Bands are inside Keltner Channels → low volatility (squeeze forming).
Green dots appear when the squeeze releases → breakout conditions.
💡 Combine this with your EMAs:
If the squeeze releases while both EMA sets align bullishly, it’s often your best breakout timing.
🧮 VWAP
Toggle “Show VWAP (intraday)” to anchor your price bias around session mean value.
Price above VWAP = buyers control; below = sellers control.
👁️ RECOMMENDED SETTINGS
Setting Recommended
Cloud Theme Graphite Gray
Cloud Transparency 92–96
Band Lines Transparency 45
EMA Lines Set A for Day Trading, Set B for Swing
Squeeze Dots ON for momentum confirmation
🕹️ TIPS FOR TOGGLING EMAs
To switch quickly:
Open gear ⚙️ → scroll to “EMA Set A” or “EMA Set B.”
Turn off the ones you don’t want.
You can rename colors in settings to keep them separate (e.g., Green/Gold for A, Lighter Green/Gold for B).
Visual layering trick:
Run Set A (solid) for live momentum.
Run Set B (faint) to see long-term structure behind it.
🌤️ POPS RULE OF THUMB
“When both EMA sets line up, the squeeze releases, and price rides above the cloud —
that’s not a maybe… that’s a momentum wave.”
ICT Suspension BlocksICT Suspension Block (SB) Indicator
The ICT Suspension Block (SB) is a three-candle price action pattern that often act as support or resistance zones. A Suspension Block is a three-candle pattern showing a brief pause in price efficiency before continuation. These zones frequently serve as areas where price may later return, offering traders potential trading opportunities.
Pattern Definition
A Suspension Block forms when three consecutive candles move in the same direction but leave behind a specific body-to-body imbalance. (a gap between the bodies of consecutive candles).
Bullish Suspension Block (+SB):
All three candles are bullish (close > open).
Candle 1 close < Candle 2 open.
Candle 2 close < Candle 3 open.
Zone = from Candle 1 close to Candle 3 open.
Bearish Suspension Block (-SB):
All three candles are bearish (close < open).
Candle 1 close > Candle 2 open.
Candle 2 close > Candle 3 open.
Zone = from Candle 1 close to Candle 3 open.
These zones mark areas where price was temporarily imbalanced. Price often “respects” these levels later, either bouncing from them or breaking through them, which can provide valuable trade context.
Application
Suspension Blocks are used to mark areas where price may later react:
A Bullish SB can act as potential support.
A Bearish SB can act as potential resistance.
The significance of a block depends on market context. Blocks formed during strong, impulsive moves tend to be more meaningful than those in consolidation.
How the Indicator Works
Identifies bullish and bearish suspension blocks using body gap imbalances.
Draws colored zones (green = bullish, red = bearish) directly on the chart.
Extends zones forward until they are inversed by price action.
Once inversed, zones switch to a neutral color, allowing traders to annotate/extend them manually if desired.
Includes Consequent Encroachment (CE) lines (the 50% equilibrium of the block), which many traders use as reaction levels.
Features
Customizable colors for bullish, bearish, and inversed zones
Extend blocks indefinitely forward or limit them to a set number of bars
Adjustable maximum number of displayed blocks for performance control
Consequent Encroachment (CE) (Middle Point, 50%, Equilibrium) line feature
Configurable CE line style, color, and width
How to Use It
Trend Following: Blocks forming in the direction of trend can act as continuation zones.
Reversals: Opposite-direction blocks may signal exhaustion and potential turning points.
Liquidity Levels: CE lines (50% of block) often serve as reaction levels for entries, partials, or stop placement.
Context is Key: Suspension Blocks should not be used in isolation. Combine them with market structure, liquidity pools, or other confluence factors for best results.
Notes
This indicator is intended for technical analysis and research.
It should always be combined with proper risk management and a complete trading plan.
Past market behavior does not guarantee future results.
Multi-Signal IndikatorHier ist eine professionelle Beschreibung für deinen Indikator auf Englisch:
Multi-Signal Trading Indicator - Complete Market Analysis
This comprehensive trading indicator combines multiple technical analysis tools into one powerful dashboard, providing traders with all essential market information at a glance.
Key Features:
Trend Analysis: Three EMAs (9, 21, 50) with automatic trend detection and Golden/Death Cross signals
Momentum Indicators: RSI with overbought/oversold zones and visual alerts
Trend Strength: ADX indicator with DI+ and DI- showing the power of bullish and bearish movements
Market Fear Gauge: VIX (Volatility Index) integration displaying market sentiment from calm to panic levels
Volume Confirmation: Smart volume analysis comparing current activity against 20-period average
Support & Resistance: Automatic pivot point detection with dynamic S/R lines
Buy/Sell Signals: Combined signals only trigger when trend, RSI, and volume align perfectly
Visual Dashboard: Color-coded info panel showing all metrics in real-time with intuitive emoji indicators
Perfect for: Day traders, swing traders, and investors who want a complete market overview without cluttering their charts with multiple indicators.
Customizable settings allow you to adjust all parameters to match your trading style.
TokMaz – Signal Plain🧭 Overview
A clean, lightweight, and non-repainting directional signal indicator built for serious traders.
This version is fully optimized and locked to ensure stable performance and consistent signal output.
⚙️ Features
1. Designed to follow price precisely (no delay or offset).
2. Non-repainting structure — all signals confirmed on bar close.
3. Automatic Buy/Sell/Rejection alerts ready for webhook or automation use.
4. Minimal visual design — clear lines, direct chart attachment, no background clutter.
5. Integrated trend reference line (SMA200) for long-term view.
💡 Signal Display:-
🔵 BUY Solid – Bullish directional setup
🔴 SELL Solid – Bearish directional setup
⚪ REJ→BUY / REJ→SELL – Potential rejection or reversal zones
All signals appear directly on candles for instant readability and execution timing.
📢 Alerts:-
✅ BUY Solid
✅ SELL Solid
⚡ REJ→BUY
⚡ REJ→SELL
Works seamlessly with TradingView notifications or external automation.
📈 Style:-
EMA50 (dynamic price reference)
SMA200 (trend backbone)
Clean, professional visual — perfect for live trading or educational setups.
Breakout Score (0–100)Breakouts are often the trader's best setups. Often seen on the chart as wedges and flags, consolidation before a pop up or down. This script attempts to visualize breakout potential with gradients in the background. I built this to place on my side charts to quickly visualize that a setup was forming.
For this indicator, Breakouts have generally been assumed as:
Decrease in average volume over N candles
Proximity to VWAP
Convergence/cross of price to the 9, 20 and 50 EMAs
Range compression (formation of flag or consolidation)
each of these factors are scored and rated. Multiple signals exponentially increase the gradient. Depending on the score, the chart will display a visual gradient behind the chart. Color, opacity and filtering fully customizable.
Enjoy!
VIX Fear Gauge – Intraday Horizontal with alerts by Carlos CThe VIX Fear Gauge – Intraday Horizontal is a clean overlay tool that displays the current market sentiment (Fear & Greed levels) based on the VIX index.
Key Features:
📊 Horizontal Dashboard with five levels: Low, Light Fear, Neutral, High Fear, Panic.
🎨 Color Schemes: choose between Normal (fear = red) or Inverted (fear = green).
📍 Custom Positioning: move the panel to any chart corner.
🏷️ Dynamic Label: optional large label showing the current VIX value and category.
🚨 Smart Alerts: triggers when VIX enters or exits High Fear and Panic zones.
This indicator is designed for intraday traders who use the VIX as a risk barometer to confirm directional bias in SPY, QQQ, and other equities or options trading setups.
bar count plot only for far lookbackPurpose:
TradingView limits the number of text/label objects (≈500), which causes traditional bar-count indicators to stop showing numbers when you scroll far back in history.
This plots-only version bypasses that limitation entirely, allowing you to view bar numbers anywhere on the chart, even thousands of bars back.
How It Works:
Displays each bar’s in-day sequence number (1–78 by default) under the candles.
Counts restart automatically at the start of each trading day.
Uses a dual-channel “digit plot” system (tens + ones) instead of labels—extremely light on performance and unlimited in lookback.
The digits are drawn every N bars (default = 3) to keep the view uncluttered.
Key Parameters:
Show every Nth bar: Controls how often numbers appear (1 = every bar, 3 = every 3 bars, etc.).
Notes:
Digits are plotted directly via plotshape()—no labels—so they remain visible even 5 000 + bars back.
Alignment may vary slightly depending on chart zoom; this version is intended mainly for deep historical review rather than precise near-term alignment.
Channels by TradingConTotoThis indicator plots clear and minimalistic High (H) and Low (L) pivot points only within the selected trading session (e.g., 10:00–12:00).
During the active session, the background is shaded for easy visual reference, and pivot labels alternate automatically — meaning no consecutive H or L points appear in a row. This makes it simple to identify real swing changes within a specific session.
⚙️ Features
Detects and labels pivots only during the chosen time range.
Alternating logic prevents consecutive highs or lows (H → L → H → L).
Clean session background highlight for visual clarity.
Fully customizable parameters (session time, sensitivity, colors, etc.).
Ideal for intraday traders, scalpers, and structure-based strategies.
💡 Suggested Use
Perfect for traders who focus on specific market sessions (e.g., New York, London, or custom hours).
The alternating pivot logic helps visualize market swings and structural shifts without visual clutter, making it an excellent companion for price action analysis.
Range Breakout with Volume ConfirmationRange Breakout along with Volume Build up. However, ADX needs to be checked manually
10/21 EMA + 50/200 Daily SMAAll four relevant moving averages in one script to allow you to add move indicators.