Fuzzy SMA with DCTI Confirmation[FibonacciFlux]FibonacciFlux: Advanced Fuzzy Logic System with Donchian Trend Confirmation 
Institutional-grade trend analysis combining adaptive Fuzzy Logic with Donchian Channel Trend Intensity for superior signal quality
 Conceptual Framework & Research Foundation 
FibonacciFlux represents a significant advancement in quantitative technical analysis, merging two powerful analytical methodologies: normalized fuzzy logic systems and Donchian Channel Trend Intensity (DCTI). This sophisticated indicator addresses a fundamental challenge in market analysis – the inherent imprecision of trend identification in dynamic, multi-dimensional market environments.
While traditional indicators often produce simplistic binary signals, markets exist in states of continuous, graduated transition. FibonacciFlux embraces this complexity through its implementation of fuzzy set theory, enhanced by DCTI's structural trend confirmation capabilities. The result is an indicator that provides nuanced, probabilistic trend assessment with institutional-grade signal quality.
 Core Technological Components 
 1. Advanced Fuzzy Logic System with Percentile Normalization 
At the foundation of FibonacciFlux lies a comprehensive fuzzy logic system that transforms conventional technical metrics into degrees of membership in linguistic variables:
 
// Fuzzy triangular membership function with robust error handling
fuzzy_triangle(val, left, center, right) =>
    if na(val)
        0.0
    float denominator1 = math.max(1e-10, center - left)
    float denominator2 = math.max(1e-10, right - center)
    math.max(0.0, math.min(left == center ? val <= center ? 1.0 : 0.0 : (val - left) / denominator1, 
                           center == right ? val >= center ? 1.0 : 0.0 : (right - val) / denominator2))
 
The system employs percentile-based normalization for SMA deviation – a critical innovation that enables self-calibration across different assets and market regimes:
 
// Percentile-based normalization for adaptive calibration
raw_diff = price_src - sma_val
diff_abs_percentile = ta.percentile_linear_interpolation(math.abs(raw_diff), normLookback, percRank) + 1e-10
normalized_diff_raw = raw_diff / diff_abs_percentile
normalized_diff = useClamping ? math.max(-clampValue, math.min(clampValue, normalized_diff_raw)) : normalized_diff_raw
 
This normalization approach represents a significant advancement over fixed-threshold systems, allowing the indicator to automatically adapt to varying volatility environments and maintain consistent signal quality across diverse market conditions.
 2. Donchian Channel Trend Intensity (DCTI) Integration 
FibonacciFlux significantly enhances fuzzy logic analysis through the integration of Donchian Channel Trend Intensity (DCTI) – a sophisticated measure of trend strength based on the relationship between short-term and long-term price extremes:
 
// DCTI calculation for structural trend confirmation
f_dcti(src, majorPer, minorPer, sigPer) =>
    H = ta.highest(high, majorPer) // Major period high
    L = ta.lowest(low, majorPer)   // Major period low
    h = ta.highest(high, minorPer) // Minor period high
    l = ta.lowest(low, minorPer)   // Minor period low
    float pdiv = not na(L) ? l - L : 0 // Positive divergence (low vs major low)
    float ndiv = not na(H) ? H - h : 0 // Negative divergence (major high vs high)
    float divisor = pdiv + ndiv
    dctiValue = divisor == 0 ? 0 : 100 * ((pdiv - ndiv) / divisor) // Normalized to -100 to +100 range
    sigValue = ta.ema(dctiValue, sigPer)
     
 
DCTI provides a complementary structural perspective on market trends by quantifying the relationship between short-term and long-term price extremes. This creates a multi-dimensional analysis framework that combines adaptive deviation measurement (fuzzy SMA) with channel-based trend intensity confirmation (DCTI).
 Multi-Dimensional Fuzzy Input Variables 
FibonacciFlux processes four distinct technical dimensions through its fuzzy system:
 
   Normalized SMA Deviation:  Measures price displacement relative to historical volatility context
   Rate of Change (ROC):  Captures price momentum over configurable timeframes
   Relative Strength Index (RSI):  Evaluates cyclical overbought/oversold conditions
   Donchian Channel Trend Intensity (DCTI):  Provides structural trend confirmation through channel analysis
 
Each dimension is processed through comprehensive fuzzy sets that transform crisp numerical values into linguistic variables:
 
// Normalized SMA Deviation - Self-calibrating to volatility regimes
ndiff_LP := fuzzy_triangle(normalized_diff, norm_scale * 0.3, norm_scale * 0.7, norm_scale * 1.1)
ndiff_SP := fuzzy_triangle(normalized_diff, norm_scale * 0.05, norm_scale * 0.25, norm_scale * 0.5)
ndiff_NZ := fuzzy_triangle(normalized_diff, -norm_scale * 0.1, 0.0, norm_scale * 0.1)
ndiff_SN := fuzzy_triangle(normalized_diff, -norm_scale * 0.5, -norm_scale * 0.25, -norm_scale * 0.05)
ndiff_LN := fuzzy_triangle(normalized_diff, -norm_scale * 1.1, -norm_scale * 0.7, -norm_scale * 0.3)
// DCTI - Structural trend measurement
dcti_SP := fuzzy_triangle(dcti_val, 60.0, 85.0, 101.0) // Strong Positive Trend (> ~85)
dcti_WP := fuzzy_triangle(dcti_val, 20.0, 45.0, 70.0)  // Weak Positive Trend (~30-60)
dcti_Z := fuzzy_triangle(dcti_val, -30.0, 0.0, 30.0)   // Near Zero / Trendless (~+/- 20)
dcti_WN := fuzzy_triangle(dcti_val, -70.0, -45.0, -20.0) // Weak Negative Trend (~-30 - -60)
dcti_SN := fuzzy_triangle(dcti_val, -101.0, -85.0, -60.0) // Strong Negative Trend (< ~-85)
 
 Advanced Fuzzy Rule System with DCTI Confirmation 
The core intelligence of FibonacciFlux lies in its sophisticated fuzzy rule system – a structured knowledge representation that encodes expert understanding of market dynamics:
 
// Base Trend Rules with DCTI Confirmation
cond1 = math.min(ndiff_LP, roc_HP, rsi_M)
strength_SB := math.max(strength_SB, cond1 * (dcti_SP > 0.5 ? 1.2 : dcti_Z > 0.1 ? 0.5 : 1.0))
// DCTI Override Rules - Structural trend confirmation with momentum alignment
cond14 = math.min(ndiff_NZ, roc_HP, dcti_SP)
strength_SB := math.max(strength_SB, cond14 * 0.5)
 
The rule system implements 15 distinct fuzzy rules that evaluate various market conditions including:
 
   Established Trends:  Strong deviations with confirming momentum and DCTI alignment
   Emerging Trends:  Early deviation patterns with initial momentum and DCTI confirmation
   Weakening Trends:  Divergent signals between deviation, momentum, and DCTI
   Reversal Conditions:  Counter-trend signals with DCTI confirmation
   Neutral Consolidations:  Minimal deviation with low momentum and neutral DCTI
 
A key innovation is the weighted influence of DCTI on rule activation. When strong DCTI readings align with other indicators, rule strength is amplified (up to 1.2x). Conversely, when DCTI contradicts other indicators, rule impact is reduced (as low as 0.5x). This creates a dynamic, self-adjusting system that prioritizes high-conviction signals.
 Defuzzification & Signal Generation 
The final step transforms fuzzy outputs into a precise trend score through center-of-gravity defuzzification:
 
// Defuzzification with precise floating-point handling
denominator = strength_SB + strength_WB + strength_N + strength_WBe + strength_SBe
if denominator > 1e-10
    fuzzyTrendScore := (strength_SB * STRONG_BULL + strength_WB * WEAK_BULL + 
                      strength_N * NEUTRAL + strength_WBe * WEAK_BEAR + 
                      strength_SBe * STRONG_BEAR) / denominator
 
The resulting FuzzyTrendScore ranges from -1.0 (Strong Bear) to +1.0 (Strong Bull), with critical threshold zones at ±0.3 (Weak trend) and ±0.7 (Strong trend). The histogram visualization employs intuitive color-coding for immediate trend assessment.
 Strategic Applications for Institutional Trading 
FibonacciFlux provides substantial advantages for sophisticated trading operations:
 
   Multi-Timeframe Signal Confirmation:  Institutional-grade signal validation across multiple technical dimensions
   Trend Strength Quantification:  Precise measurement of trend conviction with noise filtration
   Early Trend Identification:  Detection of emerging trends before traditional indicators through fuzzy pattern recognition
   Adaptive Market Regime Analysis:  Self-calibrating analysis across varying volatility environments
   Algorithmic Strategy Integration:  Well-defined numerical output suitable for systematic trading frameworks
   Risk Management Enhancement:  Superior signal fidelity for risk exposure optimization
 
 Customization Parameters 
FibonacciFlux offers extensive customization to align with specific trading mandates and market conditions:
 
   Fuzzy SMA Settings:  Configure baseline trend identification parameters including SMA, ROC, and RSI lengths
   Normalization Settings:  Fine-tune the self-calibration mechanism with adjustable lookback period, percentile rank, and optional clamping
   DCTI Parameters:  Optimize trend structure confirmation with adjustable major/minor periods and signal smoothing
   Visualization Controls:  Customize display transparency for optimal chart integration
 
These parameters enable precise calibration for different asset classes, timeframes, and market regimes while maintaining the core analytical framework.
 Implementation Notes 
For optimal implementation, consider the following guidance:
 
  Higher timeframes (4H+) benefit from increased normalization lookback (800+) for stability
  Volatile assets may require adjusted clamping values (2.5-4.0) for optimal signal sensitivity
  DCTI parameters should be aligned with chart timeframe (higher timeframes require increased major/minor periods)
  The indicator performs exceptionally well as a trend filter for systematic trading strategies
 
 Acknowledgments 
FibonacciFlux builds upon the pioneering work of Donovan Wall in Donchian Channel Trend Intensity analysis. The normalization approach draws inspiration from percentile-based statistical techniques in quantitative finance. This indicator is shared for educational and analytical purposes under Attribution-NonCommercial-ShareAlike 4.0 International (CC BY-NC-SA 4.0) license.
Past performance does not guarantee future results. All trading involves risk. This indicator should be used as one component of a comprehensive analysis framework.
Shout out @DonovanWall
 
在脚本中搜索"4月10日A股市场分析"
IWMA - DolphinTradeBot1️⃣ WHAT IS IT ? 
     ▪️   The  Inverted Weighted Moving Average (IWMA)  is the reversed version of WMA, where older prices receive higher weights, while recent prices receive lower weights. As a result, IWMA focuses more on past price movements while reducing sensitivity to new prices.
2️⃣ HOW IS IT  WORK ?  
      🔍 To understand the IWMA(Inverted Weighted Moving Average) indicator, let's first look at how WMA (Weighted Moving Average) is calculated.
 LET’S SAY WE SELECTED A LENGTH OF 5, AND OUR CURRENT CLOSING VALUES ARE  . 
 ▪️ WMA Calculation Method 
When calculating WMA, the most recent price gets the highest weight, while the oldest price gets the lowest weight.
               The Calculation is ;  
              ( 10 ×1)+( 12 ×2)+( 21 ×3)+( 24 ×4)+( 38 ×5) = 10+24+63+96+190   =    383
              1+2+3+4+5 = 15 
               WMA = 383/15 ≈ 25.53
               WMA = ta.wma(close,5) = 25.53
 ▪️ IWMA Calculation Method 
The Inverted Weighted Moving Average (IWMA) is the reversed version of WMA, where older prices receive higher weights, while recent prices receive lower weights. As a result, IWMA focuses more on past price movements while reducing sensitivity to new prices.
               The Calculation is ;  
              ( 10 ×5)+( 12 ×4)+( 21 ×3)+( 24 ×2)+( 38 ×1) = 50+48+63+48+38   =    247
              1+2+3+4+5 = 15 
               IWMA = 247/15 ≈ 16.46
               IWMA = iwma(close,5) = 16.46
3️⃣ SETTINGS  
in the indicator's settings, you can change the length and source used for calculation.
With the default settings, when you first add the indicator, only the iwma will be visible. However, to observe how much it differs from the normal wma calculation, you can enable the "show wma" option to see both indicators with the same settings or you can enable the Show Signals to see IWMA and WMA crossover signals .
4️⃣ 💡  SOME IDEAS  
You can use the indicator for support and resistance level analysis or trend analysis and reversal detection with short and long moving averages like regular moving averages.
Another option is to consider whether the iwma is above or below the normal wma or to evaluate the crossovers between wma and iwma.
db.Volume Spike IndicatorAn indicator that finds the average volume of the previous 10 candles and compares it with the volume of the last closed candle. If the volume of the last candle is 5 times the average of the last 10 candles, it marks this candle with a yellow symbol above or below the candle, depending on the direction of the candle.
=====
Индикатор, который находит среднее значение объём предыдущих 10 свечей и сравнивает его с объёмом последней закрытой свечи. Если объём последней свечи в  5 раз больше среднего за последние 10, то помечает эту свечу жёлтым символом над или под свечой в зависимости от направления свечи.
BTCUSD with adjustable sl,tpThis strategy is designed for swing traders who want to enter long positions on pullbacks after a short-term trend shift, while also allowing immediate short entries when conditions favor downside movement. It combines SMA crossovers, a fixed-percentage retracement entry, and adjustable risk management parameters for optimal trade execution.
Key Features:
✅ Trend Confirmation with SMA Crossover
The 10-period SMA crossing above the 25-period SMA signals a bullish trend shift.
The 10-period SMA crossing below the 25-period SMA signals a bearish trend shift.
Short trades are only taken if the price is below the 150 EMA, ensuring alignment with the broader trend.
📉 Long Pullback Entry Using Fixed Percentage Retracement
Instead of entering immediately on the SMA crossover, the strategy waits for a retracement before going long.
The pullback entry is defined as a percentage retracement from the recent high, allowing for an optimized entry price.
The retracement percentage is fully adjustable in the settings (default: 1%).
A dynamic support level is plotted on the chart to visualize the pullback entry zone.
📊 Short Entry Rules
If the SMA(10) crosses below the SMA(25) and price is below the 150 EMA, a short trade is immediately entered.
Risk Management & Exit Strategy:
🚀 Take Profit (TP) – Fully customizable profit target in points. (Default: 1000 points)
🛑 Stop Loss (SL) – Adjustable stop loss level in points. (Default: 250 points)
🔄 Break-Even (BE) – When price moves in favor by a set number of points, the stop loss is moved to break-even.
📌 Extra Exit Condition for Longs:
If the SMA(10) crosses below SMA(25) while the price is still below the EMA150, the strategy force-exits the long position to avoid reversals.
How to Use This Strategy:
Enable the strategy on your TradingView chart (recommended for stocks, forex, or indices).
Customize the settings – Adjust TP, SL, BE, and pullback percentage for your risk tolerance.
Observe the plotted retracement levels – When the price touches and bounces off the level, a long trade is triggered.
Let the strategy manage the trade – Break-even protection and take-profit logic will automatically execute.
Ideal Market Conditions:
✅ Trending Markets – The strategy works best when price follows strong trends.
✅ Stocks, Indices, or Forex – Can be applied across multiple asset classes.
✅ Medium-Term Holding Period – Suitable for swing trades lasting days to weeks.
Equity Curve with Trend Indicator (Long & Short) - SimulationOverview: 
Market Regime Detector via Virtual Equity Curve is a unique indicator that simulates the performance of a trend-following trading system—incorporating both long and short trades—to help you identify prevailing market regimes. By generating a “virtual equity” curve based on simple trend signals and applying trend analysis directly on that curve, this indicator visually differentiates trending regimes from mean-reverting (or sideways) periods. The result is an intuitive display where green areas indicate a trending (bullish) regime (i.e., where trend-following strategies are likely to perform well) and red areas indicate a mean-reverting (bearish) regime.
 Features: 
