RSI with Dynamic Overbought/Oversold Levels [SwissAlgo]RSI with Dynamic Overbought/Oversold Levels  
 RSI indicator with adaptive overbought/oversold levels based on percentile analysis instead of fixed thresholds 30/70. 
----------------------------------------------------------------
 OVERVIEW 
Traditional RSI uses  static 30/70  levels that may fail to adapt to changing market conditions. This indicator calculates dynamic overbought/oversold zones based on recent price behavior, providing context-aware signals across dynamic volatility regimes.
----------------------------------------------------------------
 KEY FEATURES 
 
 Dynamic percentile bands (98th, 95th, 90th, 10th, 5th, 2nd) that automatically adjust to current market volatility
 Color-coded RSI line: red when above 98th percentile (extreme overbought), green when below 2nd percentile (extreme oversold), purple otherwise
 Highlighted extreme zones with subtle background fills for easy visual identification
 Adjustable responsiveness: Fast (50 bars), Medium (100 bars), or Slow (200 bars) for different trading styles and timeframes
 Optional smoothing MA with multiple types: SMA, EMA, RMA, WMA, VWMA
 Built-in alerts for extreme overbought/oversold conditions
 
----------------------------------------------------------------
 HOW IT WORKS 
The indicator tracks RSI values over a rolling window and calculates percentile ranks. When RSI reaches its 98th percentile, it means current momentum is stronger than 98% of recent readings — signaling a potentially extreme overbought condition relative to recent behavior, not just an arbitrary fixed level.
----------------------------------------------------------------
 USAGE 
 
 Watch for RSI entering colored extreme zones (red/green fills) for potential exhaustion signals
 Use the 90th/10th percentile bands as early warning levels
 Combine with price action, support/resistance, or other indicators and your own analysis for confirmation
 Adjust responsiveness based on your timeframe
 
----------------------------------------------------------------
 SETTINGS 
 
 RSI Length: Standard 14-period default, adjustable
 RSI Source: Close price default, customizable
 Responsiveness: Choose how quickly percentile bands adapt to new data
 Smoothing: Optional moving average overlay on RSI
 Show Percentile Bands: Toggle visibility of dynamic levels
 
----------------------------------------------------------------
 ALERTS 
Two alert conditions are available:
 
 RSI Extreme Overbought (crosses above 98th percentile)
 RSI Extreme Oversold (crosses below 2nd percentile)
 
----------------------------------------------------------------
 NOTES 
Percentile levels recalculate as new data arrives, providing adaptive context rather than fixed historical values. This is intentional; the indicator shows where RSI stands relative to recent market behavior, not potentially outdated static thresholds.
----------------------------------------------------------------
 LIMITATIONS & DISCLAIMER 
PERCENTILE RECALCULATION
This indicator uses rolling percentile calculations that update as new price data arrives. Historical percentile levels  may shift slightly as the lookback window moves forward . This is by design; the indicator provides context relative to recent market behavior, not static historical thresholds. Users should be aware that backtest results may differ slightly from real-time performance due to this adaptive nature.
NO PREDICTIVE CLAIMS
This indicator identifies when RSI reaches extreme levels relative to recent history. It does NOT predict future price movements, guarantee reversals, or provide trading signals. Extreme overbought/oversold conditions can persist during strong trends, price may continue moving in the same direction even after entering extreme zones.
ALERT TIMING
Alerts trigger when RSI crosses percentile thresholds on bar close. In fast-moving markets, significant price movement may occur between alert generation and user response. Always confirm conditions and DYOR before taking action.
NOT FINANCIAL ADVICE
This tool is for informational and educational purposes only. It does not constitute financial, investment, or trading advice. Past performance of any trading system or methodology is not indicative of future results. Trading involves substantial risk of loss and is not suitable for all investors.
USER RESPONSIBILITY
Users are solely responsible for their trading decisions. Always conduct your own analysis, implement proper risk management, and never risk more than you can afford to lose. Test thoroughly on paper/demo accounts before live trading.
NO WARRANTIES
This indicator is provided "as is" without warranties of any kind. The author assumes no responsibility for trading losses, technical errors, or any damages resulting from the use of this indicator.
Analisis Trend
Fisher Transform Trend Navigator [QuantAlgo]🟢 Overview 
The  Fisher Transform Trend Navigator  applies a logarithmic transformation to normalize price data into a Gaussian distribution, then combines this with volatility-adaptive thresholds to create a trend detection system. This mathematical approach helps traders identify high-probability trend changes and reversal points while filtering market noise in the ever-changing volatility conditions.
  
 🟢 How It Works 
The indicator's foundation begins with price normalization, where recent price action is scaled to a bounded range between -1 and +1:
 highestHigh = ta.highest(priceSource, fisherPeriod)
lowestLow = ta.lowest(priceSource, fisherPeriod)
value1 = highestHigh != lowestLow ? 2 * (priceSource - lowestLow) / (highestHigh - lowestLow) - 1 : 0
value1 := math.max(-0.999, math.min(0.999, value1)) 
This normalized value then passes through the Fisher Transform calculation, which applies a logarithmic function to convert the data into a Gaussian normal distribution that naturally amplifies price extremes and turning points:
 fisherTransform = 0.5 * math.log((1 + value1) / (1 - value1))
smoothedFisher = ta.ema(fisherTransform, fisherSmoothing) 
The smoothed Fisher signal is then integrated with an exponential moving average to create a hybrid trend line that balances statistical precision with price-following behavior:
 baseTrend = ta.ema(close, basePeriod)
fisherAdjustment = smoothedFisher * fisherSensitivity * close
fisherTrend = baseTrend + fisherAdjustment 
To filter out false signals and adapt to market conditions, the system calculates dynamic threshold bands using volatility measurements:
 dynamicRange = ta.atr(volatilityPeriod)
threshold = dynamicRange * volatilityMultiplier
upperThreshold = fisherTrend + threshold
lowerThreshold = fisherTrend - threshold 
When price momentum pushes through these thresholds, the trend line locks onto the new level and maintains direction until the opposite threshold is breached:
 if upperThreshold < trendLine
    trendLine := upperThreshold
if lowerThreshold > trendLine
    trendLine := lowerThreshold 
  
 🟢 Signal Interpretation 
 
 Bullish Candles (Green):  indicate normalized price distribution favoring bulls with sustained buying momentum = Long/Buy opportunities
 Bearish Candles (Red):  indicate normalized price distribution favoring bears with sustained selling pressure = Short/Sell opportunities
  
 Upper Band Zone:  Area above middle level indicating statistically elevated trend strength with potential overbought conditions approaching mean reversion zones
 Lower Band Zone:  Area below middle level indicating statistically depressed trend strength with potential oversold conditions approaching mean reversion zones
 Built-in Alert System:  Automated notifications trigger when bullish or bearish states change, allowing you to act on significant developments without constantly monitoring the charts
 Candle Coloring:  Optional feature applies trend colors to price bars for visual consistency and clarity
 Configuration Presets:  Three parameter sets available - Default (balanced settings), Scalping (faster response with higher sensitivity), and Swing Trading (slower response with enhanced smoothing)
 Color Customization:  Four color schemes including Classic, Aqua, Cosmic, and Custom options for personalized chart aesthetics
Smart Money Concept v1Smart Money Concept Indicator – Visual Interpretation Guide
What Happens When Liquidity Lines Are Broken
🟩 Green Line Broken (Buy-Side Liquidity Pool Swept)
- Indicates price has dipped below a previous swing low where sell stops are likely placed.
- Market Makers may be triggering these stops to accumulate long positions.
- Often followed by a bullish reversal.
- Trader Actions:
  • Look for a bullish candle close after the sweep.
  • Confirm with nearby Bullish Order Block or Fair Value Gap.
  • Consider entering a Buy trade (SLH entry).
- If price continues falling: Indicates trend continuation and invalidation of the buy-side liquidity zone.
🟥 Red Line Broken (Sell-Side Liquidity Pool Swept)
- Indicates price has moved above a previous swing high where buy stops are likely placed.
- Market Makers may be triggering these stops to accumulate short positions.
- Often followed by a bearish reversal.
- Trader Actions:
  • Look for a bearish candle close after the sweep.
  • Confirm with nearby Bearish Order Block or Fair Value Gap.
  • Consider entering a Sell trade (SLH entry).
- If price continues rising: Indicates trend continuation and invalidation of the sell-side liquidity zone.
Chart-Based Interpretation of Green Line Breaks
In the provided DOGE/USD 15-minute chart image:
- Green lines represent buy-side liquidity zones.
- If these lines are broken:
  • It may be a stop hunt before a bullish continuation.
  • Or a false Break of Structure (BOS) leading to deeper retracement.
