Fibonacci Pivot Trading System with EMA Filter & AlertsDescription
The Fibonacci Pivot Trading System is a versatile and powerful indicator designed for traders seeking to identify key support and resistance levels using Fibonacci-based pivot points. This system supports multiple pivot types (Fibonacci, Traditional, Woodie, Classic, DM, and Camarilla) and allows customization of timeframes (Daily, Weekly, Monthly, and more). It integrates advanced trading signals based on price rejection or breakout at pivot levels, enhanced by volume and RSI confirmations, and an optional EMA trend filter (20/50/100/200). The system avoids generating signals within the consolidation zone (between R1 and S1) to reduce false signals in low-volatility ranges. The indicator visually plots pivot levels, consolidation zones, and trade management levels (Take Profit and Stop Loss) with customizable labels and colors. Ideal for traders looking to capitalize on pivot-based price action with robust confirmation mechanisms.
Features
Customizable Pivot Types: Choose from Fibonacci, Traditional, Woodie, Classic, DM, or Camarilla pivot calculations.
Flexible Timeframes: Supports Daily, Weekly, Monthly, Quarterly, Yearly, and extended anchor periods.
Trading Signals: Generates buy/sell signals based on price rejection or breakout at pivot levels, avoiding the consolidation zone (R1-S1).
Confirmation Filters: Includes optional volume and RSI confirmation for signal validation.
EMA Trend Filter: Optional EMA (20/50/100/200) filter to align trades with the trend.
Visual Tools: Displays pivot levels, consolidation zones, and TP/SL lines with customizable colors, widths, and labels.
Alerts: Configurable alerts for trade opportunities based on Fibonacci pivot signals.
How to Use
Select the desired Pivot Type and Timeframe from the input settings.
Enable Trade on Rejection or Trade on Breakout to generate signals based on price action outside the consolidation zone (R1-S1).
Use Volume Confirmation and RSI Confirmation to filter signals for higher accuracy.
Apply the EMA Filter to ensure trades align with the broader trend.
Customize the display of pivot levels, labels, and TP/SL lines to suit your chart preferences.
Set up alerts to be notified of potential trade opportunities.
피봇 포인트와 레벨
Trade Size Calculator By Skapez Trade Size Calculator By Skapez — ARM it, Drag & Trade!
A simple, position-sizing calculator for easy trader sizing.
It plots Entry / Stop / TP lines, sizes your trade to a fixed % risk (e.g., 2%), calculates leverage, and shows clean labels (Risk $, TP $, Position $, Leverage ×). You can ARM a setup, drag the lines to fine-tune, and (optionally) trigger alerts for webhooks.
What it does:
Fixed-fractional risk : sizes position so SL equals your chosen % of account (e.g., 2%).
Leverage cap & lot rounding : respects your max leverage and exchange lot step.
Drag-to-edit : move Entry/Stop; TP and sizing update automatically.
Swing-stop helper (optional): snap SL to recent swing low/high or nearest pivot. (Auto stop loss finder)
Valid-until window: auto-expires stale setups (e.g., after 120 minutes).
Alerts-ready: add your own JSON in the alert to send to a bot/webhook.
Quick start (60 seconds)
Add to chart and open Settings.
In Risk, set:
Account Balance (USD) and Risk % (e.g., 2.0).
Side (Long/Short).
In Levels:
Put an Entry price (or leave 0 to use current price when you ARM).
Choose Stop: type it manually or toggle Swing stop helper.
Pick your Target R multiple (e.g., 3.0 for 3:1).
In Leverage, set:
Leverage Cap (e.g., 10×) and Min/Step Size (e.g., 0.001 BTC).
Toggle ARM on. Three lines appear. Drag the blue/red lines if needed; the green TP and all numbers update.
Tip: Pin the indicator to the Right Price Scale (format icon → “Pin to scale”) so everything lines up perfectly.
On-chart visuals
Blue = Entry (label shows Position $ and Leverage × to the far right).
Red = Stop (label shows Risk $).
Green = TP (label shows TP P&L $).
Works on any symbol/timeframe; prices are rounded to the symbol’s tick size.
That’s it—arm, drag, and go.
Waheeds buy and sell signals//@version=6
indicator("RSI Extremes Gradient Candles", overlay=true)
rsi = ta.rsi(close, 14)
// Gradient ratios
rsiAboveRatio = math.max(math.min((rsi - 70) / 30, 1), 0)
rsiBelowRatio = math.max(math.min((30 - rsi) / 30, 1), 0)
// RGB values
redAbove = math.round(255 * rsiAboveRatio)
orangeAbove = math.round(165 * (1 - rsiAboveRatio))
redBelow = math.round(255 * rsiBelowRatio)
orangeBelow = math.round(165 * (1 - rsiBelowRatio))
// Final colors
colorAbove70 = color.rgb(247, 247, 247)
colorBelow30 = color.rgb(0, 255, 17)
// Default light blue for all other candles
defaultColor = color.rgb(0, 0, 0) // Light blue
// Assign candle color
color candleColor = na
candleColor := rsi > 70 ? colorAbove70 :
rsi < 30 ? colorBelow30 :
defaultColor
barcolor(candleColor)
// Detect RSI cross above 30
rsiCrossAbove30 = ta.crossover(rsi, 30)
// Plot arrow below candle when RSI crosses above 30
plotshape(rsiCrossAbove30,title="RSI Cross Above 30",location=location.belowbar,color=color.green,style=shape.triangleup,size=size.small)
// RSI and its MA
rsiMA = ta.sma(rsi, 14)
// Track if RSI was recently below 30
wasBelow30 = ta.lowest(rsi, 3) < 30 // You can adjust the lookback
// Crossover condition
rsiCrossAboveMA = ta.crossover(rsi, rsiMA) and wasBelow30
// RSI and its MA
// Plot green dot on RSI panel
plotshape(rsiCrossAboveMA, title="RSI Cross Above MA After <30",location=location.absolute,color=color.green,style=shape.circle,size=size.small)
rsiBelow26 = rsi < 26
plotshape(rsiBelow26,title="RSI Below 26",location=location.absolute,color=color.red,style=shape.circle,size=size.small)
plotshape(rsiBelow26,title="RSI Below 26",location=location.absolute,color=color.red,style=shape.circle,size=size.small)
// Mid-zone crossover condition
rsiMidZone = rsi > 31 and rsi < 69
rsiCrossMidZone = ta.crossover(rsi, rsiMA) and rsiMidZone
// Plot white circle on RSI panel
plotshape(rsiCrossMidZone,title="RSI Mid-Zone Crossover",location=location.absolute,color=color.white,style=shape.circle,size=size.small)
// Trend state logic
rsiSlope = rsi - rsi
rsiMACrossUp = ta.crossover(rsi, rsiMA)
rsiMACrossDown = ta.crossunder(rsi, rsiMA)
// Optional volatility filter
atr = ta.atr(14)
volatilityThreshold = atr > ta.sma(atr, 14)
// Adaptive trend signal
bullTrend = rsiMACrossUp and rsiSlope > 0 and volatilityThreshold
bearTrend = rsiMACrossDown and rsiSlope < 0 and volatilityThreshold
// Plot trend state
bgcolor(bullTrend ? color.new(color.green, 85) :
bearTrend ? color.new(color.red, 85) :
na, title="Trend Background")
plotshape(bullTrend, title="Bull Trend Start", location=location.belowbar, style=shape.labelup, color=color.green, text="↑")
plotshape(bearTrend, title="Bear Trend Start", location=location.abovebar, style=shape.labeldown, color=color.red, text="↓")
rsiExtremeHigh = rsi > 75 // You can change this to 80 if preferred
plotshape( rsiExtremeHigh,title="RSI > 75 Circle",location=location.abovebar,color=color.orange,style=shape.circle,size=size.small)
isWhiteRSIAbove78 = rsi > 75
isRedBody = close < open
whiteRedCandle = isWhiteRSIAbove78 and isRedBody
plotshape(whiteRedCandle, title="White Candle with Red Body (RSI > 75)", location=location.abovebar, color=color.orange, style=shape.circle, size=size.small)
// Orange circle on white-filled, red-bodied candles (RSI > 75 and close < open)
isWhiteFill = rsi > 75 // This triggers colorAbove70
plotshape(isWhiteFill and isRedBody,title="White Candle with Red Body (RSI > 75)",location=location.abovebar,color=color.orange,style=shape.circle,size=size.small)
HL Asie & Londres (NY)This indicator plots the High and Low of the Asian session (19:00–03:00 NY) and the London session (04:00–12:00 NY) without overlap.
Levels are updated live as soon as a new wick forms.
Only the current day’s lines are displayed (auto-reset at the start of each NY day).
Lines are extended to the right for easy reference.
Useful for intraday traders to quickly spot session ranges and key levels of interest.
SMC Suite – OB • Breaker • Liquidity Sweep • FVGSMC Suite — Order Blocks • Breaker • Liquidity Sweep • FVG
What it does:
Maps institutional SMC structure (OB → Breaker flips, Liquidity Sweeps, and 3-bar FVGs) and alerts when price retests those zones with optional r ejection-wick confirmation .
Why this isn’t “just a mashup”?
This tool implements a specific interaction between four classic SMC concepts instead of only plotting them side-by-side:
1. OB → Breaker Flip (automated): When price invalidates an Order Block (OB), the script converts that zone into a Breaker of opposite bias (bullish ⇄ bearish), extends it, and uses it for retest signals.
2. Liquidity-Gated FVGs : Fair Value Gaps (3-bar imbalances) are optionally gated—they’re only drawn/used if a recent liquidity sweep occurred within a user-defined lookback.
3. Retest Engine with Rejection Filter : Entries are not whenever a zone prints. Signals fire only if price retests the zone, and (optionally) the candle shows a rejection wick ≥ X% of its range.
4. Signal Cooldown : Prevents spam by enforcing a minimum bar gap between consecutive signals.
These behaviors work together to catch the sequence many traders look for: sweep → impulse → OB/FVG → retest + rejection.
Concepts & exact rules
1) Impulsive move and swing structure
• A bar is “ impulsive ” when its range ≥ ATR × Impulsive Mult and it closes in the direction of the move.
• Swings use Pivot Length (lenSwing) on both sides (HH/LL detection). These HH/LLs are also used for sweep checks.
2) Order Blocks (OB)
• Bullish OB : last bearish candle body before an i mpulsive up-move that breaks the prior swing high . Zone = min(open, close) to low of that candle.
• Bearish OB : last bullish candle body before an impulsive down-move that breaks the prior swing low . Zone = high to max(open, close).
• Zones extend right for OB Forward Extend bars.
3) Breaker Blocks (automatic flip)
If price invalidates an OB (closes below a bullish OB’s low or above a bearish OB’s high), that OB flips into a Breaker of opposite bias:
• Invalidated bullish OB → Bearish Breaker (resistance).
• Invalidated bearish OB → Bullish Breaker (support).
Breakers get their own style/opacity and are used for separate Breaker Retest signals.
4) Liquidity Sweeps (decluttered)
• Bullish sweep : price takes prior high but closes back below it.
• Bearish sweep : price takes prior low but closes back above it.
Display can be tiny arrows (default), short non-extending lines, or hidden. Old marks auto-expire to keep the chart clean.
5) Fair Value Gaps (FVG, 3-bar)
• Bearish FVG : high < low and current high < low .
• Bullish FVG : low > high and current low > high .
• Optional gating: only create/use FVGs if a sweep occurred within ‘Recent sweep’ lookback.
6) Retest signals (what actually alerts)
A signal is true when price re-enters a zone and (optionally) the candle shows a rejection wick:
• OB Retest LONG/SHORT — same-direction retest of OB.
• Breaker LONG/SHORT — opposite-direction retest of flipped breaker.
• FVG LONG/SHORT — touch/fill of FVG with rejection.
You can require a wick ratio (e.g., bottom wick ≥ 60% of range for longs; top wick for shorts). A cooldown prevents back-to-back alerts.
How to use
1. Pick timeframe/market : Works on any symbol/TF. Many use 15m–4h intraday and 1D swing.
2. *Tune Pivot Length & Impulsive Mult:
• Smaller = more zones and quicker flips; larger = fewer but stronger.
3. Decide whether to gate FVGs with sweeps : Turn on “Require prior Liquidity Sweep” to focus on post-liquidity setups.
4. Set wick filter : Start with 0.6 (60%) for cleaner signals; lower it if too strict.
5. Style : Use the Style / Zones & Style / Breakers groups to set colors & opacity for OB, Breakers, FVGs.
6. Alerts : Add alerts on any of:
• OB Retest LONG/SHORT
• Breaker LONG/SHORT
• FVG LONG/SHORT
Choose “Once per bar close” to avoid intrabar noise.
Inputs (key)
• Swing Pivot Length — swing sensitivity for HH/LL and sweeps.
• Impulsive Move (ATR ×) — defines the impulse that validates OBs.
• OB/FVG Forward Extend — how long zones project.
• Require prior Liquidity Sweep — gate FVG creation/usage.
• Rejection Wick ≥ % — confirmation filter for retests.
• Signal Cooldown (bars) — throttles repeated alerts.
• Display options for sweep marks — arrows vs short lines vs hidden.
• Full color/opacity controls — independent palettes for OB, Breakers, and FVGs (fills & borders).
What’s original here
• Automatic OB → Breaker conversion with separate retest logic.
• Liquidity-conditioned FVGs (FVGs can be required to follow a recent sweep).
• Unified retest engine with wick-ratio confirmation + cooldown.
• Decluttered liquidity visualization (caps, expiry, and non-extending lines).
• Complete styling controls for zone types (fills & borders), plus matching signal label colors.
🔹 Notes
• This script is invite-only.
• It is designed for educational and discretionary trading use, not as an autotrader.
• No performance guarantees are implied — always test on multiple markets and timeframes.
SMAs, EMAs, 52W High Low, CPRThis is all in one indicator which has SMAs, EMAs, CPR, Trend ribbon and SuperTrend.
We are adding other indicator in upcoming days.
[KINGS TRANSFORM]
Short description
KINGS TRANSFORM is a compact, transform-based momentum oscillator with a built-in trigger line and clear reference bands. It highlights crossover signals and visually marks momentum extremes to help you spot directional shifts and high-probability setups across timeframes.
Overview
KINGS TRANSFORM applies a robust transformation to price data, producing a primary oscillator and a smoothed trigger line. The indicator plots both lines along with horizontal reference bands so you can quickly see momentum bias, crossovers (signal events), and areas that historically represent strong/weak momentum.
Key features
Primary oscillator + trigger line (both plotted on the chart).
Built-in horizontal reference levels for quick overbought / oversold context.
Clear crossover signals: buy when the primary crosses above the trigger; sell when it crosses below.
Single, simple input (Length — default 9) for quick tuning.
Lightweight and fast — suitable for all timeframes and most instruments.
Clean visual design and adjustable precision for price-style plotting.
Inputs
Length — smoothing / lookback control (default 9).
No other inputs are required to run the indicator; it’s plug-and-play out of the box.
How to read the indicator (user-facing behavior — no internal formulas exposed)
Primary line vs Trigger line:
When the primary line crosses above the trigger line → a bullish signal (consider as potential long entry or confirmation).
When the primary line crosses below the trigger line → a bearish signal (consider as potential short/exit signal).
Reference bands: Multiple horizontal levels are shown to help identify strong momentum (outer bands) versus milder momentum (inner bands). Use them as context — moves into the outer bands often indicate stronger momentum conditions.
Multi-timeframe use: Works on intraday, daily and higher timeframes. For trade execution, prefer confirming the signal on a higher timeframe or combining with trend filters/support-resistance.
Best practices & recommendations
Use KINGS TRANSFORM as a confirmation tool rather than a sole trigger. Combine with price action, trend filters (moving averages / Alligator), volume, or other indicators.
Backtest and paper-trade settings on your chosen instrument and timeframe before going live.
The default Length = 9 is a starting point — increase for smoother, fewer signals; decrease for a more responsive (but noisier) reading.
Respect position sizing and risk management — no indicator is perfect.
Notes
The indicator is designed for visualization and signal identification only — it does not place orders.
Implementation details and internal transformation logic are intentionally withheld from this description. The indicator exposes clear, actionable outputs (lines, crossovers, reference bands) without revealing the underlying formulas.
Works on instruments that supply standard price series; no special data is required.
Credits & attribution
KINGS TRANSFORM — created and packaged for TradingView.
If you use or modify this script, please keep the original author attribution.
Signalgo CHoCHSignalgo CHoCH: Informative Technical Overview
Signalgo CHoCH is a multi-factor indicator designed for TradingView to detect “Change of Character” (CHoCH) shifts in market structure, signaling significant trend reversals and managing trades with risk control. This documentation details how it operates, its customizable parameters, signal methodology, what makes it different from traditional tools, and typical strategy applications.
How Signalgo CHoCH Works
1. Market Structure Detection
Swing High & Low Identification: The indicator uses an adaptive swing length to isolate important pivot highs and lows in price action. These pivots signal points where the market reversed direction or paused, forming the “swing structure” core to this strategy.
Body Strength Validation: Not every pivot break is meaningful. Signalgo CHoCH assesses price bar “body strength”—quantifying if the current candle’s body is disproportionately large compared to a recent average—to filter out weak or indecisive moves, retaining only those breaks likely to indicate genuine momentum.
2. Change of Character (CHoCH) Signal Logic
Bullish CHoCH: Triggered when price closes above the last significant swing low (the most recent support) with a strong candle body, indicating a transition from bearish to bullish market structure.
Bearish CHoCH: Triggered when price closes below the last significant swing high (key resistance) with a strong bearish candle, denoting a shift from bullish to bearish structure.
One-Time Event Recognition: Each break is tracked so that signals are issued only once per directional change, reducing repeated or redundant entries.
3. Higher Timeframe Confirmation
Multi-Timeframe Consistency: The indicator requires the CHoCH signal (on the current trading timeframe) to be confirmed by the market structure status of a selected higher timeframe. This adds an extra layer of validation, ensuring the signal aligns with broader trends.
Inputs
SwingLen: The number of bars used to define swing pivots.
bodyStrength & bodyLookback: Control sensitivity for body size validation, filtering which candle breaks are considered strong enough for signaling.
htfTf: Selects the higher timeframe for multi-timeframe checking.
show_tpsl: Toggle to show/hide automated Take Profit (TP) and Stop Loss (SL) levels on the chart.
ATR, TP/SL/RR/Trailing Settings: Determines how risk and reward are managed, using ATR for stop placement and multi-level profit targets with optional trailing stop activation after TP1.
Entry & Exit Strategy
Entry Logic
Long Entry: When a bullish CHoCH is detected, optionally confirmed by the higher timeframe, it marks a buy opportunity at the close of the breakout candle.
Short Entry: When a bearish CHoCH forms, also with optional higher timeframe confirmation, it identifies a sell entry at the close of the confirmation candle.
Exit & Trade Management
Stop Loss (SL): Automatically placed at a set ATR distance from entry, dynamically adapting to volatility.
Take Profits (TP1, TP2, TP3): Multiple reward targets are calculated and marked for systematic scaling out or profit-taking, based on a defined risk multiple.
Trailing Stop: Once the first profit target is hit, SL moves to breakeven, and a trailing stop engages, incrementally securing further gains if the trend continues.
State Tracking: All TP, SL, and trailing events are labeled on the chart for easy post-trade analysis.
Body Strength and Trend Filtering: Breakouts are only considered if the candle’s body confirms significant momentum, not just a fleeting spike, improving signal quality.
Event-Driven, Not Rolling: Each bullish or bearish “character change” is signaled only at the true point of structural shift, with strict per-event marking, not continuous signal generation as with typical MA cross strategies.
Integrated Multi-Timeframe Logic: higher timeframe validation minimizes false positives from short-term volatility noise, a capability not found in most indicator-based tools.
Automated, Dynamic Trade Management: This indicator overlays a complete trade management suite (TPs, SL, trailing) that moves with market conditions, allowing for risk handling directly from each signal.
Trading Strategy Application
Trend Reversal & Continuation: Suitable for identifying both sudden reversals and structural continuations, adaptable for intraday, swing, or positional trading styles.
Noise Filtering: Multiple checks (body strength, momentum, multi-timeframe) focus signals on genuine trend changes, filtering out most “whipsaws” seen in pure MA systems.
Visual Feedback: All transitions, TPs, SLs, and trailing events are visually annotated, enhancing the educational and review process.
SMC Swing Lines • Core v0.2.6SMC Swing Lines • Core v0.2.6
Purpose
SMC Swing Lines • Core plots objective swing‐based levels used in Smart Money Concepts. The script identifies recent swing highs/lows and projects them as horizontal “liquidity lines” that persist until invalidation (break) or mitigation (touch/retest). It is designed to give a clean structural map for EQH/EQL clusters, sweeps, and level-to-level delivery, without signals or forecasting.
What it plots
Swing High / Swing Low lines – drawn from confirmed pivots.
Status-aware styling – fresh (active) vs mitigated levels can use different line styles/widths/colors.
Optional zones – lines may be displayed as narrow boxes (wick or full range) to reflect the chosen swing area.
Lookback control – limit historical levels by days/bars to keep charts readable.
Notes
• Pivots confirm only after the selected lookback completes; lines are created on confirmation.
• Lines extend to the right until a mitigation/invalidating close, according to your settings.
How it detects swings
Pivot length (L/R): a symmetric left/right bar count forms a pivot.
Area mode:
Wick Extremity – uses absolute high/low (best for liquidity sweeps).
Full Range – uses the candle’s full range/body (stricter structure).
Inputs (key settings)
Pivot Lookback – bars left/right to confirm a swing.
Swing Area – Wick Extremity or Full Range.
Extend Until Fill – keep a level alive until price trades through/taps it (mitigation).
Hide Filled – remove lines once mitigated to reduce clutter.
Line Style & Width – separate styles for highs/lows and for fresh vs mitigated.
Colors – independent high/low/zone colors.
Labels (optional) – minimal markers for visual anchoring.
Lookback Window – limit by bars or days (performance & clarity).
(Exact control names in the panel may use concise variants of the labels above.)
Alerts (optional)
Mitigation / Touch – alert when price interacts with an active line.
Confirmation timing – alerts are designed to evaluate on bar close for reliability.
TradingView Alerts → “Create Alert” → condition: SMC Swing Lines • Core → choose the relevant event and your timeframe.
Recommended use
Timeframes: works from intraday to HTF. Typical ranges:
Intraday (3–15m): Pivot 3–7
Swing (30m–4h): Pivot 5–15
HTF (6h–1D+): Pivot 10–25
Area choice:
Wick Extremity to highlight liquidity grabs/sweeps.
Full Range when you want stricter structure mapping.
Chart hygiene: enable “Hide Filled” or reduce lookback to manage density.
Limitations & behavior
Pivot confirmation: swings appear only after the right-side lookback completes; this is not a “leading” signal.
No strategy component: the script does not generate entries/exits or claims of edge—use it as a structural map alongside your own trade plan (e.g., FVG/OB filters, session timing, volume context).
MTF: if you project higher-TF context via separate layouts, remember that lower-TF price can interact with HTF lines intrabar before the HTF bar closes.
Changelog (Core 0.2.6)
Stability & styling refinements for active vs mitigated levels.
Consistent alerting on bar close.
Minor UI text and default presets cleanup.
Dynamic Pivots • Fib Box --------------------------English----------------------------
Dynamic Pivots • Fib Box
This indicator detects dynamic pivots (new high/low within the selected lookback) and builds a Fibonacci Retracement Box (entry zone) plus Fibonacci Extension targets (TP1/TP2/TP3). Only one setup per direction is kept. While the zone is untouched, it tracks as a candidate; on the first wick touch it becomes active. A Minimum Entry→TP1 distance (%) filters out cramped, low-quality setups. Price labels are shown only for the newest visible box and are auto-cleared when that box disappears.
Key Inputs
Pivot Length – lookback bars to define pivot highs/lows.
Entry Levels (0–1) – Fibonacci retracements of the impulse (not percentages).
Take Profit (Extensions) – Fibonacci extensions for TP1/TP2/TP3.
Min Entry→TP1 Distance (%) – ensures TP1 isn’t too close.
Box Width (x10 bars) – horizontal extent of the zone.
Touch Tolerance (ticks) – buffer for touches/breaks (wicks/spread).
Price Text – show labels for the current box.
Logic & Visuals
Candidate turns direction-colored on activation; TP lines highlight on hit.
Untouched boxes expire after 200 bars.
Visualization/planning tool only — not a trading system; works on any symbol/timeframe.
Fibonacci Pivot Trading System with alertsFibonacci Pivot Trading System (Fib Pivots)
Unlock dynamic price action and high-probability setups with the Fibonacci Pivot Trading System! This powerful indicator intelligently overlays Fibonacci-based pivots, support/resistance levels, and actionable signals onto your chart, so you never miss an opportunity.
How It Works:
Pivot Logic: Utilizes Fibonacci pivots, plus options for Traditional, Woodie, Classic, DM, and Camarilla styles.
Multi-Timeframe Anchors: Works on daily, weekly, and monthly pivots.
5m & Daily Pivots: For intraday scalping, target the first break of the day with 5-minute candles.
1h & Weekly/Monthly Pivots: For swing trades, watch 1-hour candles and the first break of each week or month.
Breakout Focus: Detects both breakouts and rejections, but is tailored towards breakout trading for reliable momentum.
Take Profit / Stop Loss: Automatically sets take profit at the next two Fibonacci pivots after a break. Stop loss is positioned beyond the middle pivot, never inside the consolidation zone.
EMA Confluence: Extra confirmation using the 20, 50, 100, and 200 EMAs:
Longs: Only if all EMAs are below price.
Shorts: Only if all EMAs are above price.
Volume & RSI Confirmation: Volume filter is enabled for added signal strength. RSI filter is optional (unchecked by default).
Clean Charting: Full control over visible levels, consolidation zone, labels, TP/SL lines, and entry signals.
Alerts: Real-time notifications for every breakout or rejection.
Best For:
Breakout and momentum traders
Intraday scalpers (5m/daily pivots)
Swing traders (1h/weekly/monthly pivots)
Anyone seeking robust confluence and strong risk management
Tip:
Focus on the first break of each day, week, or month. Avoid entries in the consolidation zone. For even higher confidence, use the EMA confluence: take longs only with all EMAs below price, shorts only if above. Happy winnings!
Fibonacci Pivot Trading System 2Fibonacci Pivot Trading System (Fib Pivots)
Unlock dynamic price action and high-probability setups with the Fibonacci Pivot Trading System! This powerful indicator intelligently overlays Fibonacci-based pivots, support/resistance levels, and actionable signals onto your chart, so you never miss an opportunity.
How It Works:
Pivot Logic: Utilizes Fibonacci pivots, plus options for Traditional, Woodie, Classic, DM, and Camarilla styles.
Multi-Timeframe Anchors: Works on daily, weekly, and monthly pivots.
5m & Daily Pivots: For intraday scalping, target the first break of the day with 5-minute candles.
1h & Weekly/Monthly Pivots: For swing trades, watch 1-hour candles and the first break of each week or month.
Breakout Focus: Detects both breakouts and rejections, but is tailored towards breakout trading for reliable momentum.
Take Profit / Stop Loss: Automatically sets take profit at the next two Fibonacci pivots after a break. Stop loss is positioned beyond the middle pivot, never inside the consolidation zone.
EMA Confluence: Extra confirmation using the 20, 50, 100, and 200 EMAs:
Longs: Only if all EMAs are below price.
Shorts: Only if all EMAs are above price.
Volume & RSI Confirmation: Volume filter is enabled for added signal strength. RSI filter is optional (unchecked by default).
Clean Charting: Full control over visible levels, consolidation zone, labels, TP/SL lines, and entry signals.
Alerts: Real-time notifications for every breakout or rejection.
Best For:
Breakout and momentum traders
Intraday scalpers (5m/daily pivots)
Swing traders (1h/weekly/monthly pivots)
Anyone seeking robust confluence and strong risk management
Tip:
Focus on the first break of each day, week, or month. Avoid entries in the consolidation zone. For even higher confidence, use the EMA confluence: take longs only with all EMAs below price, shorts only if above. Happy winnings!
Fibonacci Pivot Trading System**Fibonacci Pivot Trading System – “Fib Pivots”**
Unlock dynamic price action with my custom Fibonacci Pivot Trading System! This all-in-one indicator overlays Fibonacci-based pivots, support/resistance levels, and actionable breakout signals directly onto your chart, making it easy to spot premium trading opportunities.
**How It Works:**
- **Pivot Logic:** Uses Fibonacci pivots, with optional support for Traditional, Woodie, Classic, DM, and Camarilla methods.
- **Multi-Timeframe Anchors:** Switch between Daily, Weekly, and Monthly pivots. My core strategy:
- **5m + Daily Pivots:** For intraday quick trades, I target the first break of the day using 5-minute candles.
- **1h + Weekly/Monthly Pivots:** For swing setups, I use 1-hour candles to target the first significant break of each week or month.
- **Breakout Preferred:** The system detects both breakouts and rejections, but I prefer and recommend breakout trades for more reliable momentum.
- **Take Profit/Stop Loss Logic:**
- **Take Profit:** By default, targets the next two Fibonacci pivots beyond the break.
- **Stop Loss:** Placed behind (beyond) the middle pivot
- **Volume & RSI Filters:** Volume confirmation is enabled for signal strength. The RSI filter is optional—I personally keep it unchecked for more signal flow.
- **Clean Visualization:** Choose which pivot levels and labels to display, visual consolidation zones, and automatic TP/SL tagging.
- **Alerts:** Get instant notifications for every breakout or rejection—never miss the signal on new price movement!
**Best For:**
- Breakout traders seeking structure around key session levels.
- Scalpers (5m/daily), swing traders (1h/weekly/monthly pivots).
- Those who want flexible, multi-strategy pivot point trading with built-in risk management.
Tip:
Always focus on the action after the first break of your chosen anchor (day, week, or month), and avoid trades inside the consolidation zone. For extra confirmation and stronger trades, use the 20, 50, 100, and 200 EMAs:
Longs: Enter only when all these EMAs are below the price.
Shorts: Enter only when all these EMAs are above the price.
Happy winnings!
Fibonacci Pivot Trading System**Fibonacci Pivot Trading System – “Fib Pivots”**
Unlock dynamic price action with my custom Fibonacci Pivot Trading System! This all-in-one indicator overlays Fibonacci-based pivots, support/resistance levels, and actionable breakout signals directly onto your chart, making it easy to spot premium trading opportunities.
**How It Works:**
- **Pivot Logic:** Uses Fibonacci pivots, with optional support for Traditional, Woodie, Classic, DM, and Camarilla methods.
- **Multi-Timeframe Anchors:** Switch between Daily, Weekly, and Monthly pivots. My core strategy:
- **5m + Daily Pivots:** For intraday quick trades, I target the first break of the day using 5-minute candles.
- **1h + Weekly/Monthly Pivots:** For swing setups, I use 1-hour candles to target the first significant break of each week or month.
- **Breakout Preferred:** The system detects both breakouts and rejections, but I prefer and recommend breakout trades for more reliable momentum.
- **Take Profit/Stop Loss Logic:**
- **Take Profit:** By default, targets the next two Fibonacci pivots beyond the break.
- **Stop Loss:** Placed behind (beyond) the middle pivot—never in the consolidation zone (between R1/S1).
- **Volume & RSI Filters:** Volume confirmation is enabled for signal strength. The RSI filter is optional—I personally keep it unchecked for more signal flow.
- **Clean Visualization:** Choose which pivot levels and labels to display, visual consolidation zones, and automatic TP/SL tagging.
- **Alerts:** Get instant notifications for every breakout or rejection—never miss the signal on new price movement!
**Best For:**
- Breakout traders seeking structure around key session levels.
- Scalpers (5m/daily), swing traders (1h/weekly/monthly pivots).
- Those who want flexible, multi-strategy pivot point trading with built-in risk management.
**Tip:** Always focus on the action after the first break of your chosen anchor (day, week, or month), and avoid trades inside the consolidation zone. Happy winnings!
***
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.
Hourly High/Low Sweep Lines – Fixed HorizontalMarks out the hourly high and lows for levels of liquidity for take profits
Simple Confluence Buy SignalMulti time frame. best time frames are higher frames for it. clean structure.
BankNifty Institutional Zone MapperBankNifty Institutional Zone Mapper is a powerful support–resistance mapping tool designed to reveal the hidden grid where institutions are most likely placing their orders.
Instead of random lines, this indicator uses dual baselines with equidistant spacing to create highly accurate zones that act as magnets for price.
🔹 Why try it?
Detect institutional reaction levels instantly.
Spot high-probability support & resistance zones without guesswork.
Works seamlessly across intraday & positional trading.
Eliminates chart clutter while keeping the levels precise & repeatable.
Whether you’re trading BankNifty options, futures, or intraday moves, these zones will help you identify where real market battles are happening.
Add it once to your chart, and you’ll immediately see why price respects these levels again and again.
Varma Fractal TEMA + Strong Move Candle DetectorIts a combined Indicator built on the concepts of Fractals, EMAs, RSI, ATR and Awesome Oscillators. A fractal is a small, repeating price pattern composed of five price bars or candlesticks that helps identify potential turning points in a market trend. It acts as a technical indicator to highlight support and resistance levels, signifying potential reversals. Specifically, a bullish fractal has the middle bar as the lowest low (a "V" shape), signaling a possible uptrend reversal, while a bearish fractal has the middle bar as the highest high (an inverted "V"), indicating a potential downtrend reversal. EMA tracks an asset's price over a specific period by placing greater weight on recent data points, making it more responsive to current market changes than a Simple Moving Average (SMA). Traders use EMAs to identify bullish and bearish trends, spot potential entry and exit points, and capture market momentum and price shifts quickly, especially in shorter time frames. RSI (Relative Strength Index) is a momentum oscillator used in trading to measure the speed and change of price movements, indicating whether a security is overbought (likely to fall) or oversold (likely to rise). Developed by J. Welles Wilder Jr., the RSI oscillates between 0 and 100, with values above 70 generally signaling an overbought condition and values below 30 indicating an oversold condition. Traders use these signals to identify potential trend reversals and time their entry and exit points more effectively.
Dual Channel System [Alpha Extract]A sophisticated trend-following and reversal detection system that constructs dynamic support and resistance channels using volatility-adjusted ATR calculations and EMA smoothing for optimal market structure analysis. Utilizing advanced dual-zone methodology with step-like boundary evolution, this indicator delivers institutional-grade channel analysis that adapts to varying volatility conditions while providing high-probability entry and exit signals through breakthrough and rejection detection with comprehensive visual mapping and alert integration.
🔶 Advanced Channel Construction
Implements dual-zone architecture using recent price extremes as foundation points, applying EMA smoothing to reduce noise and ATR multipliers for volatility-responsive channel widths. The system creates resistance channels from highest highs and support channels from lowest lows with asymmetric multiplier ratios for optimal market reaction zones.
// Core Channel Calculation Framework
ATR = ta.atr(14)
// Resistance Channel Construction
Resistance_Basis = ta.ema(ta.highest(high, lookback), lookback)
Resistance_Upper = Resistance_Basis + (ATR * resistance_mult)
Resistance_Lower = Resistance_Basis - (ATR * resistance_mult * 0.3)
// Support Channel Construction
Support_Basis = ta.ema(ta.lowest(low, lookback), lookback)
Support_Upper = Support_Basis + (ATR * support_mult * 0.4)
Support_Lower = Support_Basis - (ATR * support_mult)
// Smoothing Application
Smoothed_Resistance_Upper = ta.ema(Resistance_Upper, smooth_periods)
Smoothed_Support_Lower = ta.ema(Support_Lower, smooth_periods)
🔶 Volatility-Adaptive Zone Framework
Features dynamic ATR-based width adjustment that expands channels during high-volatility periods and contracts during consolidation phases, preventing false signals while maintaining sensitivity to genuine breakouts. The asymmetric multiplier system optimizes zone boundaries for realistic market behavior patterns.
// Dynamic Volatility Adjustment
Channel_Width_Resistance = ATR * resistance_mult
Channel_Width_Support = ATR * support_mult
// Asymmetric Zone Optimization
Resistance_Zone = Resistance_Basis ± (ATR_Multiplied * )
Support_Zone = Support_Basis ± (ATR_Multiplied * )
🔶 Step-Like Boundary Evolution
Creates horizontal step boundaries that update on smoothed bound changes, providing visual history of evolving support and resistance levels with performance-optimized array management limited to 50 historical levels for clean chart presentation and efficient processing.
🔶 Comprehensive Signal Detection
Generates break and bounce signals through sophisticated crossover analysis, monitoring price interaction with smoothed channel boundaries for high-probability entry and exit identification. The system distinguishes between breakthrough continuation and rejection reversal patterns with precision timing.
🔶 Enhanced Visual Architecture
Provides translucent zone fills with gradient intensity scaling, step-like historical boundaries, and dynamic background highlighting that activates upon zone entry. The visual system uses institutional color coding with red resistance zones and green support zones for intuitive
market structure interpretation.
🔶 Intelligent Zone Management
Implements automatic zone relevance filtering, displaying channels only when price proximity warrants analysis attention. The system maintains optimal performance through smart array management and historical level tracking with configurable lookback periods for various market conditions.
🔶 Multi-Dimensional Analysis Framework
Combines trend continuation analysis through breakthrough patterns with reversal detection via rejection signals, providing comprehensive market structure assessment suitable for both trending and ranging market conditions with volatility-normalized accuracy.
🔶 Advanced Alert Integration
Features comprehensive notification system covering breakouts, breakdowns, rejections, and bounces with customizable alert conditions. The system enables precise position management through real-time notifications of critical channel interaction events and zone boundary violations.
🔶 Performance Optimization
Utilizes efficient EMA smoothing algorithms with configurable periods for noise reduction while maintaining responsiveness to genuine market structure changes. The system includes automatic historical level cleanup and performance-optimized visual rendering for smooth operation across all timeframes.
Why Choose Dual Channel System ?
This indicator delivers sophisticated channel-based market analysis through volatility-adaptive ATR calculations and intelligent zone construction methodology. By combining dynamic support and resistance detection with advanced signal generation and comprehensive visual mapping, it provides institutional-grade channel analysis suitable for cryptocurrency, forex, and equity markets. The system's ability to adapt to varying volatility conditions while maintaining signal accuracy makes it essential for traders seeking systematic approaches to breakout trading, zone reversals, and trend continuation analysis with clearly defined risk parameters and comprehensive alert integration. Also to note, this indicator is best suited for the 1D timeframe.
Auto Pivot Entry SL TPDescription:
The Auto Pivot Entry SL TP indicator automatically detects Pivot Highs and Pivot Lows to generate precise BUY and SELL trade setups.
When a Pivot Low forms, a BUY setup is displayed with Entry, Stop Loss, and multiple Take Profit (TP1–TP3) levels.
When a Pivot High forms, a SELL setup is displayed with Entry, Stop Loss, and multiple Take Profit (TP1–TP3) levels.
Key Features:
Automatic detection of pivots for trade entries.
Clear visualization of Entry, SL, and TP levels directly on the chart.
Flexible Risk-Reward ratio settings for customizable targets.
Works on all symbols and timeframes.
This tool is designed for traders who want a simple yet effective method to plan trades using price action pivot points combined with predefined risk management (SL & TP levels).
Pivot + Stochastic Filter Signals (Balanced)Pivot + Stochastic Filter Signals (Balanced)
This indicator combines Pivot Highs/Lows with the Stochastic Oscillator to generate accurate BUY and SELL signals.
A BUY signal appears when a Pivot Low forms and the Stochastic %K crosses above %D (optionally filtered by oversold conditions).
A SELL signal appears when a Pivot High forms and the Stochastic %K crosses below %D (optionally filtered by overbought conditions).
Key Features:
Clear BUY (green) and SELL (red) signals plotted directly on the chart.
Optional filter: only trigger signals in overbought/oversold zones.
Labels display pivot value with the corresponding signal.
Stochastic oscillator plotted for confirmation.
This tool is useful for traders who want to combine price action (pivots) with momentum confirmation (Stochastic crossovers) for higher accuracy in trend reversals and entry timing.
Modern Trend Indicator_GirishThis Indicator is a Powerful Buy and Sell Indicator to catch the Trend in all time frame.