Simulated Trade Performance:
Uses a built-in trend-following logic (a simple 10/50 SMA crossover example) to simulate both long and short trades. This simulation creates a virtual equity curve that reflects the cumulative performance of the system over time.
Equity Trend Analysis:
Applies an Exponential Moving Average (EMA) to the simulated equity curve to filter short-term noise. The EMA acts as a trend filter, enabling the indicator to determine if the equity curve is in an upward (trending) or downward (mean-reverting) phase.
Dynamic Visual Regime Detection:
Fills the area between the equity curve and its EMA with green when the equity is above the EMA (indicating a healthy trending regime) and red when below (indicating a mean-reverting or underperforming regime).
Customizable Parameters:
Easily adjust the initial capital, the length of the equity EMA, and other settings to tailor the simulation and visual output to your trading style and market preferences.
 How It Works: 
Trade Simulation:
The indicator generates trading signals using a simple SMA crossover:
When the 10-period SMA is above the 50-period SMA, it simulates a long entry.
When the 10-period SMA is below the 50-period SMA, it simulates a short entry. The virtual equity is updated bar-by-bar based on these simulated positions.
Equity Trend Filtering:
An EMA is calculated on the simulated equity curve to smooth out fluctuations. The relative position of the equity curve versus its EMA is then used as a proxy for the market regime:
Bullish Regime: Equity is above its EMA → fill area in green.
Bearish Regime: Equity is below its EMA → fill area in red.
Visualization:
The indicator plots:
A gray line representing the simulated equity curve.
An orange line for the EMA of the equity curve.
A dynamic fill between the two lines, colored green or red based on the prevailing regime.
Inputs & Customization:
Initial Capital: Set your starting virtual account balance (default: 10,000 USD).
Equity EMA Length: Specify the lookback period for the EMA applied to the equity curve (default: 30).
Trend Signal Logic:
The current implementation uses a simple SMA crossover for demonstration purposes. Users can modify or replace this logic with their own trend-following indicator to tailor the simulation further.
Smart Scalper Indicator🎯 How the Smart Scalper Indicator Works
1. EMA (Exponential Moving Average)
    EMA 10 (Blue Line):
        Shows the short-term trend.
        If the price is above this line, the trend is bullish; if below, bearish.
    EMA 20 (Orange Line):
        Displays the longer-term trend.
        If EMA 10 is above EMA 20, it indicates a bullish trend (Buy signal).
2. SuperTrend
    Green Line:
        Represents support levels.
        If the price is above the green line, the market is considered bullish.
    Red Line:
        Represents resistance levels.
        If the price is below the red line, the market is considered bearish.
3. VWAP (Volume Weighted Average Price)
    Purple Line:
        Indicates the average price considering volume.
        If the price is above the VWAP, the market is strong (Buy signal).
        If the price is below the VWAP, the market is weak (Sell signal).
4. ATR (Average True Range)
    Used to measure market volatility.
    An increasing ATR indicates higher market activity, enhancing the reliability of signals.
    ATR is not visually displayed but is factored into the signal conditions.
⚡ Entry Signals
    Green Up Arrow (Buy):
        EMA 10 is above EMA 20.
        The price is above the SuperTrend green line.
        The price is above the VWAP.
        Volatility (ATR) is increasing.
    Red Down Arrow (Sell):
        EMA 10 is below EMA 20.
        The price is below the SuperTrend red line.
        The price is below the VWAP.
        Volatility (ATR) is increasing.
🔔 Alerts
    "Buy Alert" — Notifies when a Buy condition is met.
    "Sell Alert" — Notifies when a Sell condition is met.
✅ How to Use the Indicator:
    Add the indicator to your TradingView chart.
    Enable alerts to stay updated on signal triggers.
    Check the signal:
        A green arrow suggests a potential Buy.
        A red arrow suggests a potential Sell.
    Set Stop-Loss:
        Below the SuperTrend line or based on ATR levels.
    Take Profit:
        Target 1-2% for short-term trades.
US Yield Curve (2-10yr)US Yield Curve (2-10yr) by oonoon
2-10Y US Yield Curve and Investment Strategies
The 2-10 year US Treasury yield spread measures the difference between the 10-year and 2-year Treasury yields. It is a key indicator of economic conditions.
Inversion (Spread < 0%): When the 2-year yield exceeds the 10-year yield, it signals a potential recession. Investors may shift to long-term bonds (TLT, ZROZ), gold (GLD), or defensive stocks.
Steepening (Spread widening): A rising 10-year yield relative to the 2-year suggests economic expansion. Investors can benefit by shorting bonds (TBT) or investing in financial stocks (XLF). The Amundi US Curve Steepening 2-10Y ETF can be used to profit from this trend.
Monitoring the curve: Traders can track US10Y-US02Y on TradingView for real-time insights and adjust portfolios accordingly. 
Vertical Lines at Specific Times### **Script Description**  
This **Pine Script v6** indicator for **TradingView** plots **vertical dotted lines** at user-specified times, marking key time ranges during the day. It is designed to help traders visually track market movements within specific timeframes.  
#### **Features:**  
✔ **Custom Timeframes:**  
   - Two separate time ranges can be defined:  
     - **Morning Session:** (Default: 9 AM - 10 AM, New York Time)  
     - **Evening Session:** (Default: 9 PM - 10 PM, New York Time)  
✔ **Adjustable Line Properties:**  
   - **Line Width:** Users can change the thickness of the vertical lines.  
   - **Line Colors:** Users can select different colors for morning and evening session lines.  
✔ **New York Local Time Support:**  
   - Ensures that the vertical lines appear correctly based on **Eastern Time (ET)**.  
✔ **Full-Height Vertical Lines:**  
   - Lines extend across the **entire chart**, from the highest high to the lowest low, for clear visibility.  
   - Uses **dotted line style** to avoid cluttering the chart.  
#### **How It Works:**  
1. The script retrieves the **current date** (year, month, day) in **New York time**.  
2. Converts the **user-defined input times** into **timestamps** for accurate placement.  
3. When the current time matches a specified session time, a **dotted vertical line** is drawn.  
4. The script **repeats this process daily**, ensuring automatic updates.  
#### **Customization Options (Inputs):**  
- **Morning Start & End Time** (Default: 9 AM - 10 AM)  
- **Evening Start & End Time** (Default: 9 PM - 10 PM)  
- **Line Width** (Default: 2)  
- **Morning Line Color** (Default: Blue)  
- **Evening Line Color** (Default: Green)  
#### **Use Case Scenarios:**  
📈 Marking market **open & close** hours.  
📊 Highlighting **key trading sessions** for day traders.  
🔎 Identifying time-based **price action patterns**.  
Enhanced Volume Profile█ OVERVIEW 
The Enhanced Volume Profile (EVP) is an indicator designed to plot a volume profile on the chart based on either the visible chart range or a fixed lookback period. The script helps analyze the distribution of volume at different price levels over time, providing insights into areas of high trading activity and potential support/resistance zones.
 █ KEY FEATURES 
 1. Visible Chart Range vs. Fixed Lookback Depth 
 
 Visible Chart Range 
   - Default analysis mode
   - Calculates profile based on visible portion of the chart
   - Dynamically updates with chart view changes
 Fixed Lookback Depth 
   - Optional alternative to visible range
   - Uses specified number of bars (10-3000)
   - Provides consistent analysis depth
   - Independent of chart view
 
 2. Custom Resolution 
 Auto-Resolution Mode 
Automatically selects timeframes based on chart's current timeframe:
 
 ≤ 1 minute: Uses 1-minute resolution
 ≤ 5 minutes: Uses 1-minute resolution
 ≤ 15 minutes: Uses 5-minute resolution
 ≤ 1 hour: Uses 5-minute resolution
 ≤ 4 hours: Uses 15-minute resolution
 ≤ 12 hours: Uses 15-minute resolution
 ≤ 1 day: Uses 1-hour resolution
 ≤ 3 days: Uses 2-hours resolution
 ≤ 1 week: Uses 4-hours resolution
 
 Custom Resolution Override 
 
 Optional override of auto-resolution system
 Provides control over data granularity
 Must be lower than or equal to chart's timeframe
 Falls back to auto-resolution if validation fails
 
 3. Volume Profile Resolution 
 
 Adjustable number of points (10-400)
 Controls profile granularity
 Higher resolution provides more detail
 Balance between precision and performance
 
 4. Point of Control (PoC) 
 
 Identifies price level with highest traded volume
 Optional display with customizable appearance
 Adjustable line thickness (1-30)
 Configurable color
 
 5. Value Area (VA) 
 
 Shows price range of majority trading volume
 Adjustable coverage (5-95%), default is 68%
 Customizable boundary lines
 Configurable lines color and thickness (1-20)
 
 █ INPUT PARAMETERS 
 Lookback Settings 
 
 Use Visible Chart Range 
   - Default: true
   - Calculates profile based on visible bars
   - Ideal for focused analysis
 Fixed Lookback Bars 
   - Range: 10-3000
   - Default: 200
   - Used when visible range is disabled
 
 Resolution Settings 
 
 Enable Custom Resolution 
   - Default: false
   - Overrides auto-resolution
 Custom Resolution 
   - Default: 1-minute
   - Changes automatically when "Enable Custom Resolution" is disabled
 
 Volume Profile Appearance 
 
 Profile Resolution 
   - Range: 10-400
   - Default: 200
   - Controls detail level
 Profile Width Scale 
   - Range: 1-50
   - Default: 15
   - Adjusts profile width
 Right Offset 
   - Range: 0-500
   - Default: 20
   - Controls spacing from price bars
 Profile Fill Color 
   - Default: #5D606B (70% transparency)
 
 Point of Control Settings 
 
 Show Point of Control 
   - Default: true
   - Toggles PoC visibility
 PoC Line Thickness 
   - Range: 1-30
   - Default: 1
 PoC Line Color 
   - Default: Red
 
 Value Area Settings 
 
 Show Value Area 
   - Default: true
   - Toggles VA lines
 Value Area Coverage 
   - Range: 5-95%
   - Default: 68%
 Value Area Line Color 
   - Default: Blue
 Value Area Line Thickness 
   - Range: 1-20
   - Default: 1
 
 █ TECHNICAL IMPLEMENTATION DETAILS 
 Exceeding Bars Management  
 
 The script dynamically adjusts the number of bars used in the volume profile calculation based on the selected timeframe and the maximum allowed bars (max_bars_back).
 If the total number of bars exceeds the predefined threshold (6000 bars), the script reduces the lookback period (lookback_bars) by trimming some of the historical data, ensuring the chart does not become overloaded with data.
 The adjustment is made based on the ratio of bars per candle (bars_per_candle), ensuring that the volume profile remains computationally efficient while maintaining its relevance.
 
 █ EXAMPLE USE CASES 
 1. Visible Range Mode 
 
 For analyzing a recent trend and focusing on only the visible part of the chart, enabling the "Use Visible Chart Range" option calculates the profile based on the current view, without considering historical data outside the visible area.
 
 2. Fixed Lookback Depth 
 
 For analyzing a specific period in the past (e.g., the last 200 bars), disabling the visible range and setting a fixed lookback depth of 200 bars ensures the profile always considers the last 200 bars, regardless of the visible range.
 
 3. Custom Resolution 
 
 If there’s a need for greater control over the timeframe used for volume profile calculations (e.g., using a 5-minute resolution on a 15-minute chart), enabling custom resolution and setting the desired timeframe provides this control.
 
 HAPPY TRADING ✌️ 
The Final Countdown//Credit to ©SamRecio for the original indicator that this is based on, which is called, "HTF Bar Close Countdown". 
Here are the key differences between the two indicators (That a user would care about):
   1.) 10 timeframe slots (double the original number).
   2.) Many more timeframe options ('1', '3', '5', '10', '15', '30', '45', '1H', '2H', '4H', '6H', '8H', '12H', 'D', 'W').
   3.) Ability to structure timeframes however you want (Higher up top descending, vice versa, or just randomly.).
   4.) Support for hour-based timeframes (1H, 2H, etc.).
   5.) Displays minutes as numbers, hours with a number followed by H (ex. 1H), and anything above with a letter (D for day, W for week).
   6.) Dynamic colors based on remaining time percentage (green->yellow->red) with two user-defined thresholds.
   7.) Alerts for when timeframes are close to closing (yellow->red).
   8.) More granular timeframe selection options.
   9.) Background colors for an additional visual alert.