- Confirmation is needed from candle structure and nearby OB/FVG zones.
Is the Pink Zone a Valid Bullish Order Block?
To validate the pink zone as a Bullish OB:
- It should be formed by a strong down-close candle followed by a bullish move.
- Price should have rallied from this zone previously.
- If price is now retesting it and showing bullish reaction, it confirms validity.
- If formed during low volume or price never rallied from it, it may not be valid.
Smart Money Concept - Liquidity Line Breaks Explained
This document explains how traders should interpret the breaking of green (buy-side) and red (sell-side) liquidity lines when using the Smart Money Concept indicator. These lines represent key liquidity pools where stop orders are likely placed.
🟩 Green Line Broken (Buy-Side Liquidity Pool Swept)
When the green line is broken, it indicates:
•	- Price has dipped below a previous swing low where sell stops were likely placed.
•	- Market Makers have triggered those stops to accumulate long positions.
•	- This is often followed by a bullish reversal.
Trader Actions:
•	- Look for a bullish candle close after the sweep.
•	- Confirm with a nearby Bullish Order Block or Fair Value Gap.
•	- Consider entering a Buy trade (SLH entry).
🟥 Red Line Broken (Sell-Side Liquidity Pool Swept)
When the red line is broken, it indicates:
•	- Price has moved above a previous swing high where buy stops were likely placed.
•	- Market Makers have triggered those stops to accumulate short positions.
•	- This is often followed by a bearish reversal.
Trader Actions:
•	- Look for a bearish candle close after the sweep.
•	- Confirm with a nearby Bearish Order Block or Fair Value Gap.
•	- Consider entering a Sell trade (SLH entry).
📌 Additional Notes
•	- If price continues beyond the liquidity line without reversal, it may indicate a trend continuation rather than a stop hunt.
•	- Always confirm with Higher Time Frame bias, Institutional Order Flow, and price reaction at the zone.
Multi-Timeframe Trend Table - Fully Customizable EMA Analysis📊 Complete Control Over Your Multi-Timeframe Analysis
This advanced indicator displays real-time trend direction for ANY two timeframes of your choice in a clean, professional table format. Perfect for traders who want complete flexibility in monitoring higher timeframe trends while executing trades on lower timeframes.
🎯 Key Features
Fully Customizable Timeframes: Choose ANY two timeframes from dropdown menus (1m to 1M)
Adjustable EMA Periods: Customize both short and long EMA lengths to match your strategy
Smart Timeframe Display: Automatic formatting (60→1H, 240→4H) or show custom labels
EMA-Based Logic: Uses proven EMA crossover methodology for trend determination
Visual Clarity: Color-coded table with green (uptrend) and red (downtrend) indicators
Optional EMA Values: Toggle to display actual EMA values in the table
Flexible Positioning: Place table in any corner of your chart
Built-in Alerts: Get notified when trends align or diverge
Real-Time Updates: Automatically refreshes with each bar close
Pine Script v6: Latest version with enhanced performance
📈 How It Works
The indicator determines trend direction using a simple but effective rule:
UPTREND: Price is above both Short EMA AND Long EMA
DOWNTREND: Price is below either Short EMA OR Long EMA
🔧 Comprehensive Settings
Timeframe Settings:
First Timeframe: Select any timeframe (default: 1H)
Second Timeframe: Select any timeframe (default: 4H)
EMA Settings:
Short EMA Length: Customizable (default: 50)
Long EMA Length: Customizable (default: 100)
Display Options:
Show EMA Values: Display actual EMA numbers in table
Table Position: 4 corner positions available
Custom Timeframe Labels: Toggle between formatted (1H) or raw (60) labels
Plot Current EMAs: Optional EMA lines on your current chart
💡 Trading Applications
✅ Complete Flexibility: Monitor any timeframe combination (5m/15m, 1H/1D, etc.)
✅ Strategy Alignment: Adapt EMA periods to match your trading system
✅ Trend Confirmation: Ensure trades align with higher timeframe direction
✅ Risk Management: Avoid counter-trend trades in strong directional markets
✅ Entry Timing: Use lower timeframe for entries while respecting higher timeframe bias
✅ Scalping Enhancement: Perfect for any scalping timeframe with higher timeframe context
✅ Swing Trading: Monitor daily/weekly trends while trading on hourly charts
🚨 Smart Alerts
Both Timeframes Bullish: Get notified when both timeframes turn bullish
Both Timeframes Bearish: Alert when both timeframes turn bearish
Timeframes Diverging: Know when your timeframes disagree on direction
🎨 Professional Design
Clean, modern table layout
Intuitive color coding (Green = Up, Red = Down)
Compact size that doesn't obstruct chart analysis
Clear typography for instant trend recognition
Customizable positioning for optimal workflow
📋 Perfect For
Day traders and scalpers of all timeframes
Swing traders seeking trend confirmation
Multi-timeframe analysis enthusiasts
Traders using custom EMA strategies
Anyone wanting flexible trend monitoring
Algorithmic traders needing trend filters
🚀 Easy Setup
Add to any chart (works on all timeframes)
Select your preferred timeframes from dropdowns
Adjust EMA periods to match your strategy
Customize display options and table position
Set up alerts for trend changes
Start trading with complete timeframe awareness
No complex configurations needed - just customize and trade!
🔄 Use Cases
Scalpers: Monitor 15m/1H while trading on 1m/3m
Day Traders: Watch 1H/4H while trading on 5m/15m
Swing Traders: Track 4H/1D while trading on 1H
Position Traders: Monitor 1D/1W while trading on 4H
Custom Strategies: Any timeframe combination you prefer
This indicator is designed for educational and informational purposes. Always combine with proper risk management and your own analysis.
Multi-Timeframe Trend Table - EMA Based Trend Analysis📊 Stay Aligned with Higher Timeframe Trends While Scalping
This powerful indicator displays real-time trend direction for 1-hour and 4-hour timeframes in a clean, easy-to-read table format. Perfect for traders who want to align their short-term trades with higher timeframe momentum.
🎯 Key Features
Multi-Timeframe Analysis: Monitor 1H and 4H trends while trading on any timeframe (3min, 5min, 15min, etc.)
EMA-Based Logic: Uses proven EMA 50 and EMA 100 crossover methodology
Visual Clarity: Color-coded table with green (uptrend) and red (downtrend) indicators
Customizable Display: Toggle EMA values and adjust table position
Real-Time Updates: Automatically refreshes with each bar close
Lightweight: Minimal resource usage with efficient data requests
📈 How It Works
The indicator determines trend direction using a simple but effective rule:
UPTREND: Price is above both EMA 50 AND EMA 100
DOWNTREND: Price is below either EMA 50 OR EMA 100
🔧 Settings
Show EMA Values: Display actual EMA 50/100 values in the table
Table Position: Choose from 4 corner positions (Top Right, Top Left, Bottom Right, Bottom Left)
Plot Current EMAs: Optional display of EMA lines on your current chart
💡 Trading Applications
✅ Trend Confirmation: Ensure your trades align with higher timeframe direction
✅ Risk Management: Avoid counter-trend trades in strong directional markets
✅ Entry Timing: Use lower timeframe for entries while respecting higher timeframe bias
✅ Scalping Enhancement: Perfect for 1-5 minute scalping with higher timeframe context
🎨 Visual Design
Clean, professional table design
Intuitive color coding (Green = Up, Red = Down)
Compact size that doesn't obstruct your chart
Clear typography for quick reading
📋 Perfect For
Day traders and scalpers
Swing traders seeking trend confirmation
Multi-timeframe analysis enthusiasts
Traders who want simple, effective trend identification
🚀 Easy Setup
Add to any chart (works on all timeframes)
Customize table position and settings
Start trading with higher timeframe awareness
Watch the table update automatically
No complex configurations needed - just add and trade!
This indicator is designed for educational and informational purposes. Always combine with proper risk management and your own analysis.
KAPITAS TBR 12am-8:30measures the range between 12am(true day open)-8:30am and has % levels where price is sensitive and likely to reverse 
EMA 9/21 Crossover + EMA 50 [AhmetAKSOY]EMA 9/21 Crossover + EMA 50  
This indicator is designed for traders who want to capture short- and medium-term trend reversals using EMA 9 – EMA 21 crossovers. In addition, a customizable EMA 50 is included as a trend filter for broader market direction.
📌 Features
EMA 9 & EMA 21:
Generate buy/sell signals based on their crossovers.
Customizable EMA 50:
Helps identify the overall trend. Users can adjust both period and color.
BUY / SELL Arrows:
A BUY signal is plotted when EMA 9 crosses above EMA 21,
and a SELL signal when EMA 9 crosses below EMA 21
🔎 How to Use
Trend Following:
Buy signals above EMA 50 are generally considered stronger.
Short-Term Trading:
Focus only on EMA 9/21 crossovers.
Filtering:
Use EMA 50 as a trend filter depending on your strategy.
⚠️ Disclaimer
This indicator is not financial advice. It should not be used alone for buy/sell decisions. Always combine it with other technical tools and apply proper risk management.
Macro Momentum – 4-Theme, Vol Target, RebalanceMacro Momentum — 4-Theme, Vol Target, Rebalance
Purpose. A macro-aware strategy that blends four economic “themes”—Business Cycle, Trade/USD, Monetary Policy, and Risk Sentiment—into a single, smoothed Composite signal. It then:
gates entries/exits with hysteresis bands,
enforces optional regime filters (200-day bias), and
sizes the position via volatility targeting with caps for long/short exposure.
It’s designed to run on any chart (index, ETF, futures, single stocks) while reading external macro proxies on a chosen Signal Timeframe.
How it works (high level)
Build four theme signals from robust macro proxies:
Business Cycle: XLI/XLU and Copper/Gold momentum, confirmed by the chart’s price vs a long SMA (default 200D).
Trade / USD: DXY momentum (sign-flipped so a rising USD is bearish for risk assets).
Monetary Policy: 10Y–2Y curve slope momentum and 10Y yield trend (steepening & falling 10Y = risk-on; rising 10Y = risk-off).
Risk Sentiment: VIX momentum (bearish if higher) and HYG/IEF momentum (bullish if credit outperforms duration).
Normalize & de-noise.
Optional Winsorization (MAD or stdev) clamps outliers over a lookback window.
Optional Z-score → tanh mapping compresses to ~  for stable weighting.
Theme lines are SMA-smoothed; the final Composite is LSMA-smoothed (linreg).
Decide direction with hysteresis.
Enter/hold long when Composite ≥ Entry Band; enter/hold short when Composite ≤ −Entry Band.
Exit bands are tighter than entry bands to avoid whipsaws.
Apply regime & direction constraints.
Optional Long-only above 200MA (chart symbol) and/or Short-only below 200MA.
Global Direction control (Long / Short / Both) and Invert switch.
Size via volatility targeting.
Realized close-to-close vol is annualized (choose 9-5 or 24/7 market profile).
Target exposure = TargetVol / RealizedVol, capped by Max Long/Max Short multipliers.
Quantity is computed from equity; futures are rounded to whole contracts.
Rebalance cadence & execution.
Trades are placed on Weekly / Monthly / Quarterly rebalance bars or when the sign of exposure flips.
Optional ATR stop/TP for single-stock style risk management.
Inputs you’ll actually tweak
General
Signal Timeframe: Where macro is sampled (e.g., D/W).
Rebalance Frequency: Weekly / Monthly / Quarterly.
ROC & SMA lengths: Defaults for theme momentum and the 200D regime filter.
Normalization: Z-score (tanh) on/off.
Winsorization
Toggle, lookback, multiplier, MAD vs Stdev.
Risk / Sizing
Target Annualized Vol & Realized Vol Lookback.
Direction (Long/Short/Both) and Invert.
Max long/short exposure caps.
Advanced Thresholds
Theme/Composite smoothing lengths.
Entry/Exit bands (hysteresis).
Regime / Execution
Long-only above 200MA, Short-only below 200MA.
Stops/TP (optional)
ATR length and SL/TP multiples.
Theme Weights
Per-theme scalars so you can push/pull emphasis (e.g., overweight Policy during rate cycles).
Macro Proxies
Symbols for each theme (XLI, XLU, HG1!, GC1!, DXY, US10Y, US02Y, VIX, HYG, IEF). Swap to alternatives as needed (e.g., UUP for DXY).
Signals & logic (under the hood)
Business Cycle = ½ ROC(XLI/XLU) + ½ ROC(Copper/Gold), then confirmed by (price > 200SMA ? +1 : −1).
Trade / USD = −ROC(DXY).
Monetary Policy = 0.6·ROC(10Y–2Y) − 0.4·ROC(10Y).
Risk Sentiment = −0.6·ROC(VIX) + 0.4·ROC(HYG/IEF).
Each theme → (optional Winsor) → (robust z or scaled ROC) → tanh → SMA smoothing.
Composite = weighted average → LSMA smoothing → compare to bands → dir ∈ {−1,0,+1}.
Rebalance & flips. Orders fire on your chosen cadence or when the sign of exposure changes.
Position size. exposure = clamp(TargetVol / realizedVol, maxLong/Short) × dir.
Note: The script also exposes Gross Exposure (% equity) and Signed Exposure (× equity) as diagnostics. These can help you audit how vol-targeting and caps translate into sizing over time.
Visuals & alerts
Composite line + columns (color/intensity reflect direction & strength).
Entry/Exit bands with green/red fills for quick polarity reads.
Hidden plots for each Theme if you want to show them.
Optional rebalance labels (direction, gross & signed exposure, σ).
Background heatmap keyed to Composite.
Alerts
Enter/Inc LONG when Composite crosses up (and on rebalance bars).
Enter/Inc SHORT when Composite crosses down (and on rebalance bars).
Exit to FLAT when Composite returns toward neutral (and on rebalance bars).
Practical tips
Start higher timeframes. Daily signals with Monthly rebalance are a good baseline; weekly signals with quarterly rebalances are even cleaner.
Tune Entry/Exit bands before anything else. Wider bands = fewer trades and less noise.
Weights reflect regime. If policy dominates markets, raise Monetary Policy weight; if credit stress drives moves, raise Risk Sentiment.
Proxies are swappable. Use UUP for USD, or futures-continuous symbols that match your data plan.
Futures vs ETFs. Quantity auto-rounds for futures; ETFs accept fractional shares. Check contract multipliers when interpreting exposure.
Caveats
Macro proxies can repaint at the selected signal timeframe as higher-TF bars form; that’s intentional for macro sampling, but test live.
Vol targeting assumes reasonably stationary realized vol over the lookback; if markets regime-shift, revisit volLook and targetVol.
If you disable normalization/winsorization, themes can become spikier; expect more hysteresis band crossings.
What to change first (quick start)
Set Signal Timeframe = D, Rebalance = Monthly, Z-score on, Winsor on (MAD).
Entry/Exit bands: 0.25 / 0.12 (defaults), then nudge until trade count and turnover feel right.
TargetVol: try 10% for diversified indices; lower for single stocks, higher for vol-sell strategies.
Leave weights = 1.0 until you’ve inspected the four theme lines; then tilt deliberately.
Gap ZonesThis TradingView indicator automatically detects daily price gaps and plots them clearly on any timeframe (intraday or daily).
It helps visualize where unfilled gaps are sitting, track whether they’ve been filled, and control how far the zone extends.
Key Features
	1.	Daily Gap Detection
	•	Works even when you’re on intraday charts (uses daily OHLC data).
	•	Marks both gap up (potential support zones) and gap down (potential resistance zones).
	2.	Shaded Gap Zones
	•	Each gap is highlighted as a band (greenish for up, reddish for down).
	•	Option to turn shading off if you just want horizontal lines.
	3.	Hide When Filled
	•	Once price closes or touches the far side of the gap, it disappears (configurable: Touch vs Close).
	4.	Lookback Window
	•	Gaps only show if they occurred within the past X trading days (default: 30).
	•	Prevents your chart from being cluttered with ancient gaps.
	5.	Multiple Gaps Tracked
	•	Can track up to 5 recent gaps simultaneously.
	•	Oldest gaps “roll off” as new ones form.
	6.	Finite Right-Edge Guides
	•	Optional horizontal guide lines extend to the right, but only for a fixed number of bars (default: 50).
	•	Cleaner than infinite extensions.
	7.	Gap-Day Marker
	•	Optional vertical line drawn on the bar where the gap first occurred.