------Colors background the selected color for each timeframe (Default is all timeframes are blue with 80% transparency). 
------This does not repaint, so the color will persist once the red condition is over.
------As soon as you leave the timeframe though, it will be erased and the new timeframe will begin tracking red conditions. 
------It always starts from the current bar, so it is not applicable to historical bars unless you leave it running for an extended period of time. 
------Do note that since this is not actual paint or colored pencils, the colors do not blend. 
------The most recent timeframe to enter a red condition will be the background that you see unless you leave the timeframe and return.
--------------------------------------------------------------------------------------------------------------------
Now for the description and instructions....
IT'S THE FINAL COUNTDOWN!
This indicator helps shorter-timeframe traders track multiple timeframe closings simultaneously, providing visual, audio and notification alerts when bars are nearing their close. It's particularly useful for traders who want to prepare for potential price action around bar closings across different timeframes. If you're a HODL till you're broke kind of trader, you don't need this.
-------------------------------
Multi-Timeframe Tracking
-------------------------------
- Monitors up to 10 different timeframes simultaneously
- Supports various timeframes from 1 minute to weekly (1m, 3m, 5m, 10m, 15m, 30m, 45m, 1H, 2H, 4H, 6H, 8H, 12H, Daily, Weekly)
- Timeframes can be arranged in any order (ascending, descending, or custom)
-----------------
Visual Display
-----------------
- Shows a countdown timer for each selected timeframe
- Dynamic color changes based on time remaining:
       Green: More than 15% of bar time remaining
       Yellow: Between 15% and 5% remaining
       Red: Less than 5% remaining
- Customizable background colors appear when timeframes enter their red zone
----------------
Alert System
----------------
- Built-in alerts trigger when any timeframe enters its red zone
- Each timeframe can have its alerts toggled independently
------
-------------
--------------------------
- Setup Instructions -
--------------------------
-------------
------
-------------------------
Timeframe Selection
-------------------------
- Choose up to 10 timeframes to monitor
- Each timeframe has its own toggle switch to turn it on/off
- Default configuration starts from 5m and goes up to 12H
-------------------------
Visual Customization
-------------------------
- Adjust the table size, position
- Customize frame and border colors
- Modify the yellow and red threshold percentages
--------------------------------
Background Color Settings
--------------------------------
- Enable/disable background colors for each timeframe
- Choose custom colors for each timeframe's background
- Default setting is blue (with a fixed 80% transparency)
-------------
Usage Tips
-------------
- Use the countdown table to prepare for multiple timeframe closes as big moves (especially reversals) tend to begin come after higher timeframe changes (sometimes to the second).
- Watch for color changes to anticipate important closing periods to avoid getting trapped in bad trade (please always use stop losses if trading, in general).
- Set up alerts for critical timeframes that require immediate attention (2H, 4H, etc.).
- Use background colors as an additional visual cue for timeframe closes.
- Position the table where it won't interfere with your chart analysis.
BBSS+This Pine Script implements a custom indicator overlaying Bollinger Bands with additional features for trend analysis using Exponential Moving Averages (EMAs). Here's a breakdown of its functionality:
    Bollinger Bands:
        The script calculates the Bollinger Bands using a 20-period Simple Moving Average (SMA) as the basis and a multiplier of 2 for the standard deviation.
        It plots the Upper Band and Lower Band in red.
    EMA Calculations:
        Three EMAs are calculated for the close price with periods of 5, 10, and 40.
        The EMAs are plotted in green (5-period), cyan (10-period), and orange (40-period) to distinguish between them.
    Trend Detection:
        The script determines bullish or bearish EMA alignments:
            Bullish Order: EMA 5 > EMA 10 > EMA 40.
            Bearish Order: EMA 5 < EMA 10 < EMA 40.
    Entry Signals:
        Long Entry: Triggered when:
            The close price crosses above the Upper Bollinger Band.
            The Upper Band is above its 5-period SMA (indicating momentum).
            The EMAs are in a bullish order.
        Short Entry: Triggered when:
            The close price crosses below the Lower Bollinger Band.
            The Lower Band is below its 5-period SMA.
            The EMAs are in a bearish order.
    Trend State Tracking:
        A variable tracks whether the market is in a Long or Short trend based on conditions:
            A Long trend continues unless conditions for a Short Entry are met or the Upper Band dips below its average.
            A Short trend continues unless conditions for a Long Entry are met or the Lower Band rises above its average.
    Visual Aids:
        Signal Shapes:
            Triangle-up shapes indicate Long Entry points below the bar.
            Triangle-down shapes indicate Short Entry points above the bar.
        Bar Colors:
            Green bars indicate a Long trend.
            Red bars indicate a Short trend.
This script combines Bollinger Bands with EMA crossovers to generate entry signals and visualize market trends, making it a versatile tool for identifying momentum and trend reversals.
G&S SMT### Description of the Pine Script
This Pine Script is designed to identify **Smart Money Technique (SMT)** setups between **Gold (GC1!)** and **Silver (SI1!) Futures** on a **15-minute timeframe**. It specifically looks for divergences between the price movements of Gold and Silver over the last 4 candles and compares it with the next candle's price movement. The script provides **Bullish** and **Bearish** signals for SMT during a specified time range of **8:45 AM EST to 10:30 AM EST**.
### Key Features of the Script:
1. **Futures Symbols**: 
   - The script uses **Gold Futures (GC1!)** and **Silver Futures (SI1!)** on a 15-minute timeframe to monitor their price movements.
2. **Time Range Filtering**:
   - The signals are only active between **8:45 AM EST and 10:30 AM EST**, ensuring that the script only signals within the most relevant trading hours for your strategy.
3. **SMT Calculation (Last 4 Candles vs Next Candle)**:
   - **Gold and Silver Price Change Calculation**: The script compares the price changes of **Gold** and **Silver** over the **last 4 candles** and then compares them with the price movement of the **next candle**:
     - **Bullish SMT**: Occurs when Gold shows an increase in the last 4 candles while Silver shows a decrease, and both Gold and Silver show an increase in the next candle.
     - **Bearish SMT**: Occurs when Gold shows a decrease in the last 4 candles while Silver shows an increase, and both Gold and Silver show a decrease in the next candle.
4. **Bullish and Bearish Signals**:
   - **Bullish SMT Signal**: The script will plot a **green** arrow below the bar when a Bullish SMT setup is identified.
   - **Bearish SMT Signal**: A **red** arrow above the bar is plotted when a Bearish SMT setup is identified.
5. **Gold and Silver Difference Plot**:
   - The difference between the prices of **Gold** and **Silver** is plotted as a **blue line**, giving a visual representation of the relationship between the two assets. When the difference line moves significantly, it can indicate a potential divergence or convergence in the prices of Gold and Silver.
### Script Logic Breakdown:
1. **Price Change for Last 4 Candles**:
   - The script calculates the price change for Gold and Silver from the 4th-to-last candle to the last candle.
   - `gold_change_last4` and `silver_change_last4` calculate these price differences.
2. **Price Change for Next Candle**:
   - It then calculates the price change from the last candle to the next candle.
   - `gold_change_next` and `silver_change_next` calculate these price differences.
3. **Bullish SMT Condition**:
   - If Gold increased while Silver decreased in the last 4 candles, and both Gold and Silver show an increase in the next candle, it indicates a **Bullish SMT**.
4. **Bearish SMT Condition**:
   - If Gold decreased while Silver increased in the last 4 candles, and both Gold and Silver show a decrease in the next candle, it indicates a **Bearish SMT**.
5. **Time Filter**:
   - Signals are only plotted when the current time is between **8:45 AM EST and 10:30 AM EST** to match your preferred trading hours.
### Visualization:
- **Bullish Signals**: Plotted as **green arrows** below the bars when a Bullish SMT setup is identified.
- **Bearish Signals**: Plotted as **red arrows** above the bars when a Bearish SMT setup is identified.
- **Gold - Silver Difference**: A **blue line** is plotted to show the price difference between Gold and Silver, helping visualize any divergence.
### How It Helps:
- **Divergence Identification**: This script highlights potential divergences between Gold and Silver Futures, which can provide insights into market sentiment and smart money movements.
- **Focus on Relevant Time Frame**: By filtering signals between 8:45 AM EST and 10:30 AM EST, you are focusing on a timeframe that can be more beneficial for trading.
- **Visual Clarity**: The arrows and the price difference line provide clear signals and a visual representation of the relationship between Gold and Silver, helping you make informed trading decisions.
This script is an automated approach to detecting **SMT setups** and helping traders recognize when Gold and Silver might be signaling a bullish or bearish move based on their divergence patterns.
Alerts and symbolswhat is "Alerts and symbols"?
It is an indicator that allows you to watch more trading pairs and add alarms to them.
what it does?
It allows you to set a total of 20 different intersection alarms, 2 in each pair, for 10 different trading pairs at the same time.
It draws the candlestick chart of a pair you choose among 10 trading pairs and the alarm lines you created for this trading pair on the chart.
It also allows you to see the prices of 10 different trading pairs at the same time, thanks to the table it creates.
how to use it?
First, select the alarm pairs you want to use, for example, BTCUSDT pair is the default value for "pair 1". You can choose 10 different trading pairs as you wish. Just below each trading pair, there are two different sections titled "line 1" and "line 2" so that you can set an alarm. Type here the price levels at which you want to be alerted in case of a price crossover. 
You can use the "candle source" section to examine the candlestick charts of trading pairs. The indicator draws the candle chart of the trading pair selected in the "candle source" section.
Check the "show alert lines on chart" box to see the levels you have set an alarm for.
When everything is ready, first click on the three dots next to the indicator's name and then on the clock icon. then create an alarm and that's it.
Auto-Support v 0.3The "Auto-Support v 0.3" indicator is designed to automatically detect and plot multiple levels of support and resistance on a chart. It aims to help traders identify key price levels where the market tends to reverse or consolidate. Here’s a breakdown of its functionality and goals:
 Objective: 
The primary objective of the Auto-Support v 0.3 indicator is to provide traders with a clear, visual representation of support and resistance levels. These levels are determined based on a predefined sensitivity parameter, which adjusts how tightly or loosely the indicator reacts to recent price movements. The indicator can be applied to any chart to assist in identifying potential entry and exit points for trades, enhancing technical analysis by displaying these important price zones.
 Description: 
Support and Resistance Calculation:
The indicator calculates multiple levels of support and resistance using the highest and lowest prices over a defined period. The "sensitivity" parameter, which ranges from 1 to 10, determines how sensitive the calculation is to recent price changes. A higher value increases the number of bars used to calculate these levels, making the levels more stable but less responsive to short-term price movements.
Visual Representation:
The support levels are drawn in green with a customizable transparency setting, while resistance levels are displayed in red with similar transparency controls. This visual representation helps traders identify these levels on the chart and see the strength or weakness of the support/resistance zones depending on the transparency setting.
Multiple Levels:
The indicator plots 10 distinct levels of support and resistance (from 1 to 10), which can offer a more granular view of price action. Traders can use these levels to assess potential breakout or breakdown points.
Customization:
Sensitivity: The sensitivity input allows traders to adjust how aggressively the indicator reacts to recent price data. This ensures flexibility, enabling the indicator to be tailored to different trading styles and market conditions.
Transparency: The transparency input adjusts the visual opacity of the support and resistance lines, making it easier to overlay the indicator without obscuring other chart elements.
 Key Goals: 
Dynamic Support/Resistance Identification: Automatically detect and display relevant support and resistance levels based on price history, removing the need for manual chart analysis.
Customizable Sensitivity: Offer a flexible method to adjust how the indicator identifies key levels, allowing it to fit different market conditions.
Clear Visualization: Provide easy-to-read support and resistance levels with customizable colors and transparencies, enhancing visual clarity and decision-making.
Multiple Levels: Display up to 10 levels of support and resistance, allowing traders to consider both short-term and longer-term price action when making trading decisions.
By using this indicator, traders can more effectively identify key price zones where price may reverse, consolidate, or break out, providing a solid foundation for developing trading strategies.
ICT Macro Sessions by @zeusbottradingICT Macro Sessions Indicator 
The  ICT Macro Sessions Indicator  is a powerful tool designed for traders who follow the ICT (Inner Circle Trader) methodology and want to optimize their trading during specific high-probability time intervals. This indicator highlights all the key macro sessions throughout the trading day in the  GMT+8 (Hong Kong)  time zone.
 What Does the Indicator Do?   
This indicator visually marks  ICT Macro Sessions  on your trading chart using background colors and optional labels. Each session corresponds to specific time intervals when institutional activity is most likely to drive price action. By focusing on these periods, traders can align their strategies with market volatility and liquidity, increasing their chances of success.
 Highlighted Sessions   
The indicator covers all major ICT Macro Sessions, each with a unique color for easy identification:
 
 London Macro 1 (15:33–16:00 GMT+8):   
   - Marks the early London session, often characterized by strong directional moves.
 London Macro 2 (17:03–17:30 GMT+8):   
   - Captures the mid-London session, where price frequently reacts to liquidity levels.
 New York AM Macro 1 (22:50–23:10 GMT+8):   
   - Highlights the start of the New York session, a prime time for price reversals or continuations.
 New York AM Macro 2 (23:50–00:10 GMT+8):   
   - Focuses on late-morning New York activity, often aligning with key news releases.
 New York Lunch Macro (00:50–01:10 GMT+8):   
   - Covers the lunch period in New York, where price may consolidate or set up for afternoon moves.
 New York PM Macro 1 (02:10–02:40 GMT+8):   
   - Tracks post-lunch activity in New York, often featuring renewed volatility.
 New York PM Macro 2 (04:15–04:45 GMT+8):   
   - Captures late-session moves as institutional traders finalize their positions.
 
 Features of the Indicator 
 
 Fixed Time:  The indicator is pre-configured for GMT+8 but it will adapt automatically to your timezone. No need to change anything in the code.
 Background Highlighting:  Each session is visually marked with a unique background color for quick recognition.
 Optional Labels:  Traders can enable or disable labels for each session, providing flexibility in how information is displayed.
 Session Toggles:  You can choose which sessions to display based on your trading preferences and strategy.
 Intraday Timeframes:  The indicator is optimized for intraday charts with timeframes of 45 minutes or less. You can change it to anything you like.
 
 Why Use This Indicator? 
The ICT Macro Sessions Indicator helps traders focus on the most critical times of the trading day when institutional activity is at its peak. These periods often coincide with significant price movements, making them ideal for scalping, day trading, or even swing trading setups. By visually highlighting these sessions, the indicator eliminates guesswork and allows traders to plan their trades with precision.
CPR by NKDCentral Pivot Range (CPR) Trading Strategy: 
The Central Pivot Range (CPR) is a widely-used tool in technical analysis, helping traders pinpoint potential support and resistance levels in the market. By using the CPR effectively, traders can better gauge market trends and determine favorable entry and exit points. This guide explores how the CPR works, outlines its calculation, and describes how traders can enhance their strategies using an extended 10-line version of CPR.
 What Really Central Pivot Range (CPR) is? 
At its core, the CPR consists of three key lines:
 
 Pivot Point (PP)  – The central line, calculated as the average of the previous day’s high, low, and closing prices.
 Upper Range (R1)  – Positioned above the Pivot Point, acting as a potential ceiling where price may face resistance.
 Lower Range (S1)  – Found below the Pivot Point, serving as a potential floor where price might find support.
 
Advanced traders often expand on the traditional three-line CPR by adding extra levels above and below the pivot, creating up to a 10-line system. This extended CPR allows for a more nuanced understanding of the market and helps identify more detailed trading opportunities.
 Applying CPR for Trading Success 
 1. How CPR is Calculation 
        The CPR relies on the previous day's high (H), low (L), and close (C) prices to create its structure:
         Pivot Point (PP)  = (H + L + C) / 3
         First Resistance (R1)  = (2 * PP) - L
         First Support (S1)  = (2 * PP) - H
Additional resistance levels (R2, R3) and support levels (S2, S3) are calculated by adding or subtracting multiples of the previous day’s price range (H - L) from the Pivot Point.
 2. Recognizing the Market Trend 
         To effectively trade using CPR, it’s essential to first determine whether the market is trending up (bullish) or down (bearish). In an upward-trending market, traders focus on buying at support levels, while in a downward market, they look to sell near resistance.
 3. Finding Ideal Entry Points 
         Traders often look to enter trades when price approaches key levels within the CPR range. Support levels (S1, S2) offer buying opportunities, while resistance levels (R1, R2) provide selling opportunities. These points are considered potential reversal zones, where price may bounce or reverse direction.
 4. Managing Risk with Stop-Loss Orders 
         Proper risk management is crucial in any trading strategy. A stop-loss should be set slightly beyond the support level for buy positions and above the resistance level for sell positions, ensuring that losses are contained if the market moves against the trader’s position.
 5. Determining Profit Targets 
         Profit targets are typically set based on the distance between entry points and the next support or resistance level. Many traders apply a risk-reward ratio, aiming for larger potential profits compared to the potential losses. However, if the next resistance and support level is far then middle levels are used for targets (i.e. 50% of R1 and R2)
 6. Confirmation Through Other Indicators 
          While CPR provides strong support and resistance levels, traders often use additional indicators to confirm potential trade setups. Indicators such as moving averages can 
          help validate the signals provided by the CPR.
 7. Monitoring Price Action At CPR Levels 
         Constantly monitoring price movement near CPR levels is essential. If the price fails to break through a resistance level (R1) or holds firm at support (S1), it can offer cues on when to exit or adjust a trade. However, a strong price break past these levels often signals a continued trend.
 8. Trading Breakouts with CPR 
          When the price breaks above resistance or below support with strong momentum, it may signal a potential breakout. Traders can capitalize on these movements by entering positions in the direction of the breakout, ideally confirmed by volume or other technical indicators.
 9. Adapting to Changing Market Conditions 
         CPR should be used in the context of broader market influences, such as economic reports, news events, or geopolitical shifts. These factors can dramatically affect market direction and how price reacts to CPR levels, making it important to stay informed about external market conditions.
 10. Practice and Backtesting for Improvements 
          Like any trading tool, the CPR requires practice. Traders are encouraged to backtest their strategies on historical price data to get a better sense of how CPR works in different market environments. Continuous analysis and practice help improve decision-making and strategy refinement.
 The Advantages of Using a 10-Line CPR System 
An extended 10-line CPR system—comprising up to five resistance and five support levels—provides more granular control and insight into market movements. This expanded view helps traders better gauge trends and identify more opportunities for entry and exit. Key benefits include:
 
 R2, S2 Levels:  These act as secondary resistance or support zones, giving traders additional opportunities to refine their trade entries and exits.
 
 R3, S3 Levels:  Provide an even wider range for identifying reversals or trend continuations in more volatile markets.
 
 Flexibility:  The broader range of levels allows traders to adapt to changing market conditions and make more precise decisions based on market momentum.
 
 So in Essential: 