⸻
⚙️ Inputs & Settings
When you apply the indicator, you’ll see these options:
	•	Lookback (trading days): How far back to scan for gaps (default 30).
	•	Max gaps to show (1..5): How many simultaneous gap zones to display.
	•	Min gap size (% of prior close): Filter out tiny gaps (default 0.25%).
	•	Hide gaps once filled: Removes a gap from the chart once filled.
	•	Fill rule uses CLOSE (off = Touch):
	•	Touch = filled when price trades through the level intraday.
	•	Close = filled only when a candle close crosses it.
	•	Show shading: Toggle zone fills on/off.
	•	Show vertical marker on gap day: Toggle gap-day marker line.
	•	Show finite right-edge lines: Toggle horizontal lines extending right.
	•	Right line length (bars): How far those lines extend (default 50 bars).
⸻
🟢 How to Use It
	1.	Apply on Any Chart
	•	Works best on daily or intraday (5m, 15m, 1h).
	•	Gaps are always calculated from daily data, so intraday charts will show higher-timeframe gaps correctly.
	2.	Interpret Colors
	•	Green shading = Gap Up (often acts as support).
	•	Red shading = Gap Down (often acts as resistance).
	3.	Watch for Fills
	•	When price re-enters the gap zone, the indicator checks if it’s “filled” (based on your Touch/Close setting).
	•	If “Hide When Filled” is on, the zone vanishes.
	4.	Trade Context
	•	Many traders use gaps as targets (expecting a fill) or levels of support/resistance.
	•	Combined with your bull put/bear call spread strategies, it helps confirm strong levels.