The Central Pivot Range is a valuable tool for traders looking to identify critical price levels in the market. By providing a clear framework for identifying potential support and resistance zones, it helps traders make informed decisions about entering and exiting trades. However, it’s important to combine CPR with sound risk management and additional confirmation through other technical indicators for the best results.
Although no trading tool guarantees success, the CPR, when used effectively and combined with practice, can significantly enhance a trader’s ability to navigate market fluctuations.
MENTFX AVERAGES MULTI TIMEFRAMEThe MENTFX AVERAGES MULTIME TIMEFRAME indicator is designed to provide traders with the ability to visualize multiple moving averages (MAs) from higher timeframes on their current chart, regardless of the chart's timeframe. It combines the power of exponential moving averages (EMAs) to help traders identify trends, spot potential reversal points, and make more informed trading decisions.
Key Features:
Multi-Timeframe Moving Averages: This indicator plots moving averages from daily timeframes directly on your chart, helping you keep track of higher timeframe trends while trading in any timeframe.
Customizable Moving Averages: You can adjust the length and visibility of up to three EMAs (default settings are 5, 10, and 20-period EMAs) to suit your trading style.
Overlay on Price: The indicator is designed to be overlaid on your price chart, seamlessly integrating with your existing analysis.
Simple but Effective: By offering a clear visual guide to where price is trading relative to important higher timeframe levels, this indicator helps traders avoid trading against major trends.
Why It’s Unique:
Validation Timeframe Flexibility: Unlike traditional moving average indicators that only work within the same chart's timeframe, the MENTFX AVERAGES M indicator allows you to pull moving averages from higher timeframes (default: Daily) and overlay them on any chart you're currently viewing, whether it's intraday (minutes) or even weekly. This cross-timeframe visibility is critical in determining the true market trend, adding context to your trades.
Customizability: Although the default settings focus on daily EMAs (5, 10, and 20 periods), traders can modify the parameters, including the type of moving average (Simple, Weighted, etc.), making it adaptable for any strategy. Whether you want shorter-term or longer-term averages, this indicator covers your needs.
Trend Confirmation Tool: The use of multiple EMAs helps traders confirm trend direction and potential price breakouts or reversals. For example, when the shorter-term 5 EMA crosses above the 20 EMA, it can signal a potential bullish trend, while the opposite could indicate bearish pressure.
How This Indicator Helps:
Identify Key Support and Resistance Levels: Higher timeframe moving averages often act as dynamic support and resistance. This indicator helps you stay aware of those critical levels, even when trading lower timeframes.
Trend Identification: Knowing where the market is relative to the 5, 10, and 20 EMAs from a higher timeframe gives you a clearer picture of whether you're trading with or against the prevailing trend.
Improved Decision Making: By aligning your trades with the direction of higher timeframe trends, you can increase your confidence in trade entries and exits, avoiding low-probability setups.
Multi-Market Use: This indicator works well across various asset classes—stocks, forex, crypto, and commodities—making it versatile for any trader.
How to Use:
Intraday Trading: Use the daily EMAs as a guide to see if intraday price movements align with longer-term trends.
Swing Trading: Plot daily EMAs to track the strength of a larger trend, using pullbacks to the moving averages as potential entry points.
Trend Trading: Monitor crossovers between the moving averages to signal potential changes in trend direction.
Default Settings:
5 EMA (Daily) – Blue Line
10 EMA (Daily) – Black Line
20 EMA (Daily) – Red Line
These lines will plot on your chart with a subtle opacity (33%) to ensure they don’t obstruct price action, while still providing crucial visual guidance on market trends.
This indicator is perfect for traders who want to blend technical analysis with multi-timeframe insights, helping you stay in sync with broader market movements while executing trades on any timeframe.
Bull/Bear Ratio By Month Table [MsF]Japanese below / 日本語説明は英文の後にあります。
-------------------------
This is an indicator that shows monthly bull-bear ratio in a table.
By specifying the start year and end year, the ratio will be calculated and showed based on the number of bullish and bearish lines in the monthly bar. It allows you to analyze the trend of each symbol and month (bullish / bearish). Up to 10 symbols can be specified.
You can take monthly bull-bear ratio for the past 10 or 20 years on the web, but with this indicator, you can narrow it down to the period in which you want to see the symbols you want to see. It is very convenient because you can take statistics at will.
Furthermore, if the specified ratio is exceeded, the font color can be changed to any color, making it very easy to read.
=== Parameter description ===
- From … Year of start of aggregation
- To … Year of end of aggregation
- Row Background Color … Row title background color
- Col Background Color … Column title background color
- Base Text Color … Text color
- Background Color … Background Color
- Border Color … Border Color
- Location … Location
- Text Size … Text Size
- Highlight Threshold … Ratio threshold, and color
- Display in counter? … Check if you want to show the number of times instead of the ratio
-------------------------
月別陰陽確率をテーブル表示するインジケータです。
開始年から終了年を指定することで、月足における陽線数および陰線数を元に確率を計算して表示します。
この機能により各シンボルおよび各月の特徴(買われやすい/売られやすい)を認識することができアノマリー分析が可能です。
シンボルは10個まで指定可能です。
過去10年、20年の月別陰陽確率は、Web上でよく見かけますが、このインジケータでは見たいシンボルを見たい期間に絞って、
自由自在に統計を取ることができるため大変便利です。
なお、指定した確率を上回った場合、文字色を任意の色に変更することができるため、大変見やすくなっています。
=== パラメータの説明 ===
- From … 集計開始年
- To … 集計終了年
- Row Background Color … 行タイトルの背景色
- Col Background Color … 列タイトルの背景色
- Base Text Color … テキストカラー
- Background Color … 背景色
- Border Color … 区切り線の色
- Location … 配置
- Text Size … テキストサイズ
- Highlight Threshold … 色変更する確率の閾値、および色
- Display in counter? … 確率ではなく回数表示する場合はチェックする
JordanSwindenLibraryLibrary   "JordanSwindenLibrary" 
TODO: add library description here
 getDecimals() 
  Calculates how many decimals are on the quote price of the current market
  Returns: The current decimal places on the market quote price
 getPipSize(multiplier) 
  Calculates the pip size of the current market
  Parameters:
     multiplier (int) : The mintick point multiplier (1 by default, 10 for FX/Crypto/CFD but can be used to override when certain markets require)
  Returns: The pip size for the current market
 truncate(number, decimalPlaces) 
  Truncates (cuts) excess decimal places
  Parameters:
     number (float) : The number to truncate
     decimalPlaces (simple float) : (default=2) The number of decimal places to truncate to
  Returns: The given number truncated to the given decimalPlaces
 toWhole(number) 
  Converts pips into whole numbers
  Parameters:
     number (float) : The pip number to convert into a whole number
  Returns: The converted number
 toPips(number) 
  Converts whole numbers back into pips
  Parameters:
     number (float) : The whole number to convert into pips
  Returns: The converted number
 getPctChange(value1, value2, lookback) 
  Gets the percentage change between 2 float values over a given lookback period
  Parameters:
     value1 (float) : The first value to reference
     value2 (float) : The second value to reference
     lookback (int) : The lookback period to analyze
  Returns: The percent change over the two values and lookback period
 random(minRange, maxRange) 
  Wichmann–Hill Pseudo-Random Number Generator
  Parameters:
     minRange (float) : The smallest possible number (default: 0)
     maxRange (float) : The largest possible number (default: 1)
  Returns: A random number between minRange and maxRange
 bullFib(priceLow, priceHigh, fibRatio) 
  Calculates a bullish fibonacci value
  Parameters:
     priceLow (float) : The lowest price point
     priceHigh (float) : The highest price point
     fibRatio (float) : The fibonacci % ratio to calculate
  Returns: The fibonacci value of the given ratio between the two price points
 bearFib(priceLow, priceHigh, fibRatio) 
  Calculates a bearish fibonacci value
  Parameters:
     priceLow (float) : The lowest price point
     priceHigh (float) : The highest price point
     fibRatio (float) : The fibonacci % ratio to calculate
  Returns: The fibonacci value of the given ratio between the two price points
 getMA(length, maType) 
  Gets a Moving Average based on type (! MUST BE CALLED ON EVERY TICK TO BE ACCURATE, don't place in scopes)
  Parameters:
     length (simple int) : The MA period
     maType (string) : The type of MA
  Returns: A moving average with the given parameters
 barsAboveMA(lookback, ma) 
  Counts how many candles are above the MA
  Parameters:
     lookback (int) : The lookback period to look back over
     ma (float) : The moving average to check
  Returns: The bar count of how many recent bars are above the MA
 barsBelowMA(lookback, ma) 
  Counts how many candles are below the MA
  Parameters:
     lookback (int) : The lookback period to look back over
     ma (float) : The moving average to reference
  Returns: The bar count of how many recent bars are below the EMA
 barsCrossedMA(lookback, ma) 
  Counts how many times the EMA was crossed recently (based on closing prices)
  Parameters:
     lookback (int) : The lookback period to look back over
     ma (float) : The moving average to reference
  Returns: The bar count of how many times price recently crossed the EMA (based on closing prices)
 getPullbackBarCount(lookback, direction) 
  Counts how many green & red bars have printed recently (ie. pullback count)
  Parameters:
     lookback (int) : The lookback period to look back over
     direction (int) : The color of the bar to count (1 = Green, -1 = Red)
  Returns: The bar count of how many candles have retraced over the given lookback & direction
 getBodySize() 
  Gets the current candle's body size (in POINTS, divide by 10 to get pips)
  Returns: The current candle's body size in POINTS
 getTopWickSize() 
  Gets the current candle's top wick size (in POINTS, divide by 10 to get pips)
  Returns: The current candle's top wick size in POINTS
 getBottomWickSize() 
  Gets the current candle's bottom wick size (in POINTS, divide by 10 to get pips)
  Returns: The current candle's bottom wick size in POINTS
 getBodyPercent() 
  Gets the current candle's body size as a percentage of its entire size including its wicks
  Returns: The current candle's body size percentage
 isHammer(fib, colorMatch) 
  Checks if the current bar is a hammer candle based on the given parameters
  Parameters:
     fib (float) : (default=0.382) The fib to base candle body on
     colorMatch (bool) : (default=false) Does the candle need to be green? (true/false)
  Returns: A boolean - true if the current bar matches the requirements of a hammer candle
 isStar(fib, colorMatch) 
  Checks if the current bar is a shooting star candle based on the given parameters
  Parameters:
     fib (float) : (default=0.382) The fib to base candle body on
     colorMatch (bool) : (default=false) Does the candle need to be red? (true/false)
  Returns: A boolean - true if the current bar matches the requirements of a shooting star candle
 isDoji(wickSize, bodySize) 
  Checks if the current bar is a doji candle based on the given parameters
  Parameters:
     wickSize (float) : (default=2) The maximum top wick size compared to the bottom (and vice versa)
     bodySize (float) : (default=0.05) The maximum body size as a percentage compared to the entire candle size
  Returns: A boolean - true if the current bar matches the requirements of a doji candle
 isBullishEC(allowance, rejectionWickSize, engulfWick) 
  Checks if the current bar is a bullish engulfing candle
  Parameters:
     allowance (float) : (default=0) How many POINTS to allow the open to be off by (useful for markets with micro gaps)
     rejectionWickSize (float) : (default=disabled) The maximum rejection wick size compared to the body as a percentage
     engulfWick (bool) : (default=false) Does the engulfing candle require the wick to be engulfed as well?
  Returns: A boolean - true if the current bar matches the requirements of a bullish engulfing candle
 isBearishEC(allowance, rejectionWickSize, engulfWick) 
  Checks if the current bar is a bearish engulfing candle
  Parameters:
     allowance (float) : (default=0) How many POINTS to allow the open to be off by (useful for markets with micro gaps)
     rejectionWickSize (float) : (default=disabled) The maximum rejection wick size compared to the body as a percentage
     engulfWick (bool) : (default=false) Does the engulfing candle require the wick to be engulfed as well?
  Returns: A boolean - true if the current bar matches the requirements of a bearish engulfing candle
 isInsideBar() 
  Detects inside bars
  Returns: Returns true if the current bar is an inside bar
 isOutsideBar() 
  Detects outside bars
  Returns: Returns true if the current bar is an outside bar
 barInSession(sess, useFilter) 
  Determines if the current price bar falls inside the specified session
  Parameters:
     sess (simple string) : The session to check
     useFilter (bool) : (default=true) Whether or not to actually use this filter
  Returns: A boolean - true if the current bar falls within the given time session
 barOutSession(sess, useFilter) 
  Determines if the current price bar falls outside the specified session
  Parameters:
     sess (simple string) : The session to check
     useFilter (bool) : (default=true) Whether or not to actually use this filter
  Returns: A boolean - true if the current bar falls outside the given time session
 dateFilter(startTime, endTime) 
  Determines if this bar's time falls within date filter range
  Parameters:
     startTime (int) : The UNIX date timestamp to begin searching from
     endTime (int) : the UNIX date timestamp to stop searching from
  Returns: A boolean - true if the current bar falls within the given dates
 dayFilter(monday, tuesday, wednesday, thursday, friday, saturday, sunday) 
  Checks if the current bar's day is in the list of given days to analyze
  Parameters:
     monday (bool) : Should the script analyze this day? (true/false)
     tuesday (bool) : Should the script analyze this day? (true/false)
     wednesday (bool) : Should the script analyze this day? (true/false)
     thursday (bool) : Should the script analyze this day? (true/false)
     friday (bool) : Should the script analyze this day? (true/false)
     saturday (bool) : Should the script analyze this day? (true/false)
     sunday (bool) : Should the script analyze this day? (true/false)
  Returns: A boolean - true if the current bar's day is one of the given days
 atrFilter(atrValue, maxSize) 
  Parameters:
     atrValue (float) 
     maxSize (float) 
 tradeCount() 
  Calculate total trade count
  Returns: Total closed trade count
 isLong() 
  Check if we're currently in a long trade
  Returns: True if our position size is positive
 isShort() 
  Check if we're currently in a short trade
  Returns: True if our position size is negative
 isFlat() 
  Check if we're currentlyflat
  Returns: True if our position size is zero
 wonTrade() 
  Check if this bar falls after a winning trade
  Returns: True if we just won a trade
 lostTrade() 
  Check if this bar falls after a losing trade
  Returns: True if we just lost a trade
 maxDrawdownRealized() 
  Gets the max drawdown based on closed trades (ie. realized P&L). The strategy tester displays max drawdown as open P&L (unrealized).
  Returns: The max drawdown based on closed trades (ie. realized P&L). The strategy tester displays max drawdown as open P&L (unrealized).
 totalPipReturn() 
  Gets the total amount of pips won/lost (as a whole number)
  Returns: Total amount of pips won/lost (as a whole number)
 longWinCount() 
  Count how many winning long trades we've had
  Returns: Long win count
 shortWinCount() 
  Count how many winning short trades we've had
  Returns: Short win count
 longLossCount() 
  Count how many losing long trades we've had
  Returns: Long loss count
 shortLossCount() 
  Count how many losing short trades we've had
  Returns: Short loss count
 breakEvenCount(allowanceTicks) 
  Count how many break-even trades we've had
  Parameters:
     allowanceTicks (float) : Optional - how many ticks to allow between entry & exit price (default 0)
  Returns: Break-even count
 longCount() 
  Count how many long trades we've taken
  Returns: Long trade count
 shortCount() 
  Count how many short trades we've taken
  Returns: Short trade count
 longWinPercent() 
  Calculate win rate of long trades
  Returns: Long win rate (0-100)
 shortWinPercent() 
  Calculate win rate of short trades
  Returns: Short win rate (0-100)
 breakEvenPercent(allowanceTicks) 
  Calculate break even rate of all trades
  Parameters:
     allowanceTicks (float) : Optional - how many ticks to allow between entry & exit price (default 0)
  Returns: Break-even win rate (0-100)
 averageRR() 
  Calculate average risk:reward
  Returns: Average winning trade divided by average losing trade
 unitsToLots(units) 
  (Forex) Convert the given unit count to lots (multiples of 100,000)
  Parameters:
     units (float) : The units to convert into lots
  Returns: Units converted to nearest lot size (as float)
 getFxPositionSize(balance, risk, stopLossPips, fxRate, lots) 
  (Forex) Calculate fixed-fractional position size based on given parameters
  Parameters:
     balance (float) : The account balance
     risk (float) : The % risk (whole number)
     stopLossPips (float) : Pip distance to base risk on
     fxRate (float) : The conversion currency rate (more info below in library documentation)
     lots (bool) : Whether or not to return the position size in lots rather than units (true by default)
  Returns: Units/lots to enter into "qty=" parameter of strategy entry function
EXAMPLE USAGE:
string conversionCurrencyPair = (strategy.account_currency == syminfo.currency ? syminfo.tickerid : strategy.account_currency + syminfo.currency)
float fx_rate = request.security(conversionCurrencyPair, timeframe.period, close ) 
if (longCondition)
strategy.entry("Long", strategy.long, qty=zen.getFxPositionSize(strategy.equity, 1, stopLossPipsWholeNumber, fx_rate, true))
 skipTradeMonteCarlo(chance, debug) 
  Checks to see if trade should be skipped to emulate rudimentary Monte Carlo simulation
  Parameters:
     chance (float) : The chance to skip a trade (0-1 or 0-100, function will normalize to 0-1)
     debug (bool) : Whether or not to display a label informing of the trade skip
  Returns: True if the trade is skipped, false if it's not skipped (idea being to include this function in entry condition validation checks)
 fillCell(tableID, column, row, title, value, bgcolor, txtcolor, tooltip) 
  This updates the given table's cell with the given values
  Parameters:
     tableID (table) : The table ID to update
     column (int) : The column to update
     row (int) : The row to update
     title (string) : The title of this cell
     value (string) : The value of this cell
     bgcolor (color) : The background color of this cell
     txtcolor (color) : The text color of this cell
     tooltip (string) 
  Returns: Nothing.
Rempi Volume
   
Greetings, dear traders. I present to your attention the concept of a Rempi Volume indicator + info table.
Rempi Volume displays volume in a color palette, where:
gray color - very weak volume,
blue color - weak volume,
green color - normal volume,
orange color - high volume,
red color - very high volume,
purple color - ultra high volume
The indicator also supports the function of displaying a moving average, the default is 20.
The indicator can color bars on the main price chart, depending on how much volume is currently inside the bar.
The Rempi Volume indicator table has the following information for the trader:
Current Bar  -information about the current bar: its volume in real time, as well as the percentage of buyers and sellers.
Previous Bar - information about the previous bar: its volume, as well as the percentage of buyers and sellers. (data is updated at bar close)
10 Bar Volume Comparison - data on the volume of buyers or sellers for the previous 10 bars on the chart.
Volume Change - changing the amount of volume between the current and previous bar, in real time.
Average Volume - average trading volume for the current day.
Market Volatility - market volatility and recommendations.
Current Trend - current trend on the market.
RSI - RSI indicator and recommendations.
/////////////////////////////////////////////////////////////
   
Приветствую вас уважаемые трейдеры. Вашему вниманию представляю концепт индикатора объемов Rempi Volume + информативная таблица.
Rempi Volume отображает объем в цветовой палитре , где:
серый цвет - очень слабый объем,
голубой цвет - слабый объем,
зеленый цвет - нормальный объем,
оранжевый цвет - высокий объем,
красный цвет - очень высокий объем,
фиолетовый цвет - ультра высокий объем
Также индикатор поддерживает функцию отображения скользящей средней, по умолчанию равна 20.
Индикатор может окрашивать бары на основном графике цены, в зависимости ,какой объем в данный момент внутри бара.
Таблица индикатора Rempi Volume имеет следующую информацию для трейдера:
Current Bar  - информация о  текущем баре: его объем в режиме реального времени,  а также процентное соотношение покупателей и продавцов.
Previous Bar - информация о  предыдущем баре: его объем , а также процентное соотношение покупателей и продавцов. ( данные обновляются на закрытии бара )
10 Bar Volume Comparison - данные об объеме покупателей или продавцов за предыдущие 10 баров на графике.
Volume Change - изменение количества объема между текущим и предыдущим баром,в режиме реального времени.
Average Volume - средний объем торгов за текущий день.
Market Volatility - волатильность рынка и рекомендации.
Current Trend - текущее направление рынка.
RSI - показатель RSI и рекомендации.
Swing Trend AnalysisIntroducing the  Swing Trend Analyzer: A Powerful Tool for Swing and Positional Trading 
The  Swing Trend Analyzer  is a cutting-edge indicator designed to enhance your swing and positional trading by providing precise entry points based on volatility contraction patterns and other key technical signals. This versatile tool is packed with features that cater to traders of all timeframes, offering flexibility, clarity, and actionable insights.
 Key Features: 
 1. Adaptive Moving Averages: 
The Swing Trend Analyzer offers multiple moving averages tailored to the timeframe you are trading on. On the daily chart, you can select up to four different moving average lengths, while all other timeframes provide three moving averages. This flexibility allows you to fine-tune your analysis according to your trading strategy. Disabling a moving average is as simple as setting its value to zero, making it easy to customize the indicator to your needs.
 2. Dynamic Moving Average Colors Based on Relative Strength: 
This feature allows you to compare the performance of the current ticker against a major index or any symbol of your choice. The moving average will change color based on whether the ticker is outperforming or underperforming the selected index over the chosen period. For example, on a daily chart, if the 21-day moving average turns blue, it indicates that the ticker has outperformed the selected index over the last 21 days. This visual cue helps you quickly identify relative strength, a key factor in successful swing trading.
 3. Visual Identification of Price Contractions: 
The Swing Trend Analyzer changes the color of price bars to white (on a dark theme) or black (on a light theme) when a contraction in price is detected. Price contractions are highlighted when either of the following conditions is met: a) the current bar is an inside bar, or b) the price range of the current bar is less than the 14-period Average Daily Range (ADR). This feature makes it easier to spot price contractions across all timeframes, which is crucial for timing entries in swing trading.
 4. Overhead Supply Detection with Automated Resistance Lines: 
The indicator intelligently detects the presence of overhead supply and draws a single resistance line to avoid clutter on the chart. As price breaches the resistance line, the old line is automatically deleted, and a new resistance line is drawn at the appropriate level. This helps you focus on the most relevant resistance levels, reducing noise and improving decision-making.
 5. Buyable Gap Up Marker:  The indicator highlights bars in blue when a candle opens with a gap that remains unfilled. These bars are potential Buyable Gap Up (BGU) candidates, signaling opportunities for long-side entries.
 6. Comprehensive Swing Trading Information Table: 
The indicator includes a detailed table that provides essential data for swing trading:
 a. Sector and Industry Information:  Understand the sector and industry of the ticker to identify stocks within strong sectors.
 b. Key Moving Averages Distances (10MA, 21MA, 50MA, 200MA):  Quickly assess how far the current price is from key moving averages. The color coding indicates whether the price is near or far from these averages, offering vital visual cues.
 c. Price Range Analysis:  Compare the current bar's price range with the previous bar's range to spot contraction patterns.
 d. ADR (20, 10, 5):  Displays the Average Daily Range over the last 20, 10, and 5 periods, crucial for identifying contraction patterns. On the weekly chart, the ADR continues to provide daily chart information.
 e. 52-Week High/Low Data:  Shows how close the stock is to its 52-week high or low, with color coding to highlight proximity, aiding in the identification of potential breakout or breakdown candidates.
 f. 3-Month Price Gain:  See the price gain over the last three months, which helps identify stocks with recent momentum.
 7. Pocket Pivot Detection with Visual Markers: 
Pocket pivots are a powerful bullish signal, especially relevant for swing trading. Pocket pivots are crucial for swing trading and are effective across all timeframes. The indicator marks pocket pivots with circular markers below the price bar:
 a. 10-Day Pocket Pivot:  Identified when the volume exceeds the maximum selling volume of the last 10 days. These are marked with a blue circle.
 b. 5-Day Pocket Pivot:  Identified when the volume exceeds the maximum selling volume of the last 5 days. These are marked with a green circle.
The Swing Trend Analyzer is designed to provide traders with the tools they need to succeed in swing and positional trading. Whether you're looking for precise entry points, analyzing relative strength, or identifying key price contractions, this indicator has you covered. Experience the power of advanced technical analysis with the Swing Trend Analyzer and take your trading to the next level.
WaveTrend With Divs & RSI(STOCH) Divs by WeloTradesWaveTrend with Divergences & RSI(STOCH) Divergences by WeloTrades 
 Overview 
 The "WaveTrend With Divergences & RSI(STOCH) Divergences" is an advanced Pine Script™ indicator designed for TradingView, offering a multi-dimensional analysis of market conditions. This script integrates several technical indicators—WaveTrend, Money Flow Index (MFI), RSI, and Stochastic RSI—into a cohesive tool that identifies both regular and hidden divergences across these indicators. These divergences can indicate potential market reversals and provide critical trading opportunities. 
 This indicator is not just a simple combination of popular tools; it offers extensive customization options, organized data presentation, and valuable trading signals that are easy to interpret. Whether you're a day trader or a long-term investor, this script enhances your ability to make informed decisions. 
 Originality and Usefulness 
 The originality of this script lies in its integration and the synergy it creates among the indicators used. Rather than merely combining multiple indicators, this script allows them to work together, enhancing each other's strengths. For example, by identifying divergences across WaveTrend, RSI, and Stochastic RSI simultaneously, the script provides multiple layers of confirmation, which reduces the likelihood of false signals and increases the reliability of trading signals. 
 The usefulness of this script is apparent in its ability to offer a consolidated view of market dynamics. It not only simplifies the analytical process by combining different indicators but also provides deeper insights through its divergence detection features. This comprehensive approach is designed to help traders identify potential market reversals, confirm trends, and ultimately make more informed trading decisions. 
 How the Components Work Together 
 1. Cross-Validation of Signals 
 
 WaveTrend:  This indicator is primarily used to identify overbought and oversold conditions, as well as potential buy and sell signals. WaveTrend's ability to smooth price data and reduce noise makes it a reliable tool for identifying trend reversals.
 RSI & Stochastic RSI:  These momentum oscillators are used to measure the speed and change of price movements. While RSI identifies general overbought and oversold conditions, Stochastic RSI offers a more granular view by tracking the RSI’s level relative to its high-low range over a period of time. When these indicators align with WaveTrend signals, it adds a layer of confirmation that enhances the reliability of the signals.
 Money Flow Index (MFI):  This volume-weighted indicator assesses the inflow and outflow of money in an asset, giving insights into buying and selling pressure. By analyzing the MFI alongside WaveTrend and RSI indicators, the script can cross-validate signals, ensuring that buy or sell signals are supported by actual market volume.
 
 Example Bullish scenario: 
  
 When a bullish divergence is detected on the RSI and confirmed by a corresponding bullish signal on the WaveTrend, along with an increasing Money Flow Index, the probability of a successful trade setup increases. This cross-validation minimizes the risk of acting on false signals, which might occur when relying on a single indicator. 
 Example Bearish scenario: 
  
 When a bearish divergence is detected on the RSI and confirmed by a corresponding bearish signal on the WaveTrend, along with an decreasing Money Flow Index, the probability of a successful trade setup increases. This cross-validation minimizes the risk of acting on false signals, which might occur when relying on a single indicator. 
 2. Divergence Detection and Market Reversals 
 
 Regular Divergences:  Occur when the price action and an indicator (like RSI or WaveTrend) move in opposite directions. Regular bullish divergence signals a potential upward reversal when the price makes a lower low while the indicator makes a higher low. Conversely, regular bearish divergence suggests a downward reversal when the price makes a higher high, but the indicator makes a lower high.
 Hidden Divergences:  These occur when the price action and indicator move in the same direction, but with different momentum. Hidden bullish divergence suggests the continuation of an uptrend, while hidden bearish divergence suggests the continuation of a downtrend. By detecting these divergences across multiple indicators, the script identifies potential trend reversals or continuations with greater accuracy.
 Example:   The script might detect a regular bullish divergence on the WaveTrend while simultaneously identifying a hidden bullish divergence on the RSI. This combination suggests that while a trend reversal is possible, the overall market sentiment remains bullish, providing a nuanced view of the market. 
 
A Regular Bullish Divergence Example:
  
A Hidden Bullish Divergence Example:
  
A Regular Bearish Divergence Example:
  
A Hidden Bearish Divergence Example:
  
 3. Trend Strength and Sentiment Analysis 
 
 WaveTrend:  Measures the strength and direction of the trend. By identifying the extremes of market sentiment (overbought and oversold levels), WaveTrend provides early signals for potential reversals.
 Money Flow Index (MFI):  Assesses the underlying sentiment by analyzing the flow of money. A rising MFI during an uptrend confirms strong buying pressure, while a falling MFI during a downtrend confirms selling pressure. This helps traders assess whether a trend is likely to continue or reverse.
 RSI & Stochastic RSI:  Offer a momentum-based perspective on the trend’s strength. High RSI or Stochastic RSI values indicate that the asset may be overbought, suggesting a potential reversal. Conversely, low values indicate oversold conditions, signaling a possible upward reversal.
 
 Example: 
  
 During a strong uptrend, the WaveTrend & RSI's might signal overbought conditions, suggesting caution. If the MFI also shows decreasing buying pressure and the RSI reaches extreme levels, these indicators together suggest that the trend might be weakening, and a reversal could be imminent. 
 Example: 
  
 During a strong downtrend, the WaveTrend & RSI's might signal oversold conditions, suggesting caution. If the MFI also shows increasing buying pressure and the RSI reaches extreme levels, these indicators together suggest that the trend might be weakening, and a reversal could be imminent. 
 Conclusion 
 The "WaveTrend With Divergences & RSI(STOCH) Divergences" script offers a powerful, integrated approach to technical analysis by combining trend, momentum, and sentiment indicators into a single tool. Its unique value lies in the cross-validation of signals, the ability to detect divergences, and the comprehensive view it provides of market conditions. By offering traders multiple layers of analysis and customization options, this script is designed to enhance trading decisions, reduce false signals, and provide clearer insights into market dynamics. 
 WAVETREND 
 Display of WaveTrend: 
  
 Display of WaveTrend Setting: 
  
 WaveTrend Indicator Explanation 
 The WaveTrend indicator helps identify overbought and oversold conditions, as well as potential buy and sell signals. Its flexibility allows traders to adapt it to various strategies, making it a versatile tool in technical analysis. 
 WaveTrend Input Settings: 
 WT MA Source:   Default: HLC3 
 
 What it is:  The data source used for calculating the WaveTrend Moving Average.
 What it does:  Determines the input data to smooth price action and filter noise.
 Example:  Using HLC3 (average of High, Low, Close) provides a smoother data representation compared to using just the closing price.
 
 Length (WT MA Length):   Default: 3 
 
 What it is:  The period used to calculate the Moving Average.
 What it does:  Adjusts the sensitivity of the WaveTrend indicator, where shorter lengths respond more quickly to price changes.
 Example:  A length of 3 is ideal for short-term analysis, providing quick reactions to price movements.
 
 WT Channel Length & Average: Default:   WT Channel Length = 9, Average = 12 
 
 What it is:  Lengths used to calculate the WaveTrend channel and its average.
 What it does:  Smooths out the WaveTrend further, reducing false signals by averaging over a set period.
 Example:  Higher values reduce noise and help in identifying more reliable trends.
 
 Channel:   Style, Width, and Color: 
 
 What it is:  Customization options for the WaveTrend channel's appearance.
 What it does:  Adjusts how the channel is displayed, including line style, width, and color.
 Example:  Choosing an area style with a distinct color can make the WaveTrend indicator clearly visible on the chart.
 
 WT Buy & Sell Signals: 
 
 What it is:  Settings to enable and customize buy and sell signals based on WaveTrend.
 What it does:  Allows for the display of buy/sell signals and customization of their shapes and colors.
 When it gives a Buy Signal:  Generated when the WaveTrend line crosses below an oversold level and then rises back, indicating a potential upward price movement.
 When it gives a Sell Signal:  Triggered when the WaveTrend line crosses above an overbought level and then declines, suggesting a possible downward trend.
 Example:  The script identifies these signals based on mean reversion principles, where prices tend to revert to the mean after reaching extremes. Traders can use these signals to time their entries and exits effectively.
 
 WAVETREND OVERBOUGTH AND OVERSOLD LEVELS 
 Display of WaveTrend with Overbought & Oversold Levels: 
  
 Display of WaveTrend  Overbought & Oversold Levels Settings: 
  
 WaveTrend Overbought & Oversold Levels Explanation 
 WT OB & OS Levels:   Default: OB Level 1 = 53, OB Level 2 = 60, OS Level 1 = -53, OS Level 2 = -60 
 
 What it is:  The default overbought and oversold levels used by the WaveTrend indicator to signal potential market reversals.
 What it does:  When the WaveTrend crosses above the OB levels, it indicates an overbought condition, potentially signaling a reversal or selling opportunity. Conversely, when it crosses below the OS levels, it indicates an oversold condition, potentially signaling a reversal or buying opportunity.
 Example:  A trader might use these levels to time entry or exit points, such as selling when the WaveTrend crosses into the overbought zone or buying when it crosses into the oversold zone.
 
 Show OB/OS Levels:   Default: True 
 
 What it is:  Toggle options to show or hide the overbought and oversold levels on your chart.
 What it does:  When enabled, these levels will be visually represented on your chart, helping you to easily identify when the market reaches these critical thresholds.
 Example:  Displaying these levels can help you quickly see when the WaveTrend is approaching or has crossed into overbought or oversold territory, allowing for more informed trading decisions.
 
 Line Style, Width, and Color for OB/OS Levels: 
 
 What it is:  Options to customize the appearance of the OB and OS levels on your chart, including line style (solid, dotted, dashed), line width, and color.
 What it does:  These settings allow you to adjust how prominently these levels are displayed on your chart, which can help you better visualize and respond to overbought or oversold conditions.
 Example:  Setting a thicker, dashed line in a contrasting color can make these levels stand out more clearly, aiding in quick visual identification.
 
 Example of Use: 
 
 Scenario:  A trader wants to identify potential selling points when the market is overbought. They set the OB levels at 53 and 60, choosing a solid, red line style to make these levels clear on their chart. As the WaveTrend crosses above 53, they monitor for further price action, and upon crossing 60, they consider initiating a sell order.
 
 WAVETREND DIVERGENCES 
 Display of WaveTrend Divergence: 
  
 Display of WaveTrend Divergence Setting: 
  
 WaveTrend Divergence Indicator Explanation 
The WaveTrend Divergence feature helps identify potential reversal points in the market by highlighting divergences between the price and the WaveTrend indicator. Divergences can signal a shift in market momentum, indicating a possible trend reversal. This component allows traders to visualize and customize divergence detection on their charts.
 WaveTrend Divergence Input Settings: 
 Potential Reversal Range:   Default: 28 
 
 What it is:  The number of bars to look back when detecting potential tops and bottoms.
 What it does:  Sets the range for identifying possible reversal points based on historical data.
 Example:  A setting of 28 looks back across the last 28 bars to find reversal points, offering a balance between responsiveness and reliability.
 
 Reversal Minimum LVL OB & OS:   Default: OB = 35, OS = -35 
 
 What it is:  The minimum overbought and oversold levels required for detecting potential reversals.
 What it does:  Adjusts the thresholds that trigger a reversal signal based on the WaveTrend indicator.
 Example:  A higher OB level reduces the sensitivity to overbought conditions, potentially filtering out false reversal signals.
 
 Lookback Bar Left & Right:   Default: Left = 10, Right = 1 
 
 What it is:  The number of bars to the left and right used to confirm a top or bottom.
 What it does:  Helps determine the position of peaks and troughs in the price action.
 Example:  A larger left lookback captures more extended price action before the peak, while a smaller right lookback focuses on the immediate past.
 
 Lookback Range Min & Max:   Default: Min = 5, Max = 60 
 
 What it is:  The minimum and maximum range for the lookback period when identifying divergences.
 What it does:  Fine-tunes the detection of divergences by controlling the range over which the indicator looks back.
 Example:  A wider range increases the chances of detecting divergences across different market conditions.
 
 R.Div Minimum LVL OB & OS:   Default: OB = 53, OS = -53 
 
 What it is:  The threshold levels for detecting regular divergences.
 What it does:  Adjusts the sensitivity of the regular divergence detection.
 Example:  Higher thresholds make the detection more conservative, identifying only stronger divergence signals.
 
 H.Div Minimum LVL OB & OS:   Default: OB = 20, OS = -20 
 
 What it is:  The threshold levels for detecting hidden divergences.
 What it does:  Similar to regular divergence settings but for hidden divergences, which can indicate potential reversals that are less obvious.
 Example:  Lower thresholds make the hidden divergence detection more sensitive, capturing subtler market shifts.
 
 Divergence Label Options: 
 
 What it is:  Options to display and customize labels for regular and hidden divergences.
 What it does:  Allows users to visually differentiate between regular and hidden divergences using customizable labels and colors.
 Example:  Using different colors and symbols for regular (R) and hidden (H) divergences makes it easier to interpret signals on the chart.
 
 Text Size and Color: 
 
 What it is:  Customization options for the size and color of divergence labels.
 What it does:  Adjusts the readability and visibility of divergence labels on the chart.
 Example:  Larger text size may be preferred for charts with a lot of data, ensuring divergence labels stand out clearly.
 
 FAST & SLOW MONEY FLOW INDEX 
 Display of Fast & Slow Money Flow: 
  
 Display of Fast & Slow Money Flow Setting: 
  
 Fast Money Flow Indicator Explanation 