ICT Macros - CorrigéThis indicator is designed to help traders apply the concepts of ICT (Inner Circle Trader) by providing a clear and accurate visualization of market macros directly on the chart. Instead of manually drawing levels or constantly switching between timeframes, the indicator automatically highlights the key reference points that form the backbone of ICT analysis.
Key Features:
Automatic Macro Visualization: identifies and displays market macros as defined in ICT concepts, making it easier to recognize institutional levels.
Timeframe Flexibility: adapts to different chart periods, allowing traders to align intraday setups with higher timeframe structures.
Clean and Efficient Display: focuses only on the most relevant information, avoiding clutter and making the chart more readable.
Strategic Decision Support: provides essential context for ICT-based strategies, including identifying market direction, liquidity pools, and potential reversal zones.
Why Use It?
This indicator is built for traders who follow ICT methodology and want a reliable tool to instantly spot macro structure without wasting time on repetitive manual work. By combining precision with clarity, it enhances situational awareness and supports better decision-making in both intraday and swing trading.
Advanced Institucional Trading IndicatorThe  Advanced Institutional Trading Indicator  is a comprehensive technical analysis tool that combines four institutional trading concepts to identify where large market participants hunt liquidity, establish positions, and create supply/demand imbalances. The indicator integrates pivot-based reversal signals, liquidity sweep detection, volumetric order blocks, and equal highs/lows identification into a unified framework for analyzing institutional footprints in the market.
 What It Detects 
 
 Pivot-Based Reversal Signals: Swing highs/lows marking potential trend reversals
 Liquidity Sweeps: False breakouts indicating institutional stop-hunting
 Volumetric Order Blocks: Supply/demand zones with buying vs selling pressure ratios
 Equal Highs/Lows (EQH/EQL): Liquidity pools where stops cluster
 
 In Practice 
Traders can watch for equal highs/lows near order blocks, wait for sweeps of these levels as confirmation of liquidity capture, then look for reversal signals to time entries with the expectation that institutions have now positioned themselves and the true directional move can begin.
 Logic used 
 
 Pivots: Standard functions with configurable periods, signals when swing type alternates
 Sweeps: Detects brief violations of swing levels with cooldown filter
 Order Blocks: Three-candle volume split into buying/selling pressure, filtered by ATR
 Equal Levels: Compares consecutive pivots within ATR-based threshold
 Visual representation 
 Reversal Signals: Green "Buy-point"/red "Sell-point" labels. 
 Sweeps: Dashed lines with "Sweep" text and swing markers. 
 Order Blocks: Colored boxes with volumetric bars and percentages. 
 Equal Levels: Golden lines with $ symbols.
 Customization options 
Pivot Length, Cooldown Period, Swing Length, Zone Count (1/3/5/10), ATR Multiplier, Threshold, customizable colors and styles.
 Recommendations for use:  Lower timeframes use smaller parameters (5-15 pivot, 20-35 swing). Higher timeframes use larger (20-50 pivot, 50-100 swing). Adjust for volatility.
 Originality and value 
While this indicator utilizes established concepts from institutional trading methodology (particularly Smart Money Concepts and ICT principles), its value proposition includes:
- Integration: Combines four complementary analysis tools into a single cohesive framework rather than requiring multiple separate indicators
- Volumetric Enhancement: Adds quantitative volume analysis to order blocks, showing not just where institutions positioned but how much buying vs selling pressure existed
- Automated Zone Management: Intelligently combines overlapping order blocks to reduce visual noise while preserving essential information
- Intelligent Filtering: Uses ATR-based thresholds for equal highs/lows and maximum order block size, adapting to market volatility
- Coordinated Signaling: All components reference similar swing detection logic, creating alignment between different institutional footprint indicators
 Disclaimer 
This indicator is a technical analysis tool and does not constitute financial advice.
  
  
/////Descripcion en español/////
El  Advanced Institutional Trading Indicator  combina cuatro conceptos institucionales—reversiones por pivotes, barridos de liquidez, bloques volumétricos y niveles iguales—para identificar dónde grandes participantes cazan liquidez y establecen posiciones.
 Qué detecta 
1. Reversiones por Pivotes: Máximos/mínimos marcando cambios de tendencia
2. Barridos de Liquidez: Falsas roturas indicando caza de stops institucional
3. Bloques Volumétricos: Zonas oferta/demanda con ratios presión compradora/vendedora
4. Niveles Iguales (EQH/EQL): Pools de liquidez donde se agrupan stops
 Cómo usarlo 
Observar niveles iguales cerca de bloques, esperar barridos como confirmación de captura de liquidez, entrar con señales de reversión cuando instituciones se han posicionado.
 Lógica utilizada 
- Pivotes: Funciones estándar configurables, señaliza cuando alternan
- Barridos: Detecta violaciones breves con filtro de enfriamiento
- Bloques: Volumen de tres velas dividido en presión compradora/vendedora, filtrado por ATR
- Niveles Iguales: Compara pivotes consecutivos dentro de umbral ATR
 Representación visual 
Señales: Etiquetas "Buy/Sell-point" verdes/rojas. Barridos: Líneas punteadas con "Sweep" y marcadores swing. Bloques: Cajas con barras volumétricas y porcentajes. Niveles: Líneas doradas con símbolo $.
 Configuraciones clave 
Pivot Length, Cooldown Period, Swing Length, Zone Count (1/3/5/10), ATR Multiplier, Threshold, colores y estilos personalizables.
 Consejos:  Marcos menores usan parámetros pequeños (5-15 pivot, 20-35 swing). Marcos mayores usan grandes (20-50 pivot, 50-100 swing). Ajustar según volatilidad.
 Originalidad 
Integra cuatro herramientas en un marco. Añade análisis volumétrico a bloques. Combina automáticamente zonas superpuestas. Usa filtrado adaptativo basado en ATR. Alinea componentes con lógica unificada basada en Smart Money/ICT.
 Descargo 