The Fast Money Flow indicator helps traders identify the flow of money into and out of an asset over a shorter time frame. By tracking the volume-weighted average of price movements, it provides insights into buying and selling pressure in the market, which can be crucial for making timely trading decisions.
 Fast Money Flow Input Settings: 
 Fast Money Flow: Length:   Default: 9 
 
 What it is:  The period used for calculating the Fast Money Flow.
 What it does:  Determines the sensitivity of the Money Flow calculation. A shorter length makes the indicator more responsive to recent price changes, while a longer length provides a smoother signal.
 Example:  A length of 9 is suitable for traders looking to capture quick shifts in market sentiment over a short period.
 
 Fast MFI Area Multiplier:   Default: 5 
 
 What it is:  A multiplier applied to the Money Flow area calculation.
 What it does:  Adjusts the size of the Money Flow area on the chart, effectively amplifying or reducing the visual impact of the indicator.
 Example:  A higher multiplier can make the Money Flow more prominent on the chart, aiding in the quick identification of significant money flow changes.
 
 Y Position (Y Pos):   Default: 0 
 
 What it is:  The vertical position adjustment for the Fast Money Flow plot on the chart.
 What it does:  Allows you to move the Money Flow plot up or down on the chart to avoid overlap with other indicators.
 Example:  Adjusting the Y Position can be useful if you have multiple indicators on the chart and need to maintain clarity.
 
 Fast MFI Style, Width, and Color: 
 
 What it is:  Customization options for how the Fast Money Flow is displayed on the chart.
 What it does:  Enables you to choose between different plot styles (line or area), set the line width, and select colors for positive and negative money flow.
 Example:  Using different colors for positive (green) and negative (red) money flow helps to visually distinguish between periods of buying and selling pressure.
 
 Slow Money Flow Indicator Explanation 
The Slow Money Flow indicator tracks the flow of money into and out of an asset over a longer time frame. It provides a broader perspective on market sentiment, smoothing out short-term fluctuations and highlighting longer-term trends.
 Slow Money Flow Input Settings: 
 Slow Money Flow: Length:   Default: 12 
 
 What it is:  The period used for calculating the Slow Money Flow.
 What it does:  A longer period smooths out short-term fluctuations, providing a clearer view of the overall money flow trend.
 Example:  A length of 12 is often used by traders looking to identify sustained trends rather than short-term volatility.
 
 Slow MFI Area Multiplier:   Default: 5 
 
 What it is:  A multiplier applied to the Slow Money Flow area calculation.
 What it does:  Adjusts the size of the Money Flow area on the chart, helping to emphasize the indicator’s significance.
 Example:  Increasing the multiplier can help highlight the Money Flow in markets with less volatile price action.
 
 Y Position (Y Pos):   Default: 0 
 
 What it is:  The vertical position adjustment for the Slow Money Flow plot on the chart.
 What it does:  Allows for vertical repositioning of the Money Flow plot to maintain chart clarity when used with other indicators.
 Example:  Adjusting the Y Position ensures that the Slow Money Flow indicator does not overlap with other key indicators on the chart.
 
 Slow MFI Style, Width, and Color: 
 
 What it is:  Customization options for the visual display of the Slow Money Flow on the chart.
 What it does:  Allows you to choose the plot style (line or area), set the line width, and select colors to differentiate positive and negative money flow.
 Example:  Customizing the colors for the Slow Money Flow allows traders to quickly distinguish between buying and selling trends in the market.
 
 RSI 
 Display of RSI: 
  
 Display of RSI Setting: 
  
 RSI Indicator Explanation 
The Relative Strength Index (RSI) is a momentum oscillator that measures the speed and change of price movements. It is typically used to identify overbought or oversold conditions in the market, providing traders with potential signals for buying or selling.
 RSI Input Settings: 
 RSI Source:   Default: Close 
 
 What it is:  The data source used for calculating the RSI.
 What it does:  Determines which price data (e.g., close, open) is used in the RSI calculation, affecting how the indicator reflects market conditions.
 Example:  Using the closing price is standard practice, as it reflects the final agreed-upon price for a given time period.
 
 MA Type (Moving Average Type):   Default: SMA 
 
 What it is:  The type of moving average applied to the RSI for smoothing purposes.
 What it does:  Changes the smoothing technique of the RSI, impacting how quickly the indicator responds to price movements.
 Example:  Using an Exponential Moving Average (EMA) will make the RSI more sensitive to recent price changes compared to a Simple Moving Average (SMA).
 
 RSI Length:   Default: 14 
 
 What it is:  The period over which the RSI is calculated.
 What it does:  Adjusts the sensitivity of the RSI. A shorter length (e.g., 7) makes the RSI more responsive to recent price changes, while a longer length (e.g., 21) smooths out the indicator, reducing the number of signals.
 Example:  A 14-period RSI is commonly used for identifying overbought and oversold conditions, providing a balance between sensitivity and reliability.
 
 RSI Plot Style, Width, and Color: 
 
 What it is:  Options to customize the appearance of the RSI line on the chart.
 What it does:  Allows you to adjust the visual representation of the RSI, including the line width and color.
 Example:  Setting a thicker line width and a bright color like yellow can make the RSI more visible on the chart, aiding in quick analysis.
 
 Display of RSI with RSI Moving Average: 
  
 RSI Moving Average Explanation 
The RSI Moving Average adds a smoothing layer to the RSI, helping to filter out noise and provide clearer signals. It is particularly useful for confirming trend strength and identifying potential reversals.
 RSI Moving Average Input Settings: 
 MA Length:   Default: 14 
 
 What it is:  The period over which the Moving Average is calculated on the RSI.
 What it does:  Adjusts the smoothing of the RSI, helping to reduce false signals and provide a clearer trend indication.
 Example:  A 14-period moving average on the RSI can smooth out short-term fluctuations, making it easier to spot genuine overbought or oversold conditions.
 
 MA Plot Style, Width, and Color: 
 
 What it is:  Customization options for how the RSI Moving Average is displayed on the chart.
 What it does:  Allows you to adjust the line width and color, helping to differentiate the Moving Average from the main RSI line.
 Example:  Using a contrasting color for the RSI Moving Average (e.g., magenta) can help it stand out against the main RSI line, making it easier to interpret the indicator.
 
 STOCHASTIC RSI 
 Display of Stochastic RSI: 
  
 Display of Stochastic RSI Setting: 
  
 Stochastic RSI Indicator Explanation 
The Stochastic RSI (Stoch RSI) is a momentum oscillator that measures the level of the RSI relative to its high-low range over a set period of time. It is used to identify overbought and oversold conditions, providing potential buy and sell signals based on momentum shifts.
 Stochastic RSI Input Settings: 
 Stochastic RSI Length:   Default: 14 
 
 What it is:  The period over which the Stochastic RSI is calculated.
 What it does:  Adjusts the sensitivity of the Stochastic RSI. A shorter length makes the indicator more responsive to recent price changes, while a longer length smooths out the fluctuations, reducing noise.
 Example:  A length of 14 is commonly used to identify momentum shifts over a medium-term period, providing a balanced view of potential overbought or oversold conditions.
 
 Display of Stochastic RSI %K Line: 
  
 Stochastic RSI %K Line Explanation 
The %K line in the Stochastic RSI is the main line that tracks the momentum of the RSI over the chosen period. It is the faster-moving component of the Stochastic RSI, often used to identify entry and exit points.
 Stochastic RSI %K Input Settings: 
 %K Length:   Default: 3 
 
 What it is:  The period used for smoothing the %K line of the Stochastic RSI.
 What it does:  Smoothing the %K line helps reduce noise and provides a clearer signal for potential market reversals.
 Example:  A smoothing length of 3 is common, offering a balance between responsiveness and noise reduction, making it easier to spot significant momentum shifts.
 
 %K Plot Style, Width, and Color: 
 
 What it is:  Customization options for the visual representation of the %K line.
 What it does:  Allows you to adjust the appearance of the %K line on the chart, including line width and color, to fit your visual preferences.
 Example:  Setting a blue color and a medium width for the %K line makes it stand out clearly on the chart, helping to identify key points of momentum change.
 
 %K Fill Color (Above): 
 
 What it is:  The fill color that appears above the %K line on the chart.
 What it does:  Adds visual clarity by shading the area above the %K line, making it easier to interpret the direction and strength of momentum.
 Example:  Using a light blue fill color above the %K line can help emphasize bullish momentum, making it visually prominent.
 
 Display of Stochastic RSI %D Line: 
  
 Stochastic RSI %D Line Explanation 
The %D line in the Stochastic RSI is a moving average of the %K line and acts as a signal line. It is slower-moving compared to the %K line and is often used to confirm signals or identify potential reversals when it crosses the %K line.
 Stochastic RSI %D Input Settings: 
 %D Length:   Default: 3 
 
 What it is:  The period used for smoothing the %D line of the Stochastic RSI.
 What it does:  Smooths out the %D line, making it less sensitive to short-term fluctuations and more reliable for identifying significant market signals.
 Example:  A length of 3 is often used to provide a smoothed signal line that can help confirm trends or reversals indicated by the %K line.
 
 %D Plot Style, Width, and Color: 
 
 What it is:  Customization options for the visual representation of the %D line.
 What it does:  Allows you to adjust the appearance of the %D line on the chart, including line width and color, to match your preferences.
 Example:  Setting an orange color and a thicker line width for the %D line can help differentiate it from the %K line, making crossover points easier to spot.
 
 %D Fill Color (Below): 
 
 What it is:  The fill color that appears below the %D line on the chart.
 What it does:  Adds visual clarity by shading the area below the %D line, making it easier to interpret bearish momentum.
 Example:  Using a light orange fill color below the %D line can highlight bearish conditions, making it visually easier to identify.
 
 RSI & STOCHASTIC RSI OVERBOUGHT AND OVERSOLD LEVELS 
 Display of RSI & Stochastic with Overbought & Oversold Levels: 
  
 Display of RSI & Stochastic Overbought & Oversold Settings: 
  
 RSI & Stochastic Overbought & Oversold Levels Explanation 
The Overbought (OB) and Oversold (OS) levels for RSI and Stochastic RSI indicators are key thresholds that help traders identify potential reversal points in the market. These levels are used to determine when an asset is likely overbought or oversold, which can signal a potential trend reversal.
 RSI & Stochastic Overbought & Oversold Input Settings: 
 RSI & Stochastic Level 1 Overbought (OB) & Oversold (OS):   Default: OB Level = 170, OS Level = 130 
 
 What it is:  The first set of thresholds for determining overbought and oversold conditions for both RSI and Stochastic RSI indicators.
 What it does:  When the RSI or Stochastic RSI crosses above the overbought level, it suggests that the asset might be overbought, potentially signaling a sell opportunity. Conversely, when these indicators drop below the oversold level, it suggests the asset might be oversold, potentially signaling a buy opportunity.
 Example:  If the RSI crosses above 170, traders might look for signs of a potential trend reversal to the downside, while a cross below 130 might indicate a reversal to the upside.
 
 RSI & Stochastic Level 2 Overbought (OB) & Oversold (OS):   Default: OB Level = 180, OS Level = 120 
 
 What it is:  The second set of thresholds for determining overbought and oversold conditions for both RSI and Stochastic RSI indicators.
 What it does:  These levels provide an additional set of reference points, allowing traders to differentiate between varying degrees of overbought and oversold conditions, potentially leading to more refined trading decisions.
 Example:  When the RSI crosses above 180, it might indicate an extreme overbought condition, which could be a stronger signal for a sell, while a cross below 120 might indicate an extreme oversold condition, which could be a stronger signal for a buy.
 
 RSI & Stochastic Overbought (OB) Band Customization: 
 OB Level 1: Width, Style, and Color: 
 
 What it is:  Customization options for the visual appearance of the first overbought band on the chart.
 What it does:  Allows you to set the line width, style (solid, dotted, dashed), and color for the first overbought band, enhancing its visibility on the chart.
 Example:  A dashed red line with medium width can clearly indicate the first overbought level, helping traders quickly identify when this threshold is crossed.
 
 OB Level 2: Width, Style, and Color: 
 
 What it is:  Customization options for the visual appearance of the second overbought band on the chart.
 What it does:  Allows you to set the line width, style, and color for the second overbought band, providing a clear distinction from the first band.
 Example:  A dashed red line with a slightly thicker width can represent a more significant overbought level, making it easier to differentiate from the first level.
 
 RSI & Stochastic Oversold (OS) Band Customization: 
 OS Level 1: Width, Style, and Color: 
 
 What it is:  Customization options for the visual appearance of the first oversold band on the chart.
 What it does:  Allows you to set the line width, style (solid, dotted, dashed), and color for the first oversold band, making it visually prominent.
 Example:  A dashed green line with medium width can highlight the first oversold level, helping traders identify potential buying opportunities.
 
 OS Level 2: Width, Style, and Color: 
 
 What it is:  Customization options for the visual appearance of the second oversold band on the chart.
 What it does:  Allows you to set the line width, style, and color for the second oversold band, providing an additional visual cue for extreme oversold conditions.
 Example:  A dashed green line with a thicker width can represent a more significant oversold level, offering a stronger visual cue for potential buying opportunities.
 
 RSI DIVERGENCES 
 Display of RSI Divergence Labels: 
  
 Display of RSI Divergence Settings: 
  
 RSI Divergence Lookback Explanation 