Herramienta de análisis técnico, no asesoramiento financiero.
MFx Radar (Money Flow x-Radar)Description:
MFx Radar is a precision-built multi-timeframe analysis tool designed to identify high-probability trend shifts and accumulation/distribution events using a combination of WaveTrend dynamics, normalized money flow, RSI, BBWP, and OBV-based trend biasing.
Multi-Timeframe Trend Scanner
Analyze trend direction across 5 customizable timeframes using WaveTrend logic to produce a clear trend consensus.
Smart Money Flow Detection
Adaptive hybrid money flow combines CMF and MFI, normalized across lookback periods, to pinpoint shifts in accumulation or distribution with high sensitivity.
Event-Based Labels & Alerts
Minimalist "Accum" and "Distr" text labels appear at key inflection points, based on hybrid flow flips — designed to highlight smart money moves without clutter.
Trigger & Pattern Recognition
Built-in logic detects anchor points, trigger confirmations, and rare "Snake Eye" formations directly on WaveTrend, enhancing trade timing accuracy.
Visual Dashboard Table
A real-time table provides score-based insight into signal quality, trend direction, and volume behavior, giving you a full picture at a glance.
MFx Radar helps streamline discretionary and system-based trading decisions by surfacing key confluences across price, volume, and momentum all while staying out of your way visually.
How to Use MFx Radar
MFx Radar is a multi-timeframe market intelligence tool designed to help you spot trend direction, momentum shifts, volume strength, and high-probability trade setups using confluence across price, flow, and timeframes.
Where to find settings To see the full visual setup:
After adding the script, open the Settings gear. Go to the Inputs tab and enable:
Show Trigger Diamonds
Show WT Cross Circles
Show Anchor/Trigger/Snake Eye Labels
Show Table
Show OBV Divergence
Show Multi-TF Confluence
Show Signal Score
Then, go to the Style tab to adjust colors and fills for the wave plots and hybrid money flow. (Use published chart as a reference.)
What the Waves and Colors Mean
Blue WaveTrend (WT1 / WT2). These are the main momentum waves.
WT1 > WT2 = bullish momentum
WT1 < WT2 = bearish momentum
Above zero = bullish bias
Below zero = bearish bias
When WT1 crosses above WT2, it often marks the beginning of a move — these are shown as green trigger diamonds.
VWAP-MACD Line
The yellow fill helps spot volume-based momentum.
Rising = trend acceleration
Use together with BBWP (bollinger band width percentile) and hybrid money flow for confirmation.
Hybrid Money Flow
Combines CMF and MFI, normalized and smoothed.
Green = accumulation
Red = distribution
Transitions are key — especially when price moves up, but money flow stays red (a divergence warning).
This is useful for spotting fakeouts or confirming smart money shifts.
Orange Vertical Highlights
Shows when price is rising, but money flow is still red.
Often a sign of hidden distribution or "exit pump" behavior.
Table Dashboard (Bottom-Right)
BBWP (Volatility Pulse)
When BBWP is low (<20), it signals consolidation — a breakout is likely to follow.
Use this with ADX and WaveTrend position to anticipate directional breakouts.
Trend by ADX
Shows whether the market is trending and in which direction.
Combined with money flow and RSI, this gives strong confirmation on breakouts.
OBV HTF Bias
Gives higher timeframe pressure (bullish/bearish/neutral).
Helps avoid taking counter-trend trades.
Pattern Labels (WT-Based)
A = Anchor Wave — WT hitting oversold
T = Trigger Wave — WT turning back up after anchor
👀 = Snake Eyes — Rare pattern, usually signaling strong reversal potential
These help in timing entries, especially when they align with other signals like BBWP breakouts, confluence, or smart money flow flips.
Multi-Timeframe (MTF) Consensus
The system checks WaveTrend on 5 different timeframes and gives:
Color-coded signals on each TF
A final score: “Mostly Up,” “Mostly Down,” or “Mixed”
When MTFs align with wave crosses, BBWP expansion, and hybrid money flow shifts, the probability of sustained move is higher.
Divergence Spotting (Advanced Tip)
Watch for:Price rising while money flow is red → Possible trap / early exit
Price dropping while money flow is green → Early accumulation
Combine this with anchor-trigger patterns and MTF trend support for spotting bottoms or tops early.
Final Tips
Use WT trigger crosses as initial signal.  Confirm with money flow direction + color flip
Look at BBWP for breakout timing. Use table as your decision dashboard
Favor trades that align with MTF consensus
VWAP Multi Sessions + EMA + TEMA + PivotThis indicator combines several technical tools in one, designed for both intraday and swing traders to provide a complete view of market dynamics.
- VWAP Multi Sessions: calculates and plots five independent VWAPs, each based on a specific time range. This allows you to better identify value zones and price evolution during different phases of the trading day.
- Moving Averages (EMA): three strategic EMAs (55, 144, and 233 periods) are included to track the broader trend and highlight potential crossovers.
- TEMA (Triple Exponential Moving Average): two TEMAs (144 and 233 periods) offer a more responsive alternative to EMAs, reducing lag while filtering out some market noise.
- Daily Levels: the previous day’s open, close, high, and low are plotted as key support and resistance references.
- Pivot Point (P): also included is the classic daily pivot from the previous session, calculated as (High + Low + Close) / 3, which acts as a central level around which price often gravitates.
In summary, this indicator combines:
- intraday value references (session VWAPs),
- trend indicators (EMA and TEMA),
- and daily reference points (OHLC and Pivot).
It is particularly suited for intraday, scalping, and swing trading strategies, helping traders anticipate potential reaction zones in the market more effectively.
Exhaustion Detector by exp3rtsThis advanced indicator is designed to spot buyer and seller exhaustion zones by combining candle structure, volume anomalies, momentum oscillators, and support/resistance context. Optimized for the 5-minute chart, it highlights potential turning points where momentum is likely fading.
 
 Multi-factor detection – Uses RSI, Stochastic, volume spikes, wick-to-body ratios, and ATR context to identify exhaustion.
 Smart filtering – Optional trend filter (EMA) and support/resistance proximity filter refine signals.
 Cooldown logic – Prevents repeated signals in rapid succession to reduce noise.
 Confidence scoring – Each exhaustion signal is graded for strength, so you can gauge conviction.
 Visual clarity – Clear arrows mark exhaustion signals, background zones highlight pressure areas, and debug labels show score breakdowns (toggleable).
 
Use this tool to:
 
 Anticipate potential reversals before price turns
 Spot exhaustion at key support/resistance zones
 Add a contrarian signal filter to your trading system
Edge Algo 
EDGE ALGO  is a trend-following and momentum-based algorithm designed to deliver precise Buy and Sell signals with built-in risk management through dynamic Take Profit and Stop Loss levels.
This invite-only tool was created to assist traders in identifying high-probability trade setups while filtering out market noise and avoiding choppy price action.
🧠 How It Works
Edge Algo  combines multiple layers of logic to increase the quality of trade signals:
1. Trend Detection
   * A dynamic ATR-based channel determines when the price breaks out in a new direction.
   * The trend flips to Bullish or Bearish when price action crosses the adaptive channel, avoiding late entries.
2. Momentum Confirmation
   * Custom logic involving RSI (Relative Strength Index) and CMO (Chande Momentum Oscillator) helps filter fake signals.
   * Buy conditions require RSI to be under 25 and CMO to confirm upward momentum.
   * Sell conditions require RSI to be over 75 and CMO to confirm downward momentum.
3. Support/Resistance Pivot Zones
   * Recent highs/lows are used as confirmation points to strengthen entries around key price levels.
4. Entry Logic
   * When trend change + momentum filter + pivot confirmation align, the script generates a Buy or Sell signal.
   * Each signal is clearly displayed on the chart with custom labels.
🎯 Risk Management (SL/TP Logic)
For every valid entry, the script automatically calculates:
✅ Stop Loss (SL) based on a user-defined percentage
✅Take Profit 1 (TP1)  at 1R
 ✅ Take Profit 2 (TP2)  at 2R
 ✅ Take Profit 3 (TP3)  at 3R
This allows traders to follow a consistent risk-to-reward ratio and manage trades using partial exits or full closes at target levels.
📊 Visualization Features
* Optional Cloud Moving Average to visually represent market direction
*Buy/Sell labels on chart with clean styling
* Clearly marked Entry, TP1, TP2, TP3, SL  levels
* Real-time alerts for Buy and Sell signals
* Fully customizable styling (colors, cloud, labels, etc.)
⚙️ Best Use Cases
* Timeframes: optimized for 15min to 4H charts
* Pairs: works with Forex, Crypto, Indices, Commodities, and Stocks
* Styles: suitable for scalping, intraday trading, and swing trading
🔒 Why Invite-Only?
Edge Algo PRO contains proprietary logic developed specifically for real-time application with an edge in volatile markets.
To protect the intellectual property and ensure quality use, access is granted only upon request.
Rsi TrendLines with Breakouts [KoTa]### RSI TrendLines with Breakouts Indicator: Detailed User Guide
The "RSI TrendLines with Breakouts  " indicator is a custom Pine Script tool designed for TradingView. It builds on the standard Relative Strength Index (RSI) by adding dynamic trendlines based on RSI pivots (highs and lows) across multiple user-defined periods. These trendlines act as support and resistance levels on the RSI chart, and the indicator detects breakouts when the RSI crosses these lines, generating potential buy (long) or sell (short) signals. It also includes overbought/oversold thresholds and optional breakout labels. Below, I'll provide a detailed explanation in English, covering how to use it, its purpose, advantages and disadvantages, example strategies, and ways to enhance strategies with other indicators.
 How to Use the Indicator 
   - The indicator uses `max_lines_count=500` to handle a large number of lines without performance issues, but on very long charts, you may need to zoom in for clarity.
1. **Customizing Settings**:
   The indicator has several input groups for flexibility. Access them via the gear icon next to the indicator's name on the chart.
   
   - **RSI Settings**:
     - RSI Length: Default 14. This is the period for calculating the RSI. Shorter lengths (e.g., 7-10) make it more sensitive to recent price changes; longer (e.g., 20+) smooth it out for trends.
     - RSI Source: Default is close price. You can change to open, high, low, or other sources like volume-weighted for different assets.
     - Overbought Level: Default 70. RSI above this suggests potential overbuying.
     - Oversold Level: Default 30. RSI below this suggests potential overselling.
   - **Trend Periods**:
     - You can enable/disable up to 5 periods (defaults: Period 1=3, Period 2=5, Period 3=10, Period 4=20, Period 5=50). Only enabled periods will draw trendlines.
     - Each period detects pivots (highs/lows) in RSI using `ta.pivothigh` and `ta.pivotlow`. Shorter periods (e.g., 3-10) capture short-term trends; longer ones (20-50) show medium-to-long-term momentum.
     - Inline checkboxes allow you to toggle display for each (e.g., display_p3=true by default).
   - **Color Settings**:
     - Resistance/Support Color: Defaults to red for resistance (up-trendlines from RSI highs) and green for support (down-trendlines from RSI lows).
     - Labels for breakouts use green for "B" (buy/long) and red for "S" (sell/short).
   - **Breakout Settings**:
     - Show Prev. Breakouts: If true, displays previous breakout labels (up to "Max Prev. Breakouts Label" +1, default 2+1=3).
     - Show Breakouts: Separate toggles for each period (e.g., show_breakouts3). When enabled, dotted extension lines project the trendline forward, and crossovers/crossunders trigger labels like "B3" (breakout above resistance for Period 3) or "S3" (break below support).
     - Note: Divergence detection is commented out in the code. If you want to enable it, uncomment the relevant sections (e.g., show_divergence input) and adjust the lookback (default 5 bars) for spotting bullish/bearish divergences between price and RSI.
2. **Interpreting the Visuals**:
   - **RSI Plot**: A blue line showing the RSI value (0-100). Horizontal dashed lines at 70 (red, overbought), 30 (green, oversold), and 50 (gray, midline).
   - **Trendlines**: Solid lines connecting recent RSI pivots. Green lines (support) connect lows; red lines (resistance) connect highs. Only the most recent line per direction is shown per period to avoid clutter.
   - **Breakout Projections**: Dotted lines extend the current trendline forward. When RSI crosses above a red dotted resistance, a "B" label (e.g., "B1") appears above, indicating a potential bullish breakout. Crossing below a green dotted support shows an "S" label below, indicating bearish.
   - **Labels**: Current breakouts are bright (green/red); previous ones fade to gray. Use these as signal alerts.
   - **Alerts**: The code includes commented-out alert conditions (e.g., for breakouts or RSI crossing levels). Uncomment and set them up in TradingView's alert menu for notifications.
3. **Best Practices**:
   - Use on RSI-compatible timeframes (e.g., 1H, 4H, daily) for stocks, forex, or crypto.
   - Combine with price chart: Trendlines are on RSI, so check if RSI breakouts align with price action (e.g., breaking a price resistance).
   - Test on historical data: Backtest signals using TradingView's replay feature.
   - Avoid over-customization initially—start with defaults (Periods 3 and 5 enabled) to understand behavior.
 What It Is Used For 
This indicator is primarily used for **momentum-based trend analysis and breakout trading on the RSI oscillator**. Traditional RSI identifies overbought/oversold conditions, but this enhances it by drawing dynamic trendlines on RSI itself, treating RSI as a "price-like" chart for trend detection.
- **Key Purposes**:
  - **Identifying Momentum Trends**: RSI trendlines show if momentum is strengthening (upward-sloping support) or weakening (downward-sloping resistance), even if price is ranging.
  - **Spotting Breakouts**: Detects when RSI breaks its own support/resistance, signaling potential price reversals or continuations. For example, an RSI breakout above resistance in an oversold zone might indicate a bullish price reversal.
  - **Multi-Period Analysis**: By using multiple pivot periods, it acts like a multi-timeframe tool within RSI, helping confirm short-term signals with longer-term trends.
  - **Signal Generation**: Breakout labels provide entry/exit points, especially in trending markets. It's useful for swing trading, scalping, or confirming trends in larger strategies.
  - **Divergence (Optional)**: If enabled, it highlights mismatches between price highs/lows and RSI, which can predict reversals (e.g., bullish divergence: price lower low, RSI higher low).
Overall, it's ideal for traders who rely on oscillators but want more visual structure, like trendline traders applying price concepts to RSI.
 Advantages and Disadvantages 
**Advantages**:
- **Visual Clarity**: Trendlines make RSI easier to interpret than raw numbers, helping spot support/resistance in momentum without manual drawing.
- **Multi-Period Flexibility**: Multiple periods allow analyzing short- and long-term momentum simultaneously, reducing noise from single-period RSI.
- **Breakout Signals**: Automated detection of breakouts provides timely alerts, with labels and projections for proactive trading. This can improve entry timing in volatile markets.
- **Customization**: Extensive inputs (periods, colors, breakouts) make it adaptable to different assets/timeframes. The stateful management of lines/labels prevents chart clutter.
- **Complementary to Price Action**: Enhances standard RSI by adding trend context, useful for confirming divergences or overbought/oversold trades.
- **Efficiency**: Uses efficient arrays and line management, supporting up to 500 lines for long charts without lagging TradingView.
**Disadvantages**:
- **Lagging Nature**: Based on historical pivots, signals may lag in fast-moving markets, leading to late entries. Shorter periods help but increase whipsaws.
- **False Signals**: In ranging or sideways markets, RSI trendlines can produce frequent false breakouts. It performs better in trending conditions but may underperform without filters.
- **Over-Reliance on RSI**: Ignores volume, fundamentals, or price structure—breakouts might not translate to price moves if momentum decouples from price.
- **Complexity for Beginners**: Multiple periods and settings can overwhelm new users; misconfiguration (e.g., too many periods) leads to noisy charts.
- **No Built-in Risk Management**: Signals lack stop-loss/take-profit logic; users must add these manually.
- **Divergence Limitations**: The basic (commented) divergence detection is simplistic and may miss hidden divergences or require tuning.
In summary, it's powerful for momentum traders but should be used with confirmation tools to mitigate false positives.
 Example Strategies 
Here are one LONG (buy) and one SHORT (sell) strategy example using the indicator. These are basic; always backtest and use risk management (e.g., 1-2% risk per trade, stop-loss at recent lows/highs).
**LONG Strategy Example: Oversold RSI Support Breakout**
- **Setup**: Use on a daily chart for stocks or crypto. Enable Periods 3 and 5 (short- and medium-term). Set oversold level to 30.
- **Entry**: Wait for RSI to be in oversold (<30). Look for a "B" breakout label (e.g., "B3" or "B5") when RSI crosses above a red resistance trendline projection. Confirm with price forming a higher low or candlestick reversal (e.g., hammer).
- **Stop-Loss**: Place below the recent price low or the RSI support level equivalent in price terms (e.g., 5-10% below entry).
- **Take-Profit**: Target RSI reaching overbought (70) or a 2:1 risk-reward ratio. Exit on a bearish RSI crossunder midline (50).
- **Example Scenario**: In a downtrending stock, RSI hits 25 and forms a support trendline. On a "B5" breakout, enter long. This captures momentum reversals after overselling.
- **Rationale**: Breakout above RSI resistance in oversold signals fading selling pressure, potential for price uptrend.
**SHORT Strategy Example: Overbought RSI Resistance Breakout**
- **Setup**: Use on a 4H chart for forex pairs. Enable Periods 10 and 20. Set overbought level to 70.
- **Entry**: Wait for RSI in overbought (>70). Enter on an "S" breakout label (e.g., "S3" or "S4") when RSI crosses below a green support trendline projection. Confirm with price showing a lower high or bearish candlestick (e.g., shooting star).
- **Stop-Loss**: Above the recent price high or RSI resistance level (e.g., 5-10% above entry).
- **Take-Profit**: Target RSI hitting oversold (30) or a 2:1 risk-reward. Exit on bullish RSI crossover midline (50).
- **Example Scenario**: In an uptrending pair, RSI peaks at 75 with a resistance trendline. On "S4" breakout, enter short. This targets momentum exhaustion after overbuying.
- **Rationale**: Break below RSI support in overbought indicates weakening buying momentum, likely price downturn.
 Enhancing Strategy Validity with Other Indicators 
To increase the reliability of strategies based on this indicator, combine it with complementary tools for confirmation, filtering false signals, and adding context. This creates multi-indicator strategies that reduce whipsaws and improve win rates. Focus on indicators that address RSI's weaknesses (e.g., lagging, momentum-only). Below are examples of different indicators, how to integrate them, and sample strategies.
1. **Moving Averages (e.g., SMA/EMA)**:
   - **How to Use**: Overlay 50/200-period EMAs on the price chart. Use RSI breakouts only in the direction of the trend (e.g., long only if price > 200 EMA).
   - **Strategy Example**: Trend-Following Long – Enter on "B" RSI breakout if price is above 200 EMA and RSI > 50. This filters reversals in uptrends. Add MACD crossover for entry timing. Advantage: Aligns momentum with price trend, reducing counter-trend trades.