The RSI Divergence settings allow traders to customize the parameters for detecting divergences between the RSI (Relative Strength Index) and price action. Divergences occur when the price moves in the opposite direction to the RSI, potentially signaling a trend reversal. These settings help refine the accuracy of divergence detection by adjusting the lookback period and range. (  NOTE:   This setting only imply to the RSI. This doesn't effect the STOCHASTIC RSI. )
 RSI Divergence Lookback Input Settings: 
 Lookback Left:   Default: 10 
 
 What it is:  The number of bars to look back from the current bar to detect a potential divergence.
 What it does:  Defines the left-side lookback period for identifying pivot points in the RSI, which are used to spot divergences. A longer lookback period may capture more significant trends but could also miss shorter-term divergences.
 Example:  A setting of 10 bars means the script will consider pivot points up to 10 bars before the current bar to check for divergence patterns.
 
 Lookback Right:   Default: 1 
 
 What it is:  The number of bars to look forward from the current bar to complete the divergence pattern.
 What it does:  Defines the right-side lookback period for confirming a potential divergence. This setting helps ensure that the identified divergence is valid by allowing the script to check subsequent bars for confirmation.
 Example:  A setting of 1 bar means the script will look at the next bar to confirm the divergence pattern, ensuring that the signal is reliable.
 
 Lookback Range Min:   Default: 5 
 
 What it is:  The minimum range of bars required to detect a valid divergence.
 What it does:  Sets a lower bound on the range of bars considered for divergence detection. A lower minimum range might capture more frequent but possibly less significant divergences.
 Example:  Setting the minimum range to 5 ensures that only divergences spanning at least 5 bars are considered, filtering out very short-term patterns.
 
 Lookback Range Max:   Default: 60 
 
 What it is:  The maximum range of bars within which a divergence can be detected.
 What it does:  Sets an upper bound on the range of bars considered for divergence detection. A larger maximum range might capture more significant divergences but could also include less relevant long-term patterns.
 Example:  Setting the maximum range to 60 bars allows the script to detect divergences over a longer timeframe, capturing more extended divergence patterns that could indicate major trend reversals.
 
 RSI Divergence Explanation 
RSI divergences occur when the RSI indicator and price action move in opposite directions, signaling potential trend reversals. This section of the settings allows traders to customize the appearance and detection of both regular and hidden bullish and bearish divergences.
 RSI Divergence Input Settings: 
 R. Bullish Div Label:   Default: True 
 
 What it is:  An option to display labels for regular bullish divergences.
 What it does:  Enables or disables the visibility of labels that mark regular bullish divergences, where the price makes a lower low while the RSI makes a higher low, indicating a potential upward reversal.
 Example:  A trader might use this to spot buying opportunities in a downtrend when a bullish divergence suggests the trend may be reversing.
 
 Bullish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of regular bullish divergence labels.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  Selecting a green label color and a distinct line width makes bullish divergences easily recognizable on your chart.
 
 R. Bearish Div Label:   Default: True 
 
 What it is:  An option to display labels for regular bearish divergences.
 What it does:  Enables or disables the visibility of labels that mark regular bearish divergences, where the price makes a higher high while the RSI makes a lower high, indicating a potential downward reversal.
 Example:  A trader might use this to spot selling opportunities in an uptrend when a bearish divergence suggests the trend may be reversing.
 
 Bearish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of regular bearish divergence labels.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  Choosing a red label color and a specific line width makes bearish divergences clearly stand out on your chart.
 
 H. Bullish Div Label:   Default: False 
 
 What it is:  An option to display labels for hidden bullish divergences.
 What it does:  Enables or disables the visibility of labels that mark hidden bullish divergences, where the price makes a higher low while the RSI makes a lower low, indicating potential continuation of an uptrend.
 Example:  A trader might use this to confirm an existing uptrend when a hidden bullish divergence signals continued buying strength.
 
 Hidden Bullish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of hidden bullish divergence labels.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  A softer green color with a thinner line width might be chosen to subtly indicate hidden bullish divergences, keeping the chart clean while providing useful information.
 
 H. Bearish Div Label:   Default: False 
 
 What it is:  An option to display labels for hidden bearish divergences.
 What it does:  Enables or disables the visibility of labels that mark hidden bearish divergences, where the price makes a lower high while the RSI makes a higher high, indicating potential continuation of a downtrend.
 Example:  A trader might use this to confirm an existing downtrend when a hidden bearish divergence signals continued selling pressure.
 
 Hidden Bearish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of hidden bearish divergence labels.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  A muted red color with a thinner line width might be selected to indicate hidden bearish divergences without overwhelming the chart.
 
 Divergence Text Size and Color:   Default: S (Small) 
 
 What it is:  Settings to adjust the size and color of text labels for RSI divergences.
 What it does:  Allows you to customize the size and color of text labels that display the divergence information on the chart.
 Example:  Choosing a small text size with a bright white color can make divergence labels easily readable without taking up too much space on the chart.
 
 STOCHASTIC DIVERGENCES 
 Display of Stochastic RSI Divergence Labels: 
  
 Display of Stochastic RSI Divergence Settings: 
  
 Stochastic RSI Divergence Explanation 
Stochastic RSI divergences occur when the Stochastic RSI indicator and price action move in opposite directions, signaling potential trend reversals. These settings allow traders to customize the detection and visual representation of both regular and hidden bullish and bearish divergences in the Stochastic RSI.
 Stochastic RSI Divergence Input Settings: 
 R. Bullish Div Label:   Default: True 
 
 What it is:  An option to display labels for regular bullish divergences in the Stochastic RSI.
 What it does:  Enables or disables the visibility of labels that mark regular bullish divergences, where the price makes a lower low while the Stochastic RSI makes a higher low, indicating a potential upward reversal.
 Example:  A trader might use this to spot buying opportunities in a downtrend when a bullish divergence in the Stochastic RSI suggests the trend may be reversing.
 
 Bullish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of regular bullish divergence labels in the Stochastic RSI.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  Selecting a blue label color and a distinct line width makes bullish divergences in the Stochastic RSI easily recognizable on your chart.
 
 R. Bearish Div Label:   Default: True 
 
 What it is:  An option to display labels for regular bearish divergences in the Stochastic RSI.
 What it does:  Enables or disables the visibility of labels that mark regular bearish divergences, where the price makes a higher high while the Stochastic RSI makes a lower high, indicating a potential downward reversal.
 Example:  A trader might use this to spot selling opportunities in an uptrend when a bearish divergence in the Stochastic RSI suggests the trend may be reversing.
 
 Bearish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of regular bearish divergence labels in the Stochastic RSI.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  Choosing an orange label color and a specific line width makes bearish divergences in the Stochastic RSI clearly stand out on your chart.
 
 H. Bullish Div Label:   Default: False 
 
 What it is:  An option to display labels for hidden bullish divergences in the Stochastic RSI.
 What it does:  Enables or disables the visibility of labels that mark hidden bullish divergences, where the price makes a higher low while the Stochastic RSI makes a lower low, indicating potential continuation of an uptrend.
 Example:  A trader might use this to confirm an existing uptrend when a hidden bullish divergence in the Stochastic RSI signals continued buying strength.
 
 Hidden Bullish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of hidden bullish divergence labels in the Stochastic RSI.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  A softer blue color with a thinner line width might be chosen to subtly indicate hidden bullish divergences, keeping the chart clean while providing useful information.
 
 H. Bearish Div Label:   Default: False 
 
 What it is:  An option to display labels for hidden bearish divergences in the Stochastic RSI.
 What it does:  Enables or disables the visibility of labels that mark hidden bearish divergences, where the price makes a lower high while the Stochastic RSI makes a higher high, indicating potential continuation of a downtrend.
 Example:  A trader might use this to confirm an existing downtrend when a hidden bearish divergence in the Stochastic RSI signals continued selling pressure.
 
 Hidden Bearish Label Color, Line Width, and Line Color: 
 
 What it is:  Settings to customize the appearance of hidden bearish divergence labels in the Stochastic RSI.
 What it does:  Allows you to choose the color of the labels, adjust the width of the divergence lines, and select the color for these lines.
 Example:  A muted orange color with a thinner line width might be selected to indicate hidden bearish divergences without overwhelming the chart.
 
 Divergence Text Size and Color:   Default: S (Small) 
 
 What it is:  Settings to adjust the size and color of text labels for Stochastic RSI divergences.
 What it does:  Allows you to customize the size and color of text labels that display the divergence information on the chart.
 Example:  Choosing a small text size with a bright white color can make divergence labels easily readable without taking up too much space on the chart.
 
 Alert System: 
Custom Alerts for Divergences and Reversals:
 
 What it is:  The script includes customizable alert conditions to notify you of detected divergences or potential reversals based on WaveTrend, RSI, and Stochastic RSI.
 What it does:  Helps you stay informed of key market movements without constantly monitoring the charts, enabling timely decisions.
 Example:  Setting an alert for regular bearish divergence on the WaveTrend could notify you of a potential sell opportunity as soon as it is detected.
 
 How to Use Alerts: 
 Set up custom alerts in TradingView based on these conditions to be notified of potential trading opportunities. Alerts are triggered when the indicator detects conditions that match the selected criteria, such as divergences or potential reversals. 
By following the detailed guidelines and examples above, you can effectively use and customize this powerful indicator to suit your trading strategy.
For further understanding and customization, refer to the input settings within the script and adjust them to match your trading style and preferences.
 How Components Work Together 
 
 Synergy and Cross-Validation:  The indicator combines multiple layers of analysis to validate trading signals. For example, a WaveTrend buy signal that coincides with a bullish divergence in RSI and positive fast money flow is likely to be more reliable than any single indicator’s signal. This cross-validation reduces the likelihood of false signals and enhances decision-making. 
 Comprehensive Market Analysis:  Each component plays a role in analyzing different aspects of the market. WaveTrend focuses on trend strength, Money Flow indicators assess market sentiment, while RSI and Stochastic RSI offer detailed views of price momentum and potential reversals. 
 
 Ideal For 
 
 Traders who require a reliable, multifaceted tool for detecting market trends and reversals. 
 Investors seeking a deeper understanding of market dynamics across different timeframes and conditions, whether in forex, equities, or cryptocurrency markets. 
 This script is designed to provide a comprehensive tool for technical analysis, combining multiple indicators and divergence detection into one versatile and customizable script. It is especially useful for traders who want to monitor various indicators simultaneously and look for convergence or divergence signals across different technical tools. 
 
 Acknowledgements 
 Special thanks to these amazing creators for inspiration and their creations: 
I want to thank these amazing creators for creating there amazing indicators , that inspired me and also gave me a head start by making this indicator! Without their amazing indicators it wouldn't be possible! 
 
 vumanchu:    VuManChu Cipher B  Divergences. 
 MisterMoTa:    RSI + Divergences + Alerts  . 
 DevLucem:   Plain Stochastic Divergence. 
 
 Note 
 This indicator is designed to be a powerful tool in your trading arsenal.  However , it is  essential  to  backtest  and adjust the settings  according to your trading strategy before applying  it to  live trading . If you have any questions or need further assistance, feel free to reach out. 
Volume Insignts AnalyzerDescription: 
The Volume Insight Analyzer is an advanced Pine Script designed for traders who want a comprehensive view of volume dynamics on their charts. This script combines multiple volume-based indicators to help identify key trading opportunities, including significant volume days, volume dry-ups, and pocket pivots.
 Key Features: 
 
 VDU (Volume Dry-Up) Detection: Automatically identifies and marks days when the volume is significantly below its moving average, helping to spot potential breakout or breakdown points. Customizable volume thresholds allow for tailored analysis based on your trading strategy. The Volume Dry-Up label appears when the volume is substantially below its average level and the price is near a key moving average. This condition indicates a period of equilibrium between supply and demand, suggesting a potential low-risk entry point for traders.
 Pocket Pivot Analysis using 5 and 10 Length Pocket Pivots: Highlights days with exceptionally high volume compared to recent history, indicating potential pocket pivots. Visual markers on the chart and volume bars color-coded for 5 and 10-day lengths. Pocket pivot points are identified when the volume on a given day exceeds the maximum volume observed over the past several days. Specifically, a 5-day pocket pivot point is marked when today's volume surpasses the highest selling volume of the last 5 days. A cluster of 5-day pocket pivot points within a base is a strong indicator of stock strength. Similarly, a 10-day pocket pivot point following a Volume Dry-Up (VDU) suggests a potential entry opportunity. Moreover, a pre-existing cluster of 5-day pocket pivot points before a 10-day pocket pivot point provides greater conviction in the trade.
 Volume Moving Averages: Set different lengths for primary and secondary moving averages to track volume trends over daily, weekly, and monthly timeframes. Options to display moving average lines on the volume chart.
 Volume Visualization:
a. Major and Minor Volume Bars: Option to display bars that are either above or below average volume levels. Adjustable settings to show or hide these bars based on user preference.
b. Volume Bar Coloring: Volume bars are color-coded based on significant volume thresholds, including green for bullish signals, red for bearish signals, and orange for volume dry-ups.
  Volume Metrics Table: A customizable table that displays real-time volume metrics including Relative Volume (RVOL), Turnover, and the number of high volume days. The table can be oriented horizontally or vertically and styled according to your theme preferences.
 Visual Indicators:
a) Volume Dry-Up (VDU) Labels: Clearly marked VDU events with textual annotations on the chart.
b) Bullish and Bearish Arrows: Arrows indicating potential bullish or bearish closes based on volume analysis, enhancing decision-making.
 Customization Options:
a) Dark and Light Theme Support: Toggle between dark and light themes to match your chart settings.
b) Adjustable Parameters: Easily configure input settings such as volume thresholds, MA lengths, and table display options to fit your trading style.
 
 How to Use: 
 
 Set Parameters: Adjust the script settings such as volume thresholds, moving average lengths, and display preferences according to your analysis needs.
 Analyze Volume Patterns: Use the indicators and visual markers provided by the script to identify significant volume patterns and potential trading signals.
 Monitor Metrics: Refer to the volume metrics table for a quick overview of key volume-related statistics and trends.
 Make Informed Decisions: Utilize the visual cues and volume data provided by the script to enhance your trading strategy and make more informed decisions.
 
 Disclaimer: 
This script is for informational purposes only and should not be considered as trading advice. Use it in conjunction with other analysis tools and consult with a financial advisor if needed. Trading involves risk, and past performance does not guarantee future results.






