2. **Volume Indicators (e.g., Volume Oscillator or OBV)**:
   - **How to Use**: Require increasing volume on RSI breakouts (e.g., OBV making higher highs on bullish breakouts).
   - **Strategy Example**: Volume-Confirmed Short – On "S" breakout, check if volume is rising and OBV breaks its own trendline downward. Enter short only if confirmed. This validates breakouts with real market participation, avoiding low-volume traps.
3. **Other Oscillators (e.g., MACD or Stochastic)**:
   - **How to Use**: Use for divergence confirmation or overbought/oversold alignment. For instance, require Stochastic (14,3,3) to also breakout from its levels.
   - **Strategy Example**: Dual-Oscillator Reversal Long – Enable divergence in the indicator. Enter on bullish RSI divergence + "B" breakout if MACD histogram flips positive. Exit on MACD bearish crossover. This strengthens reversal signals by cross-verifying momentum.
4. **Price Action Tools (e.g., Support/Resistance or Candlestick Patterns)**:
   - **How to Use**: Map RSI trendlines to price levels (e.g., if RSI resistance breaks, check if price breaks a key resistance).
   - **Strategy Example**: Price-Aligned Breakout Short – On "S" RSI breakout in overbought, confirm with price breaking below a drawn support line or forming a bearish engulfing candle. Use Fibonacci retracements for targets. This ensures momentum translates to price movement.
5. **Volatility Indicators (e.g., Bollinger Bands or ATR)**:
   - **How to Use**: Avoid trades during low volatility (e.g., Bollinger Band squeeze) to filter ranging markets. Use ATR for dynamic stops.
   - **Strategy Example**: Volatility-Filtered Long – Enter "B" breakout only if Bollinger Bands are expanding (increasing volatility) and RSI is oversold. Set stop-loss at 1.5x ATR below entry. This targets high-momentum breakouts while skipping choppy periods.
**General Tips for Building Enhanced Strategies**:
- **Layering**: Start with RSI breakout as the primary signal, add 1-2 confirmations (e.g., EMA trend + volume).
- **Backtesting**: Use TradingView's strategy tester to quantify win rates with/without additions.
- **Risk Filters**: Incorporate overall market sentiment (e.g., via VIX) or avoid trading near news events.
- **Timeframe Alignment**: Use higher timeframes for trend (e.g., daily EMA) and lower for entries (e.g., 1H RSI breakout).
- **Avoid Overloading**: Too many indicators cause paralysis; aim for synergy (e.g., trend + momentum + volume).
This indicator is a versatile tool, but success depends on context and discipline. If you need code modifications or specific backtests, provide more details!
Brain ScalpThis indicator is designed for price action study.
It automatically marks order blocks (OBs) and highlights candlestick formations that may indicate potential market behavior.
The purpose of this tool is to assist with chart analysis and market structure observation.
This script is created for educational and research purposes only.
It does not provide buy or sell signals, and it is not financial advice.
Relative Strength (RS) By @Byte2Bull📈 Relative Strength (RS) By @Byte2Bull 
 📌 Overview 
This indicator plots a Relative Strength (RS) line that compares the performance of the chart symbol to any benchmark symbol (index, ETF, or stock). By comparing the stock’s price movement to that of the benchmark, this tool highlights whether a stock is outperforming or underperforming the market.
 RS value = (Price of symbol / Price of benchmark) × 100 
It highlights hidden leaders and emerging strength through dynamic line plots, customizable moving average, and powerful new high detection features, enabling more informed trading decisions.
 🛠 Key Features 
⦿ Custom Benchmark Selection
 
  Compare any stock with your chosen benchmark (default: NSE:NIFTYMIDSML400), such as NIFTY50, BANKNIFTY, or sector indices.
 
⦿ Relative Strength Line with Dynamic Coloring
 
  Green when RS is above its moving average (strength/outperformance).
  Red when RS is below its moving average (weakness/underperformance).
 
⦿ Configurable Moving Average
 
  Apply either EMA or SMA over RS with customizable length. This helps smooth out volatility and provides a clear reference trend.
 
⦿ New High Detection
 
  Marks when RS makes a new high.
  Highlights when RS makes a new high before price does → a powerful early signal of hidden strength.
 
⦿ MA Crossover
 
  Optional marker for when RS crosses above its moving average, signaling potential start of leadership.
 
⦿ Visual Enhancements
 
  Adjustable line thickness.
  Fill area between RS and its MA with green/red shading for quick interpretation.
  Customizable colors for all key signals.
 
⦿ Built-in Alerts
Set alerts for:
 
  RS New High
  RS New High Before Price
  Bullish MA Crossover
 
 🎯 How to Use 
⦿ Identify Market Leaders:
 
  A stock with RS consistently above its MA is likely leading the market.
 
⦿ Spot Early Strength:
 
  If RS makes a new high before the stock price, it may signal strong relative demand — often preceding breakouts.
 
⦿ Filter Weakness:
 
  Stocks with RS below the MA are lagging and may be best avoided during bullish phases.
 
⦿ Combine with Price Action & Volume:
 
  RS works best alongside price breakouts, trend analysis, and volume confirmations.
Auto Market Bias Dashboard |TG|Overview
The Auto Market Bias Dashboard is a Pine Script v5 indicator developed on the TradingView platform. This tool automatically calculates and visualizes the market bias for the selected asset (crypto, forex, or futures). By analyzing the market structure across different timeframes (Weekly, Daily, 4-Hour, 1-Hour), it identifies bullish, bearish, or neutral trends. Its main purpose is to provide traders with a quick summary to simplify the decision-making process. The indicator is optimized particularly for 1-hour and higher timeframes and issues warnings on lower timeframes.
How It Works?
The indicator uses a scoring system based on 7 fundamental questions for each timeframe. Each question evaluates market dynamics and assigns a score of +1 (bullish), -1 (bearish), or 0 (neutral):
Is the Trend in an Upward Direction? – The closing price is checked against the 20-period SMA.
Has the Previous Candle's High Been Breached? – For breakout analysis, the close is evaluated against the previous candle's high/low.
Was Respect Paid to PDA? (FVG/Sweep) – Market structure alignment is sought through Fair Value Gap (FVG) detection (calculated specifically for each TF).
Is Volume Increasing in the Direction of Price? – Volume is compared to its 20-period SMA and the candle direction (TF-specific).
Does the Correlated Asset Show the Same Bias? – Trend alignment is checked with the selected correlated asset (e.g., ES1!, MNQ1!, MES1!); neutral conditions are supported.
Market Structure – Reversal signals are sought through pivot high/low detection (high: bearish, low: bullish).
Has Volatility Increased? – ATR (14 periods) and its SMA (20 periods) are combined with the candle direction (TF-specific).
The total bias for each timeframe is calculated (/7). The overall bias combines the weekly score with double weighting ((Weekly × 2) + Daily + 4H + 1H = /28). Results:
Positive (>0): Bullish (Green) – Buying opportunity.
Negative (<0): Bearish (Red) – Selling opportunity.
Zero: Neutral (Silver) – Indecisive.
RSI Cloud v1.0 [PriceBlance] RSI Cloud v1.0   — Ichimoku-style Cloud on RSI(14), not on price.
Recalibrated baselines: EMA9 (Tenkan) for speed, WMA45 (Kijun) for stability.
Plus ADX-on-RSI to grade strength so you know when momentum persists or fades.
1.  Introduction 
   RSI Cloud v1.0   applies an Ichimoku Cloud directly on RSI(14) to reveal momentum regimes earlier and cleaner than price-based views. We replaced Tenkan with EMA9 (faster, more responsive) and Kijun with WMA45 (slower, more stable) to fit a bounded oscillator (0–100). Forward spans (+26) and a lagging line (−26) provide a clear framework for trend bias and transitions.
To qualify signals, the indicator adds ADX computed on RSI—highlighting whether strength is weak, strong, or very strong, so you can decide when to follow, fade, or stand aside.
2.  Core Mapping (Hook + Bullets) 
At a glance: Ichimoku on RSI(14) with recalibrated baselines for a bounded oscillator.
Source: RSI(14)
Tenkan → EMA9(RSI) (fast, responsive)
Kijun → WMA45(RSI) (slow, stable)
Span A: classic Ichimoku midline, displaced +26
Span B: classic Ichimoku baseline, displaced +26
Lagging line: RSI shifted −26
3.  Key Benefits (Why traders care) 
Momentum regimes on RSI: position vs. Cloud = bull / bear / transition at a glance.
Cleaner confirmations: EMA9/WMA45 pairing cuts noise vs. raw 30/70 flips.
Earlier warnings: Cloud breaks on RSI often lead price-based confirmations.
4.  ADX on RSI (Enhanced Strength Normalization) 
Grade strength inside the RSI domain using ADX from ΔRSI:
ADX ≤ 20 → Weak (transparency = 60)
ADX ≤ 40 → Strong (transparency = 15)
ADX > 40 → Very strong (transparency = 0)
Use these tiers to decide when to trust, fade, or ignore a signal.
5.  How to Read (Quick rules) 
Bias / Regime
Bullish: RSI above Cloud and RSI > WMA45
Bearish: RSI below Cloud and RSI < WMA45
Neutral / Transition: all other cases
6.  Settings (Copy & use) 
RSI Length: 14 (default)
Tenkan: EMA9 on RSI · Kijun: WMA45 on RSI
Displacement: +26 (Span A/B) · −26 (Lagging)
Theme: PriceBlance Dark/Light
Visibility toggles: Cloud, Baselines, Lagging, labels/panel, Overbought/Oversold, Divergence, ADX-on-RSI (via transparency coloring)
7.  Credits & License 
Author/Brand: PriceBlance
Version: v1.0 (Free)
Watermark: PriceBlance • RSI Cloud v1.0
Disclaimer: Educational content; not financial advice.
8.  CTA 
If this helps, please ⭐ Star and Follow for updates & new tools.
Feedback is welcome—comment what you’d like added next (alerts, presets, visuals).
Auto Fib Extension Targets A-B-C MartenBGAuto Fib Extension Targets A-B-C is a Pine v6 indicator that projects Fibonacci extension targets from the most recent validated A-B-C swing. It works in both directions and is designed for trend continuation planning and take-profit placement.
How it works:
Detects pivots with user-defined left and right bars.
Builds bullish swings from L-H-L and bearish swings from H-L-H.
Validates C by a retracement filter (min to max, relative to AB) and an optional HL or LH condition.
Projects targets from point C using C + r*(B − A) for uptrends and C − r*(A − B) for downtrends.
Draws levels 1.000, 1.272, 1.382, 1.618, optional 2.000, plus an optional 1.272-1.382 target zone.
Optionally shows dotted A-B and B-C segments for quick visual context.
Key settings:
Pivot sensitivity: leftBars and rightBars.
Correction validation: minRetr and maxRetr, HL or LH requirement toggle.
Level visibility: enable or disable each ratio and the target zone.
Extension length: horizontal extension in bars.
Visuals: toggle A-B-C segment display.
Why use it:
Fast projection of realistic continuation targets.
Clear confluence when extensions align with prior highs, liquidity pools, or S/R.
Works on any symbol and timeframe once pivots are confirmed.
Notes:
Pivots confirm after rightBars bars, so targets appear only once a swing is confirmed. This reduces repaint-like behavior typical for unfinished pivots.
No alerts are included by design. If you want alerts or manual A-B-C locking and click-to-select anchors, ask and I will add them.
 HUNT_line [Dr.Forexy]HUNT_line Indicator  
📊 **Category:** Price Action & Market Structure
⏰ **Recommended Timeframe:** 5-minute and higher
🎯 **Purpose:** Advanced market structure visualization for professional traders
⸻
⚡ **Key Features:**
• Break of Structure (BOS) and Change of Character (CHOCH) detection
• Internal & Swing Market Structure analysis
• Order Blocks identification with smart filtering
• Fair Value Gaps (FVG) visualization
• Premium/Discount Zones
• Multi-timeframe support
• Real-time structure alerts
⸻
🛠 **How to Use:**
1. Apply on 5M or higher timeframes for best results
2. Monitor BOS/CHOCH for trend direction changes
3. Use Order Blocks as potential support/resistance areas
4. Watch for FVG fills as price inefficiency zones
5. Combine multiple confluences for higher probability setups
⸻
⚠️ **Risk Disclaimer:**
This indicator is for educational purposes only.
Not financial advice. Always conduct your own research.
⸻
🔹 **Credits:**
Inspired by LuxAlgo's "Smart Money Concepts" with custom improvements
Auto Fibonacci Retracements with Alerts [SwissAlgo]AUTO-FIBONACCI RETRACEMENT: LEVELS, ALERTS & PD ZONES 
 Automatically maps Fibonacci retracement levels with Premium/Discount (PD) zones and configurable alerts for technical analysis study. 
------------------------------------------------------------------
 FEATURES 
 Automatic Fibonacci Levels Detection 
 
 Identifies swing extremes (reference high and low to map retracements) from a user-defined  trend start date  and  trend indication  automatically
 Calculates 20 Fibonacci levels (from -2.618 to +2.618) automatically
 Dynamically updates Fib levels as price action develops, anchoring the bottom (in case of uptrends) or the top (in case of downtrends)
 Detects potential Trend's Change of Character automatically
 Premium/Discount (PD) zone visualization based on trend and price extremes
 
 Visual Components 
 
 Dotted horizontal lines for each Fibonacci level
 'Premium' and 'discount' zone highlighting
 Change of Character (CHoCH) marker when a trend anchor breaks (a bottom is broken after an uptrend, a top is broken after a downtrend)
 Adaptive label colors for light/dark chart themes
 
 Alert System 
 
 Configurable alerts for all Fibonacci levels
 Requires 2 consecutive bar closes for confirmation (reduces false signals)
 CHoCH alert when a locked extreme is broken
 Set up using  "Any alert() function call"  option
 
------------------------------------------------------------------
 USE CASES 
 Two Primary Use Cases: 
 1. PROSPECTIVE TREND MAPPING (Real-Time Tracking) 
Set start date at or just before an anticipated swing extreme to track levels as the trend develops:
 
 For Uptrend : Place start date near a bottom. The bottom level locks after consolidation, while the top updates in real-time as the price climbs higher
 For Downtrend : Place start date near a top. The top-level locks after consolidation, while the bottom updates in real-time as the price falls lower
 
This mode tracks  developing price action  against Fibonacci levels as the swing unfolds.
 2. RETROSPECTIVE ANALYSIS (Historical Swing Study) 
Set the start date at a completed swing extreme to analyze how the price interacted (and is interacting) with the Fibonacci levels:
 
 Both high and low are already established in the historical data
 Levels remain static for analysis purposes
 Useful for analyzing price behavior relative to Fibonacci levels, studying retracement dynamics, and assessing a trading posture
 
------------------------------------------------------------------
 HOW TO USE 
 
 Set 'Start Date' : Select Start Date (anchor point) at or just before the swing extreme (bottom for uptrend, top for downtrend)
 Choose Trend Direction  (Up or Down): direction is known for retrospective analysis, uncertain for prospective analysis
 Update the start date when significant structure breaks occur to begin analyzing a new swing cycle.
 Configure alerts as needed for your analysis
 
------------------------------------------------------------------
 TECHNICAL DETAILS 
♦ Auto-Mapped Fibonacci Retracement Levels:
2.618, 2.000, 1.618, 1.414, 1.272, 1.000, 0.882, 0.786, 0.618, 0.500, 0.382, 0.236, 0.118, 0.000, -0.272, -0.618, -1.000, -1.618, -2.000, -2.618
♦ Premium/Discount (PD) Zones:
 
 Uptrend: Green (discount zone) = levels 0 to 0.5 | Red (premium zone) = levels 0.5 to 1.0
 Downtrend: Red (premium zone) = levels 0 to 0.5 | Green (discount zone) = levels 0.5 to 1.0
  The yellow line represents the 0.5 equilibrium level
 
♦ Lock Mechanism:
The indicator monitors for new extremes to detect a Change of Character in the trend (providing visual feedback and alerts). It locks the anchor swing extreme after a timeframe-appropriate consolidation period has elapsed (varies from 200 bars on second charts to 1 bar on monthly charts) to detect such potentially critical events.
------------------------------------------------------------------
 IMPORTANT NOTES 
This is an educational tool for technical analysis study. It displays historical and current price relationships to Fibonacci levels but does not predict future price movements or provide trading recommendations.
DISCLAIMER: This indicator is for educational and informational purposes only. It does not constitute financial advice or trading signals. Past price patterns do not guarantee future results. Trading involves substantial risk of loss. Always conduct your own analysis and consult with qualified financial professionals before making trading decisions. By using this indicator, you acknowledge and agree to these limitations.






















