Dual RSI IndicatorThis RSI indicator allows you to view an additional timeframe to help you spot better entries. For example when RSI is overbought/oversold on two timeframes may help give you additional confidence in placing the trade.
M-oscillator
Normalized Open InterestNormalized Open Interest (nOI) — Indicator Overview
What it does
Normalized Open Interest (nOI) transforms raw futures open-interest data into a 0-to-100 oscillator, so you can see at a glance whether participation is unusually high or low—similar in spirit to an RSI but applied to open interest. The script positions today’s OI inside a rolling high–low range and paints it with contextual colours.
Core logic
Data source – Loads the built-in “_OI” symbol that TradingView provides for the current market.
Rolling range – Looks back a user-defined number of bars (default 500) to find the highest and lowest OI in that window.
Normalization – Calculates
nOI = (OI – lowest) / (highest – lowest) × 100
so 0 equals the minimum of the window and 100 equals the maximum.
Visual cues – Plots the oscillator plus fixed horizontal levels at 70 % and 30 % (or your own numbers). The line turns teal above the upper level, red below the lower, and neutral grey in between.
User inputs
Window Length (bars) – How many candles the indicator scans for the high–low range; larger numbers smooth the curve, smaller numbers make it more reactive.
Upper Threshold (%) – Default 70. Anything above this marks potentially crowded or overheated interest.
Lower Threshold (%) – Default 30. Anything below this marks low or capitulating interest.
Practical uses
Spot extremes – Values above the upper line can warn that the long side is crowded; values below the lower line suggest disinterest or short-side crowding.
Confirm breakouts – A price breakout backed by a sharp rise in nOI signals genuine engagement.
Look for divergences – If price makes a new high but nOI does not, participation might be fading.
Combine with volume or RSI – Layer nOI with other studies to filter false signals.
Tips
On intraday charts for non-crypto symbols the script automatically fetches daily OI data to avoid gaps.
Adjust the thresholds to 80/20 or 60/40 to fit your market and risk preferences.
Alerts, shading, or additional signal logic can be added easily because the oscillator is already normalised.
Stochastic SuperTrend [BigBeluga]🔵 OVERVIEW
A hybrid momentum-trend tool that combines Stochastic RSI with SuperTrend logic to deliver clean directional signals based on momentum turns.
Stochastic SuperTrend is a straightforward yet powerful oscillator overlay designed to highlight turning points in momentum with high clarity. It overlays a SuperTrend-style envelope onto the Stochastic RSI, generating intuitive up/down signals when a momentum shift occurs across the neutral 50 level. Built for traders who appreciate simplicity without sacrificing reliability.
🔵 CONCEPTS
Stochastic RSI: Measures momentum by applying stochastic calculations to the RSI curve instead of raw price.
SuperTrend Bands: Dynamic upper/lower bands are drawn around the smoothed Stoch RSI line using a user-defined multiplier.
Momentum Direction: Trend flips when the smoothed Stoch RSI crosses above/below the calculated bands.
Neutral Bias Filter: Directional arrows only appear when momentum turns above or below the central 50 level—adding confluence.
🔵 FEATURES
Trend Detection on Oscillator: Applies SuperTrend logic directly to the Stoch RSI curve.
Clean Entry Signals:
→ 🢁 arrow printed when trend flips bullish below 50 (bottom reversals).
→ 🢃 arrow printed when trend flips bearish above 50 (top reversals).
Custom Multiplier: Adjust sensitivity of SuperTrend band spacing around the oscillator.
Neutral Zone Highlight: Visual zone between 0–50 (green) and 50–100 (red) for quick momentum polarity reference.
Toggle SuperTrend Line: Option to show/hide the SuperTrend trail on the Stoch RSI.
🔵 HOW TO USE
Use 🢁 signals for potential bottom reversals when momentum flips bullish from oversold regions.
Use 🢃 signals for potential top reversals when momentum flips bearish from overbought areas.
Combine with price-based SuperTrend or support/resistance zones for confluence.
Suitable for scalping, swing trading, or momentum filtering across all timeframes.
🔵 CONCLUSION
Stochastic SuperTrend is a simple yet refined tool that captures clean momentum shifts with directional clarity. Whether you're identifying reversals, filtering entries, or spotting exhaustion in a trend, this oscillator overlay delivers just what you need— no clutter, just clean momentum structure.
RSI OB/OS THEDU 999//@version=6
indicator("RSI OB/OS THEDU 999", overlay=false)
//#region Inputs Section
// ================================
// Inputs Section
// ================================
// Time Settings Inputs
startTime = input.time(timestamp("1 Jan 1900"), "Start Time", group="Time Settings")
endTime = input.time(timestamp("1 Jan 2099"), "End Time", group="Time Settings")
isTimeWindow = time >= startTime and time <= endTime
// Table Settings Inputs
showTable = input.bool(true, "Show Table", group="Table Settings")
fontSize = input.string("Auto", "Font Size", options= , group="Table Settings")
// Strategy Settings Inputs
tradeDirection = input.string("Long", "Trade Direction", options= , group="Strategy Settings")
entryStrategy = input.string("Revert Cross", "Entry Strategy", options= , group="Strategy Settings")
barLookback = input.int(10, "Bar Lookback", minval=1, maxval=20, group="Strategy Settings")
// RSI Settings Inputs
rsiPeriod = input.int(14, "RSI Period", minval=1, group="RSI Settings")
overboughtLevel = input.int(70, "Overbought Level", group="RSI Settings")
oversoldLevel = input.int(30, "Oversold Level", group="RSI Settings")
//#endregion
//#region Font Size Mapping
// ================================
// Font Size Mapping
// ================================
fontSizeMap = fontSize == "Auto" ? size.auto : fontSize == "Small" ? size.small : fontSize == "Normal" ? size.normal : fontSize == "Large" ? size.large : na
//#endregion
//#region RSI Calculation
// ================================
// RSI Calculation
// ================================
rsiValue = ta.rsi(close, rsiPeriod)
plot(rsiValue, "RSI", color=color.yellow)
hline(overboughtLevel, "OB Level", color=color.gray)
hline(oversoldLevel, "OS Level", color=color.gray)
//#endregion
//#region Entry Conditions
// ================================
// Entry Conditions
// ================================
buyCondition = entryStrategy == "Revert Cross" ? ta.crossover(rsiValue, oversoldLevel) : ta.crossunder(rsiValue, oversoldLevel)
sellCondition = entryStrategy == "Revert Cross" ? ta.crossunder(rsiValue, overboughtLevel) : ta.crossover(rsiValue, overboughtLevel)
// Plotting buy/sell signals
plotshape(buyCondition ? oversoldLevel : na, title="Buy", location=location.absolute, color=color.green, style=shape.labelup, text="BUY", textcolor=color.white, size=size.small)
plotshape(sellCondition ? overboughtLevel : na, title="Sell", location=location.absolute, color=color.red, style=shape.labeldown, text="SELL", textcolor=color.white, size=size.small)
// Plotting buy/sell signals on the chart
plotshape(buyCondition, title="Buy", location=location.belowbar, color=color.green, style=shape.triangleup, text="BUY", textcolor=color.white, size=size.small , force_overlay = true)
plotshape(sellCondition, title="Sell", location=location.abovebar, color=color.red, style=shape.triangledown, text="SELL", textcolor=color.white, size=size.small, force_overlay = true)
//#endregion
//#region Returns Matrix Calculation
// ================================
// Returns Matrix Calculation
// ================================
var returnsMatrix = matrix.new(0, barLookback, 0.0)
if (tradeDirection == "Long" ? buyCondition : sellCondition ) and isTimeWindow
newRow = array.new_float(barLookback)
for i = 0 to barLookback - 1
entryPrice = close
futurePrice = close
ret = (futurePrice - entryPrice) / entryPrice * 100
array.set(newRow, i, math.round(ret, 4))
matrix.add_row(returnsMatrix, matrix.rows(returnsMatrix), newRow)
//#endregion
//#region Display Table
// ================================
// Display Table
// ================================
var table statsTable = na
if barstate.islastconfirmedhistory and showTable
statsTable := table.new(position.top_right, barLookback + 1, 4, border_width=1, force_overlay=true)
// Table Headers
table.cell(statsTable, 0, 1, "Win Rate %", bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
table.cell(statsTable, 0, 2, "Mean Return %", bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
table.cell(statsTable, 0, 3, "Median Return %", bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
// Row Headers
for i = 1 to barLookback
table.cell(statsTable, i, 0, str.format("{0} Bar Return", i), bgcolor=color.rgb(45, 45, 48), text_color=color.white, text_size=fontSizeMap)
// Calculate Statistics
meanReturns = array.new_float()
medianReturns = array.new_float()
for col = 0 to matrix.columns(returnsMatrix) - 1
colData = matrix.col(returnsMatrix, col)
array.push(meanReturns, array.avg(colData))
array.push(medianReturns, array.median(colData))
// Populate Table
for col = 0 to matrix.columns(returnsMatrix) - 1
colData = matrix.col(returnsMatrix, col)
positiveCount = 0
for val in colData
if val > 0
positiveCount += 1
winRate = positiveCount / array.size(colData)
meanRet = array.avg(colData)
medianRet = array.median(colData)
// Color Logic
winRateColor = winRate == 0.5 ? color.rgb(58, 58, 60) : (winRate > 0.5 ? color.rgb(76, 175, 80) : color.rgb(244, 67, 54))
meanBullCol = color.from_gradient(meanRet, 0, array.max(meanReturns), color.rgb(76, 175, 80), color.rgb(0, 128, 0))
meanBearCol = color.from_gradient(meanRet, array.min(meanReturns), 0, color.rgb(255, 0, 0), color.rgb(255, 99, 71))
medianBullCol = color.from_gradient(medianRet, 0, array.max(medianReturns), color.rgb(76, 175, 80), color.rgb(0, 128, 0))
medianBearCol = color.from_gradient(medianRet, array.min(medianReturns), 0, color.rgb(255, 0, 0), color.rgb(255, 99, 71))
table.cell(statsTable, col + 1, 1, str.format("{0,number,#.##%}", winRate), text_color=color.white, bgcolor=winRateColor, text_size=fontSizeMap)
table.cell(statsTable, col + 1, 2, str.format("{0,number,#.###}%", meanRet), text_color=color.white, bgcolor=meanRet > 0 ? meanBullCol : meanBearCol, text_size=fontSizeMap)
table.cell(statsTable, col + 1, 3, str.format("{0,number,#.###}%", medianRet), text_color=color.white, bgcolor=medianRet > 0 ? medianBullCol : medianBearCol, text_size=fontSizeMap)
//#endregion
// Background color for OB/OS regions
bgcolor(rsiValue >= overboughtLevel ? color.new(color.red, 90) : rsiValue <= oversoldLevel ? color.new(color.green, 90) : na)
lon super chart## LON Super Chart Indicator
### Overview
The LON Super Chart indicator is a sophisticated volume-price momentum oscillator that combines price action with volume analysis to identify potential trading opportunities. It features a unique DNA spiral visualization that provides real-time insights into market dynamics.
### Key Features
- **Dual Line System**: Main indicator line and moving average for trend confirmation
- **DNA Spiral Visualization**: Unique spiral connection lines between the two main lines
- **Dynamic Color Coding**: Spiral colors change based on line convergence/divergence
- **Volume-Price Integration**: Combines price movements with volume density analysis
### Visual Elements
- **Red Main Line**: Primary LON indicator line
- **Green Moving Average**: Trend confirmation line
- **DNA Spiral Lines**: Dynamic connection lines with color-coded behavior
- **Zero Axis**: Reference line for trend direction
### Color Interpretation
#### Spiral DNA Colors
- **Red Spiral**: Lines are diverging (increasing distance) - potential trend continuation
- **Green Spiral**: Lines are converging (decreasing distance) - potential reversal signal
- **Gray Spiral**: No significant change in line distance
### Trading Strategy
#### Entry Signals
1. **Convergence Signal**: When spiral turns green (lines converging)
- May indicate potential reversal or consolidation
- Look for additional confirmation signals
2. **Divergence Signal**: When spiral turns red (lines diverging)
- May indicate trend continuation
- Consider following the trend direction
#### Trend Analysis
- **Above Zero**: Bullish momentum
- **Below Zero**: Bearish momentum
- **Line Crossovers**: Potential trend change signals
### Best Practices
- **Timeframe**: Works best on 1H, 4H, and Daily charts
- **Markets**: Effective on stocks, forex, and crypto
- **Confirmation**: Always combine with other technical analysis tools
- **Risk Management**: Use stop losses and position sizing
### Usage Tips
- Monitor spiral color changes for early trend signals
- Use zero axis crossovers for major trend direction
- Combine with volume analysis for stronger signals
- Avoid trading against strong spiral color trends
This indicator excels at identifying momentum shifts and trend dynamics through its innovative visual approach, making it ideal for swing trading and medium-term position management.
Bollinger Bands Entry/Exit ThresholdsBollinger Bands Entry/Exit Thresholds
Author of enhancements: chuckaschultz
Inspired and adapted from the original 'Bollinger Bands Breakout Oscillator' by LuxAlgo
Overview
Pairs nicely with Contrarian 100 MA
The Bollinger Bands Entry/Exit Thresholds is a powerful momentum-based indicator designed to help traders identify potential entry and exit points in trending or breakout markets. By leveraging Bollinger Bands, this indicator quantifies price deviations from the bands to generate bullish and bearish momentum signals, displayed as an oscillator. It includes customizable entry and exit signals based on user-defined thresholds, with visual cues plotted either on the oscillator panel or directly on the price chart.
This indicator is ideal for traders looking to capture breakout opportunities or confirm trend strength, with flexible settings to adapt to various markets and trading styles.
How It Works
The Bollinger Bands Entry/Exit Thresholds calculates two key metrics:
Bullish Momentum (Bull): Measures the extent to which the price exceeds the upper Bollinger Band, expressed as a percentage (0–100).
Bearish Momentum (Bear): Measures the extent to which the price falls below the lower Bollinger Band, also expressed as a percentage (0–100).
The indicator generates:
Long Entry Signals: Triggered when the bearish momentum (bear) crosses below a user-defined Long Threshold (default: 40). This suggests weakening bearish pressure, potentially indicating a reversal or breakout to the upside.
Exit Signals: Triggered when the bullish momentum (bull) crosses below a user-defined Sell Threshold (default: 80), indicating a potential reduction in bullish momentum and a signal to exit long positions.
Signals are visualized as tiny colored dots:
Long Entry: Blue dots, plotted either at the bottom of the oscillator or below the price bar (depending on user settings).
Exit Signal: White dots, plotted either at the top of the oscillator or above the price bar.
Calculation Methodology
Bollinger Bands:
A user-defined Length (default: 14) is used to calculate an Exponential Moving Average (EMA) of the source price (default: close).
Standard deviation is computed over the same length, multiplied by a user-defined Multiplier (default: 1.0).
Upper Band = EMA + (Standard Deviation × Multiplier)
Lower Band = EMA - (Standard Deviation × Multiplier)
Bull and Bear Momentum:
For each bar in the lookback period (length), the indicator calculates:
Bullish Momentum: The sum of positive deviations of the price above the upper band, normalized by the total absolute deviation from the upper band, scaled to a 0–100 range.
Bearish Momentum: The sum of positive deviations of the price below the lower band, normalized by the total absolute deviation from the lower band, scaled to a 0–100 range.
Formula:
bull = (sum of max(price - upper, 0) / sum of abs(price - upper)) * 100
bear = (sum of max(lower - price, 0) / sum of abs(lower - price)) * 100
Signal Generation:
Long Entry: Triggered when bear crosses below the Long Threshold.
Exit: Triggered when bull crosses below the Sell Threshold.
Settings
Length: Lookback period for EMA and standard deviation (default: 14).
Multiplier: Multiplier for standard deviation to adjust Bollinger Band width (default: 1.0).
Source: Input price data (default: close).
Long Threshold: Bearish momentum level below which a long entry signal is generated (default: 40).
Sell Threshold: Bullish momentum level below which an exit signal is generated (default: 80).
Plot Signals on Main Chart: Option to display entry/exit signals on the price chart instead of the oscillator panel (default: false).
Style:
Bullish Color: Color for bullish momentum plot (default: #f23645).
Bearish Color: Color for bearish momentum plot (default: #089981).
Visual Features
Bull and Bear Plots: Displayed as colored lines with gradient fills for visual clarity.
Midline: Horizontal line at 50 for reference.
Threshold Lines: Dashed green line for Long Threshold and dashed red line for Sell Threshold.
Signal Dots:
Long Entry: Tiny blue dots (below price bar or at oscillator bottom).
Exit: Tiny white dots (above price bar or at oscillator top).
How to Use
Add to Chart: Apply the indicator to your TradingView chart.
Adjust Settings: Customize the Length, Multiplier, Long Threshold, and Sell Threshold to suit your trading strategy.
Interpret Signals:
Enter a long position when a blue dot appears, indicating bearish momentum dropping below the Long Threshold.
Exit the long position when a white dot appears, indicating bullish momentum dropping below the Sell Threshold.
Toggle Plot Location: Enable Plot Signals on Main Chart to display signals on the price chart for easier integration with price action analysis.
Combine with Other Tools: Use alongside other indicators (e.g., trendlines, support/resistance) to confirm signals.
Notes
This indicator is inspired by LuxAlgo’s Bollinger Bands Breakout Oscillator but has been enhanced with customizable entry/exit thresholds and signal plotting options.
Best used in conjunction with other technical analysis tools to filter false signals, especially in choppy or range-bound markets.
Adjust the Multiplier to make the Bollinger Bands wider or narrower, affecting the sensitivity of the momentum calculations.
Disclaimer
This indicator is provided for educational and informational purposes only.
Momentum Trajectory Suite📈 Momentum Trajectory Suite
🟢 Overview
Momentum Trajectory Suite is a multi-faceted indicator designed to help traders evaluate trend direction, volatility conditions, and behavioral sentiment in a single consolidated view.
By combining a customizable Trajectory EMA, adaptive Bollinger Bands, and a Greed vs. Fear heatmap, this tool empowers traders to identify directional bias, measure momentum strength, and spot potential reversals or continuation setups.
🧠 Concept
This indicator merges three classic techniques:
Trend Analysis: Trajectory EMA highlights the prevailing directional momentum by smoothing price action over a customizable period.
Volatility Envelopes: Bollinger Bands adapt to dynamic price swings, showing overbought/oversold extremes and periods of contraction or expansion.
Behavioral Sentiment: A Greed vs. Fear heatmap combines RSI and MACD Histogram readings to visualize when markets are dominated by buying enthusiasm or selling pressure.
The combination is designed to help traders interpret market context more effectively than using any single component alone.
🛠️ How to Use the Indicator
Trajectory EMA:
Use the blue EMA line to assess overall trend direction.
Price closing above the EMA may indicate bullish momentum; closing below may indicate bearish bias.
Buy/Sell Signals:
Green circles appear when price crosses above the EMA (potential long entry).
Red circles appear when price crosses below the EMA (potential exit or short entry).
Bollinger Bands:
Monitor upper/lower bands for overbought and oversold price extremes.
Narrowing bands may signal upcoming volatility expansion.
Greed vs. Fear Heatmap:
Green histogram bars indicate bullish sentiment when RSI exceeds 60 and MACD Histogram is positive.
Red histogram bars indicate bearish sentiment when RSI is below 40 and MACD Histogram is negative.
Gray bars indicate neutral or mixed conditions.
Background Color Zones:
The chart background shifts to green when EMA slope is positive and red when negative, providing quick directional cues.
All inputs are adjustable in settings, including EMA length, Bollinger Band parameters, and oscillator configurations.
📊 Interpretation
Bullish Conditions:
Price above the Trajectory EMA, background green, and Greed heatmap active.
May signal trend continuation and increased buying pressure.
Bearish Conditions:
Price below the Trajectory EMA, background red, and Fear heatmap active.
May signal momentum breakdown or potential continuation to the downside.
Volatility Clues:
Wide Bollinger Bands = trending, volatile market.
Narrow Bollinger Bands = low volatility and possible breakout setup.
Signal Confirmation:
Consider combining signals (e.g., EMA crossover + Greed/Fear heatmap + Bollinger Band touch) for higher-confidence entries.
📝 Notes
The script does not repaint or use future data.
Suitable for multiple timeframes (intraday to daily).
May be combined with other confirmation tools or price action analysis.
⚠️ Disclaimer
This script is for educational and informational purposes only and does not constitute financial advice. Trading carries risk and past performance is not indicative of future results. Always perform your own due diligence before making trading decisions.
RSI Divergence (Nikko)RSI Divergence by Nikko
🧠 RSI Divergence Detector — Nikko Edition This script is an enhanced RSI Divergence detector built with Pine Script v6, modified for better visuals and practical usability. It uses linear regression to detect bullish and bearish divergences between the RSI and price action — one of the most reliable early signals in technical analysis.
✅ Improvements from the Original:
- Clean divergence lines using regression fitting.
- Optional label display to reduce clutter (Display Labels toggle).
- Adjustable line thickness (Display Line Width).
- A subtle heatmap background to highlight RSI overbought/oversold zones.
- Uses max accuracy with high calc_bars_count and custom extrapolation window.
🔍 How It Works: The script applies linear regression (least squares method) on both RSI data, and Price (close) data.
It then compares the direction of RSI vs. direction of Price over a set length. If price is making higher highs while RSI makes lower highs, it's a bearish divergence. If price is making lower lows while RSI makes higher lows, it's a bullish divergence. Additional filters (e.g., momentum and slope thresholds) are used to validate only strong divergences.
🔧 Input Parameters: RSI Length: The RSI period (default: 14). RSI Divergence Length: The lookback period for regression (default: 25). Source: Which price data to calculate RSI from (default: close). Display Labels: Show/hide “Bullish” or “Bearish” labels on the chart. Display Line Width: Adjusts how thick the plotted divergence lines appear.
📣 Alerts: Alerts are built-in for both RSI Buy (bullish divergence) and RSI Sell (bearish divergence) so you can use it in automation or notifications.
🚀 Personal Note: I’ve been using this script daily in my own trading, which is why I took time to improve both the logic and visual clarity. If you want a divergence tool that doesn't clutter your chart but gives strong signals, this might be what you're looking for.
Hidden Markov ModelDescription
This model uses a Hidden Markov Model to detect potential tops and bottoms. It is designed to probabilistically identify market regime changes and predict potential reversal point using a forward algorithm to calculate the probability of a state.
State 0: (Normal Trading): Market continuation patterns, balanced buying/selling
State 1: (Top Formation): Exhaustion patterns at price highs
State 2: (Bottom Formation): Capitulation patterns at price lows
Background: The HMM assumes that market behavior follows hidden states that aren't directly observable, but can be inferred from observable market data (emissions). The model uses a (somewhat simplified) Bayesian inference to estimate these probabilities.
How to use
1) Identify the trend (you can also use it counter-trend)
2) For longing, look for a green arrow. The probability values should be red. For shorting, look for a red arrow. The probability values should be green
3) For added confluence, look for high probability values
RSI OB/OS Alert Indicator[CongTrader]📋 Description:
🔎 Overview
The RSI OB/OS Alert Indicator is a simple yet powerful tool that helps traders identify overbought and oversold zones using the widely-known Relative Strength Index (RSI). Whenever RSI crosses into custom-defined thresholds, the indicator highlights the chart background and triggers alerts, making it easier to time entries or exits.
⚙️ Key Features
Customizable RSI length, Overbought, and Oversold levels
Clear visual markers for RSI values and threshold lines
Background color zones for quick visual recognition
Built-in alert conditions to notify you in real-time
Clean, minimalist design suitable for any asset class
🧠 How to Use
Add the indicator to your chart (supports crypto, forex, stocks, etc.)
Adjust the RSI period and OB/OS levels to match your strategy
Watch for red background = overbought, green background = oversold
Enable alerts to receive real-time notifications when RSI crosses levels
💼 Best For
Intraday and swing traders
Scalpers and longer-term investors
All asset types (Crypto, Forex, Stocks, Indices)
🛡️ Disclaimer
⚠️ This indicator is for informational and educational purposes only. It does not constitute financial advice. Trading involves risk, and users should conduct their own analysis before making any financial decisions. The author is not responsible for any financial loss.
🙏 Credits & Thank You
Thank you for using the RSI OB/OS Alert Indicator by CongTrader.
If you find it helpful, please like ❤️, share, or follow me for more quality tools and indicators to level up your trading game! #RSI #Overbought #Oversold #RSIAlert #CongTrader #TradingIndicator #CryptoRSI #ForexIndicator #StockTrading #TechnicalAnalysis #TradingView
tornado cash money 3User Guide: Tornado Cash Money 3
General Description
This indicator is designed to help you track and trade with the market’s dominant trend, emphasizing the strength of the 200 EMA (Exponential Moving Average) — considered here as the true "boss" for all trading decisions.
It combines:
a dual-color 200 EMA (the boss),
a dual-color 28 SMA (for timing signals),
volatility bands,
colored visual buy/sell signals (triangles).
Key Points to Remember
Trend is your friend!
This system is designed to ONLY TRADE IN THE DIRECTION OF THE TREND.
Every decision should ALWAYS be filtered and validated according to the direction of the 200 EMA.
200 EMA = The Boss
If price is above the 200 EMA and the 200 EMA is rising: focus only on buy signals (upward triangles).
If price is below the 200 EMA and the 200 EMA is falling: focus only on sell signals (downward triangles).
Visual Interpretation
Dual-color 200 EMA:
Green: Long-term uptrend.
Red: Long-term downtrend.
Dual-color 28 SMA:
Blue: Short-term bullish correction or recovery.
Orange: Short-term bearish correction or pullback.
Teal triangles (below the candle):
Short-term buy signal.
Appears when the 28 SMA shifts from bearish to bullish.
Brown triangles (above the candle):
Short-term sell signal.
Appears when the 28 SMA shifts from bullish to bearish.
Volatility bands:
Dynamic zones showing the amplitude of price moves.
Blue/red dots:
Secondary indications based on the slope of the SMA.
How to Use the Signals
Identify the trend with the 200 EMA:
If it’s green AND sloping upward, you should ONLY look for buy signals (teal triangles below the candles).
If it’s red AND sloping downward, you should ONLY look for sell signals (brown triangles above the candles).
Use triangles for timing:
Triangles indicate a short-term momentum shift in the 28 SMA.
Never buy against the direction of the 200 EMA trend!
Ignore all signals that are against the 200 EMA trend (e.g., don’t sell if the 200 EMA is green).
Practical Tips
The 200 EMA protects you: It tells you which way the wind is blowing. Never trade against it—you’ll be swimming upstream.
Combine with your money management: These signals are powerful when taken in the trend’s direction, but no indicator is infallible! Always use stop-losses and adapt your position size.
Avoid ranges (sideways markets): The indicator works best in trending markets.
Summary
Trade ONLY in the direction of the 200 EMA: Trend is your friend!
Teal triangles: Buy opportunities if the 200 EMA is bullish.
Brown triangles: Sell opportunities if the 200 EMA is bearish.
Ignore all signals that go against the direction of the 200 EMA trend.
Stochastic RSI | Chill-Zone |Stochastic RSI | Chill-Zone |
This indicator combines Stochastic RSI with a dynamic Chill-Zone that highlights where momentum is holding or starting to shift. It helps filter out noisy %K moves and gives a clearer view of the trend and sustained directional bias rather than short-term momentum spikes like the standard Stoch.
How the Chill-Zone works
The Chill-Zone is built from the %K line of the Stochastic RSI:
- It measures how much %K moves bar to bar (absolute difference).
- This is smoothed using a running moving average (like an ATR for %K).
- A short SMA (2-period) tracks the base trend level.
- When %K breaks beyond the trend level, the zone flips between bullish and bearish.
The zone is shown as a fill between %K and a trailing EMA of %K (set by the user)
The zone color shows the current trend bias:
Blue fill = bullish zone
Red fill = bearish zone
Divergence spotting:
When price keeps rising but the Chill-Zone is red (bearish), it can signal that momentum isn’t supporting the price move — a possible warning of an upcoming reversal.
Similarly, if price keeps falling but the Chill-Zone is blue (bullish), it may point to weakening downward momentum and potential for a reversal upward.
Disclaimer
This is not a standalone signal tool. It’s designed to be used with other technical analysis tools as part of a broader strategy. Always combine with price action, S/R levels, or other indicators for confluence before making trade decisions.
LON Super Tiangong Index## LON Super Heavenly Palace Indicator
### Description
The LON Super Heavenly Palace indicator is a sophisticated multi-line oscillator that identifies potential trading opportunities through a combination of momentum and trend analysis. It features four distinct lines that work together to provide comprehensive market insights.
### Key Features
- **Four Main Lines**: Short, Mid, Mid-Long, and Long lines with distinct colors
- **Adaptive Signals**: Uses both absolute and relative value analysis for better market adaptation
- **Visual Alerts**: Background highlighting and shape markers for clear signal identification
- **Multiple Signal Types**: Comprehensive signal system for various market conditions
### Trading Signals
#### Bullish Signals
- **Dragon's Treasure**: Blue background when all lines are in relative bottom territory
- **Golden Signal**: Cyan circles when all lines are below 20
- **Bounce Signal**: Pink triangles when long-term momentum turns positive
- **Perfect Opportunity**: Purple triangles for optimal entry conditions
#### Bearish Signals
- **Heaven's Treasure**: Yellow background when mid and long lines reach relative top territory
- **Top Signal**: Yellow circles when mid line exceeds 80
#### Confirmation Signals
- **Bottom Signal**: Magenta circles for oversold conditions
- **Strong Bottom**: Large purple triangles for major reversal opportunities
### How to Use
#### Entry Strategy
1. **Wait for Dragon's Treasure** (blue background) - indicates oversold conditions
2. **Look for Golden Signal** (cyan circles) - confirms bottom formation
3. **Confirm with Bounce Signal** (pink triangles) - momentum turning positive
4. **Enter on Perfect Opportunity** (purple triangles) - optimal timing
#### Exit Strategy
1. **Monitor Heaven's Treasure** (yellow background) - overbought conditions
2. **Watch for Top Signal** (yellow circles) - exit signal
3. **Use reference lines** (20, 80) for additional confirmation
#### Risk Management
- Use the 15 and 80 reference lines as support/resistance
- Combine multiple signals for higher probability trades
- Avoid trading against strong trend signals
- Use the -90 reference line for extreme oversold conditions
### Best Practices
- **Timeframe**: Works best on 1H, 4H, and Daily charts
- **Markets**: Effective on stocks, forex, and crypto
- **Confirmation**: Always wait for multiple signals to align
- **Patience**: Don't force trades - wait for clear signal combinations
### Visual Reference
- **Blue background** = Potential buying opportunity
- **Yellow background** = Potential selling opportunity
- **Colored circles** = Confirmation signals
- **Triangles** = Entry/exit points
- **Dotted lines** = Key reference levels
This indicator excels at identifying oversold/overbought conditions and potential reversal points, making it ideal for swing trading and medium-term position management.
[JHF] SQZMOMPRO SQZMOMPRO is a sophisticated, momentum-based technical indicator designed for traders seeking to identify potential trend reversals, momentum shifts, and periods of market consolidation (squeezes) across multiple timeframes. By combining a momentum oscillator, Bollinger Bands, Keltner Channels, and a Percentage Volume Oscillator (PVO), it provides a comprehensive view of price momentum and volume dynamics.
Overview
The SQZMOMPRO indicator is a powerful tool that integrates momentum analysis, volatility-based squeeze detection, and volume confirmation to help traders identify high-probability trading opportunities. It combines:
A momentum oscillator based on price deviations from a linear regression and moving average.
Bollinger Bands and Keltner Channels to detect periods of low volatility (squeezes), signaling potential breakouts.
A Percentage Volume Oscillator (PVO) to confirm momentum signals with volume trends.
A Rate of Change (ROC) line to highlight the speed of momentum shifts.
Visual cues like reversal signals and confluence backgrounds for actionable insights.
This indicator is ideal for swing traders, day traders, and those analyzing trends across multiple timeframes (hourly, 4-hour, daily, weekly, monthly). It is plotted below the price chart (non-overlay) and includes customizable alerts for key conditions.
Key Features
Multi-Timeframe Support: Automatically adjusts parameters for hourly, 4-hour, daily, weekly, and monthly charts, ensuring optimal settings for each timeframe.
Squeeze Detection: Identifies periods of low volatility (squeezes) using Bollinger Bands and Keltner Channels, categorized as Wide, Normal, Narrow, or Very Narrow.
Momentum Oscillator: Tracks price momentum relative to a baseline, with a signal line to highlight trend reversals.
PVO Confluence: Optionally integrates the Percentage Volume Oscillator to confirm momentum signals with volume trends.
Rate of Change (ROC): Displays the smoothed rate of change of momentum for enhanced readability.
Visual Cues: Includes color-coded squeeze dots, momentum/signal lines, reversal markers, and optional confluence backgrounds.
Alerts: Configurable alerts for squeeze conditions, trend reversals, and volume-confirmed signals.
How It Works
1. Momentum Oscillator
The momentum oscillator is calculated as follows:
Source: Closing price.
Baseline: A combination of the midpoint of the highest high and lowest low over a specified period, adjusted by a simple moving average (SMA).
Momentum: Linear regression of the price deviation from this baseline over a timeframe-specific period (shorter for smaller timeframes to be more responsive).
Signal Line: A 5-period SMA of the momentum value, used to identify crossovers.
Interpretation:
Momentum > Signal: Bullish momentum (plotted in green by default).
Momentum < Signal: Bearish momentum (plotted in red by default).
Crossovers: Momentum crossing above the signal line suggests a bullish reversal; crossing below suggests a bearish reversal.
2. Squeeze Detection
Squeezes occur when volatility contracts, often preceding significant price moves. The indicator compares:
Bollinger Bands: Calculated using an SMA and 2 standard deviations of the closing price.
Keltner Channels: Calculated using an SMA and multiples of the Average True Range (ATR) for different squeeze thresholds (Wide, Normal, Narrow, Very Narrow). This method steers away from the likes of classical SQZPRO which only uses an approximation of the Average True Range and heavily affects the squeeze sensitivity due to the way they calculate their Keltner Channel (our Keltner Channel are true to the way they are supposed to be calculated).
Squeeze Conditions:
Wide Squeeze: Bollinger Bands are inside Keltner Channels with a high ATR multiplier.
Normal Squeeze: Bollinger Bands are inside Keltner Channels with a moderate ATR multiplier.
Narrow Squeeze: Bollinger Bands are inside Keltner Channels with a low ATR multiplier.
Very Narrow Squeeze: Bollinger Bands are inside Keltner Channels with a very low ATR.
No Squeeze: Bollinger Bands are outside Keltner Channels, indicating higher volatility.
Depending on the timeframe, each squeeze level has been manually tweaked to gain an edge, whether you're scalping, in swings or in Leaps.
Visuals: Squeeze conditions are plotted as colored dots on the zero line:
Green: No Squeeze
Black: Wide Squeeze
Red: Normal Squeeze
Yellow: Narrow Squeeze
Purple: Very Narrow Squeeze
3. Percentage Volume Oscillator (PVO)
The PVO measures volume momentum, similar to the MACD but applied to volume through a 14 and 28 ema with volume as the srouce.
Interpretation:
PVO > 0: Increasing volume momentum (bullish).
PVO < 0: Decreasing volume momentum (bearish).
When enabled (Show PVO Confluence), the indicator highlights periods where momentum and PVO align (e.g., bullish momentum with PVO > 0).
4. Rate of Change (ROC)
Formula: Smoothed difference between momentum and signal line, multiplied by a user-defined factor (ROC Multiplier).
Purpose: Enhances readability of momentum shifts, plotted as a blue (positive) or orange (negative) line when enabled.
5. Reversal Signals
Bullish Reversal: Momentum crosses above the signal line, optionally confirmed by PVO > 0. Marked with a green vertical line.
Bearish Reversal: Momentum crosses below the signal line, optionally confirmed by PVO < 0. Marked with a red vertical line.
6. Confluence Background
When Show PVO Confluence is enabled, the background is colored to highlight alignment:
Bullish Confluence: Momentum > Signal and PVO > 0 (green background, darker if ROC is positive).
Bearish Confluence: Momentum < Signal and PVO < 0 (red background, darker if ROC is negative).
Inputs
Basic Configuration:
Display Reversals: Show/hide reversal markers for momentum/signal crossovers (default: true).
Show PVO Confluence: Enable/disable background coloring for momentum and PVO alignment (default: false).
Rate of Change:
Show Rate of Change Line: Display the ROC line (default: false).
ROC Smoothing Length: Smoothing period for ROC (default: 1, min: 1).
ROC Multiplier: Scales ROC for readability (default: 1, min: 1).
Plotline Colors:
Bullish Momentum: Green (default: RGB(0, 255, 0)).
Bearish Momentum: Red (default: RGB(255, 0, 0)).
Signal Line: White (default: RGB(255, 255, 255)).
Squeeze Colors:
No Squeeze: Green.
Wide Squeeze: Black.
Normal Squeeze: Red.
Narrow Squeeze: Yellow.
Very Narrow Squeeze: Purple.
Timeframe-Specific Parameters
The indicator adapts to the chart’s timeframe, using predefined settings.
Hourly, 4-Hour, Daily, Weekly and Monthly (and everything in between) all have custom, tweaked momentum length, ATR length, and squeeze multiplier threshold to suit the sensitivity needed for the current timeframe.
Trading Applications
Squeeze Breakouts:
A transition from a Very Narrow or Narrow Squeeze to No Squeeze often signals a breakout. Combine with momentum crossovers for confirmation.
Example: Enter a long position when a Narrow Squeeze (yellow dots) turns to No Squeeze (green dots) and momentum crosses above the signal line.
Trend Reversals:
Bullish reversal (green line) with PVO > 0 confirms strong buying volume, increasing the likelihood of a sustained uptrend.
Bearish reversal (red line) with PVO < 0 suggests strong selling pressure.
Confluence Trading:
Use confluence backgrounds to trade only when momentum and volume align, reducing false signals.
Example: A bullish confluence (green background) with positive ROC indicates a high-probability long setup.
Divergences:
Look for divergences between price and momentum or PVO. For instance, a higher low in momentum/PVO with a lower low in price suggests a bullish reversal.
Trend Confirmation:
Use the momentum oscillator and ROC to confirm price trends. A rising momentum and positive ROC validate an uptrend.
Alerts
Squeeze Alerts:
🟢 No Squeeze: Volatility is expanding.
⚫ Low Squeeze: Wide squeeze detected.
🔴 Normal Squeeze: Moderate squeeze detected.
🟡 Tight Squeeze: Narrow squeeze detected.
🟣 Very Tight Squeeze: Very narrow squeeze detected.
Reversal Alerts:
🐂 Bullish Trend Reversal: Momentum crosses above signal.
🐻 Bearish Trend Reversal: Momentum crosses below signal.
🐂 Bullish Trend Reversal + 📊 PVO Confluence: Momentum crossover with PVO > 0.
🐻 Bearish Trend Reversal + 📊 PVO Confluence: Momentum crossover with PVO < 0.
Limitations
Lagging Nature: The momentum oscillator and PVO rely on moving averages, which may lag sudden price or volume spikes.
False Signals: Squeezes and crossovers can occur in choppy markets, leading to whipsaws. Confirm with price action or other indicators.
Timeframe Sensitivity: Results vary by timeframe; test settings for your trading style (e.g., shorter lengths for day trading).
How to Use
Add to Chart: Apply the indicator to any TradingView chart (non-overlay).
Customize Settings:
Enable Display Reversals for crossover markers.
Enable Show PVO Confluence for volume confirmation.
Adjust ROC Smoothing and ROC Multiplier for clearer ROC visuals.
Customize colors for better visibility.
Interpret Signals:
Monitor squeeze dots for volatility changes.
Watch for momentum/signal crossovers and confluence backgrounds.
Use ROC to gauge momentum strength.
Set Alerts: Configure alerts for squeezes, reversals, or confluence signals to stay informed.
Example Scenario
Setup: A stock in a Very Narrow Squeeze (purple dots) on the daily chart, with momentum below the signal line and PVO < 0.
Signal: Momentum crosses above the signal line, PVO turns positive, and the squeeze transitions to No Squeeze (green dots).
Action: Enter a long position, targeting the next resistance level, with a stop-loss below recent support. The green confluence background and positive ROC confirm the trade.
Conclusion
The SQZMOMPRO indicator is a versatile tool for traders seeking to capitalize on momentum, volatility, and volume trends. Its multi-timeframe adaptability, visual clarity, and robust alert system make it suitable for various trading strategies. Combine with price action, support/resistance, or other indicators for optimal results. For feedback or suggestions, feel free to leave a comment.
Mongoose EMA Ribbon — Pro EditionMongoose EMA Ribbon — Pro Edition
The Mongoose EMA Ribbon is a precision tool designed to support directional bias, trend integrity, and momentum alignment through a structured multi-EMA system. It is built for traders seeking clarity across high-timeframe trend conditions without sacrificing speed or simplicity.
Key Features:
Five customizable EMAs optimized for layered ribbon analysis
Configurable color logic for clean visual separation
Built-in ribbon compression and expansion visibility
Support for ribbon-based trend continuation zones
Optional label and visual tag for real-time trend state
Applications:
Identify trend strength and reversals with ribbon alignment
Detect compression zones that precede directional moves
Support discretionary or system-based trading strategies
Integrates well with price structure and macro overlays
This script is part of the Mongoose Capital toolkit and was developed to meet internal standards for clarity, execution readiness, and cross-asset compatibility.
Version: Pro Edition
Timeframes: Optimized for 1H, 4H, Daily, Weekly
PulseWave + DivergenceOverview
PulseWave + Divergence is a momentum oscillator designed to optimize the classic RSI. Unlike traditional RSI, which can produce delayed or noisy signals, PulseWave offers a smoother and faster oscillator line that better responds to changes in market dynamics. By using a formula based on the difference between RSI and its moving average, the indicator generates fewer false signals, making it a suitable tool for day traders and swing traders in stock, forex, and cryptocurrency markets.
How It Works
Generating the Oscillator Line
The PulseWave oscillator line is calculated as follows:
RSI is calculated based on the selected data source (default: close price) and RSI length (default: 20 periods).
RSI is smoothed using a simple moving average (MA) with a selected length (default: 20 periods).
The oscillator value is the difference between the current RSI and its moving average: oscillator = RSI - MA(RSI).
This approach ensures high responsiveness to short-term momentum changes while reducing market noise. Unlike other oscillators, such as standard RSI or MACD, which rely on direct price values or more complex formulas, PulseWave focuses on the dynamics of the difference between RSI and its moving average. This allows it to better capture short-term trend changes while minimizing the impact of random price fluctuations. The oscillator line fluctuates around zero, making it easy to identify bullish trends (positive values) and bearish trends (negative values).
Divergences
The indicator optionally detects bullish and bearish divergences by comparing price extremes (swing highs/lows) with oscillator extremes within a defined pivot window (default: 5 candles left and right). Divergences are marked with "Bull" (bullish) and "Bear" (bearish) labels on the oscillator chart.
Signals
Depending on the selected signal type, PulseWave generates buy and sell signals based on:
Crosses of the overbought and oversold levels.
Crosses of the oscillator’s zero line.
A combination of both (option "Both").
Signals are displayed as triangles above or below the oscillator, making them easy to identify.
Input Parameters
RSI Length: Length of the RSI used in calculations (default: 20).
RSI MA Length: Length of the RSI moving average (default: 20).
Overbought/Oversold Level: Oscillator overbought and oversold levels (default: 12.0 and -12.0).
Pivot Length: Number of candles used to detect extremes for divergences (default: 5).
Signal Type: Type of signals to display ("Overbought/Oversold", "Zero Line", "Both", or "None").
Colors and Gradients: Full customization of line, gradient, and label colors.
How to Use
Adjust Parameters:
Increase RSI Length (e.g., to 30) for high-volatility markets to reduce noise.
Decrease Pivot Length (e.g., to 3) for faster divergence detection on short timeframes.
Interpret Signals:
Buy Signal: The oscillator crosses above the oversold level or zero line, especially with a bullish divergence.
Sell Signal: The oscillator crosses below the overbought level or zero line, especially with a bearish divergence.
Combine with Other Tools:
Use PulseWave alongside moving averages or support/resistance levels to confirm signals.
Monitor Divergences:
"Bull" and "Bear" labels indicate potential trend reversals. Set up alerts to receive notifications for divergences.
Z Score Overlay [BigBeluga]🔵 OVERVIEW
A clean and effective Z-score overlay that visually tracks how far price deviates from its moving average. By standardizing price movements, this tool helps traders understand when price is statistically extended or compressed—up to ±4 standard deviations. The built-in scale and real-time bin markers offer immediate context on where price stands in relation to its recent mean.
🔵 CONCEPTS
Z Score Calculation:
Z = (Close − SMA) ÷ Standard Deviation
This formula shows how many standard deviations the current price is from its mean.
Statistical Extremes:
• Z > +2 or Z < −2 suggests statistically significant deviation.
• Z near 0 implies price is close to its average.
Standardization of Price Behavior: Makes it easier to compare volatility and overextension across timeframes and assets.
🔵 FEATURES
Colored Z Line: Gradient coloring based on how far price deviates—
• Red = oversold (−4),
• Green = overbought (+4),
• Yellow = neutral (~0).
Deviation Scale Bar: A vertical scale from −4 to +4 standard deviations plotted to the right of price.
Active Z Score Bin: Highlights the current Z-score bin with a “◀” arrow
Context Labels: Clear numeric labels for each Z-level from −4 to +4 along the side.
Live Value Display: Shows exact Z-score on the active level.
Non-intrusive Overlay: Can be applied directly to price chart without changing scaling behavior.
🔵 HOW TO USE
Identify overbought/oversold areas based on +2 / −2 thresholds.
Spot potential mean reversion trades when Z returns from extreme levels.
Confirm strong trends when price remains consistently outside ±2.
Use in multi-timeframe setups to compare strength across contexts.
🔵 CONCLUSION
Z Score Overlay transforms raw price action into a normalized statistical view, allowing traders to easily assess deviation strength and mean-reversion potential. The intuitive scale and color-coded display make it ideal for traders seeking objective, volatility-aware entries and exits.
OBV ATR Strategy (OBV Breakout Channel) bas20230503ผมแก้ไขจาก OBV+SMA อันเดิม ของเดิม ดูที่เส้น SMA สองเส้นตัดกันมั่นห่วยแตกสำหรับที่ผมลองเทรดจริง และหลักการเบรค ได้แรงบันดาลใจ ATR จาก เทพคอย ที่ใช้กับราคา แต่นี้ใช้กับ OBV แทน
และผมใช้เจมินี้ เพื่อแก้ ให้ เป็น strategy เพื่อเช็คย้อนหลังได้ง่ายกว่าเดิม
หลักการง่ายคือถ้ามันขึ้น มันจะขึ้นเรื่อยๆ
เขียน แบบสุภาพ (น่าจะอ่านได้ง่ายกว่าผมเขียน)
สคริปต์นี้ได้รับการพัฒนาต่อยอดจากแนวคิด OBV+SMA Crossover แบบดั้งเดิม ซึ่งจากการทดสอบส่วนตัวพบว่าประสิทธิภาพยังไม่น่าพอใจ กลยุทธ์ใหม่นี้จึงเปลี่ยนมาใช้หลักการ "Breakout" ซึ่งได้รับแรงบันดาลใจมาจากการใช้ ATR สร้างกรอบของราคา แต่เราได้นำมาประยุกต์ใช้กับ On-Balance Volume (OBV) แทน นอกจากนี้ สคริปต์ได้ถูกแปลงเป็น Strategy เต็มรูปแบบ (โดยความช่วยเหลือจาก Gemini AI) เพื่อให้สามารถทดสอบย้อนหลัง (Backtest) และประเมินประสิทธิภาพได้อย่างแม่นยำ
หลักการของกลยุทธ์: กลยุทธ์นี้ทำงานบนแนวคิดโมเมนตัมที่ว่า "เมื่อแนวโน้มได้เกิดขึ้นแล้ว มีโอกาสที่มันจะดำเนินต่อไป" โดยจะมองหาการทะลุของพลังซื้อ-ขาย (OBV) ที่แข็งแกร่งเป็นพิเศษเป็นสัญญาณเข้าเทร
----
สคริปต์นี้เป็นกลยุทธ์ (Strategy) ที่ใช้ On-Balance Volume (OBV) ซึ่งเป็นอินดิเคเตอร์ที่วัดแรงซื้อและแรงขายสะสม แทนที่จะใช้การตัดกันของเส้นค่าเฉลี่ย (SMA Crossover) ที่เป็นแบบพื้นฐาน กลยุทธ์นี้จะมองหาการ "ทะลุ" (Breakout) ของพลัง OBV ออกจากกรอบสูงสุด-ต่ำสุดของตัวเองในรอบที่ผ่านมา
สัญญาณกระทิง (Bull Signal): เกิดขึ้นเมื่อพลังการซื้อ (OBV) แข็งแกร่งจนสามารถทะลุจุดสูงสุดของตัวเองในอดีตได้ บ่งบอกถึงโอกาสที่แนวโน้มจะเปลี่ยนเป็นขาขึ้น
สัญญาณหมี (Bear Signal): เกิดขึ้นเมื่อพลังการขาย (OBV) รุนแรงจนสามารถกดดันให้ OBV ทะลุจุดต่ำสุดของตัวเองในอดีตได้ บ่งบอกถึงโอกาสที่แนวโน้มจะเปลี่ยนเป็นขาลง
ส่วนประกอบบนกราฟ (Indicator Components)
เส้น OBV
เส้นหลัก ที่เปลี่ยนเขียวเป็นแดง เป็นทั้งแนวรับและแนวต้าน และ จุด stop loss
เส้นนี้คือหัวใจของอินดิเคเตอร์ ที่แสดงถึงพลังสะสมของ Volume
เมื่อเส้นเป็นสีเขียว (แนวรับ): จะปรากฏขึ้นเมื่อกลยุทธ์เข้าสู่ "โหมดกระทิง" เส้นนี้คือระดับต่ำสุดของ OBV ในอดีต และทำหน้าที่เป็นแนวรับไดนามิก
เมื่อเส้นกลายเป็นสีแดงสีแดง (แนวต้าน): จะปรากฏขึ้นเมื่อกลยุทธ์เข้าสู่ "โหมดหมี" เส้นนี้คือระดับสูงสุดของ OBV ในอดีต และทำหน้าที่เป็นแนวต้านไดนามิก
สัญลักษณ์สัญญาณ (Signal Markers):
Bull 🔼 (สามเหลี่ยมขึ้นสีเขียว): คือสัญญาณ "เข้าซื้อ" (Long) จะปรากฏขึ้น ณ จุดที่ OBV ทะลุขึ้นไปเหนือกรอบด้านบนเป็นครั้งแรก
Bear 🔽 (สามเหลี่ยมลงสีแดง): คือสัญญาณ "เข้าขาย" (Short) จะปรากฏขึ้น ณ จุดที่ OBV ทะลุลงไปต่ำกว่ากรอบด้านล่างเป็นครั้งแรก
วิธีการใช้งาน (How to Use)
เพิ่มสคริปต์นี้ลงบนกราฟราคาที่คุณสนใจ
ไปที่แท็บ "Strategy Tester" ด้านล่างของ TradingView เพื่อดูผลการทดสอบย้อนหลัง (Backtest) ของกลยุทธ์บนสินทรัพย์และไทม์เฟรมต่างๆ
ใช้สัญลักษณ์ "Bull" และ "Bear" เป็นตัวช่วยในการตัดสินใจเข้าเทรด
ข้อควรจำ: ไม่มีกลยุทธ์ใดที่สมบูรณ์แบบ 100% ควรใช้สคริปต์นี้ร่วมกับการวิเคราะห์ปัจจัยอื่นๆ เช่น โครงสร้างราคา, แนวรับ-แนวต้านของราคา และการบริหารความเสี่ยง (Risk Management) ของตัวคุณเองเสมอ
การตั้งค่า (Inputs)
SMA Length 1 / SMA Length 2: ใช้สำหรับพล็อตเส้นค่าเฉลี่ยของ OBV เพื่อดูเป็นภาพอ้างอิง ไม่มีผลต่อตรรกะการเข้า-ออกของ Strategy อันใหม่ แต่มันเป็นของเก่า ถ้าชอบ ก็ใช้ได้ เมื่อ SMA สองเส้นตัดกัน หรือตัดกับเส้น OBV
High/Low Lookback Length: (ค่าพื้นฐาน30/แก้ตรงนี้ให้เหมาะสมกับ coin หรือหุ้น ตามความผันผวน ) คือระยะเวลาที่ใช้ในการคำนวณกรอบสูงสุด-ต่ำสุดของ OBV
ค่าน้อย: ทำให้กรอบแคบลง สัญญาณจะเกิดไวและบ่อยขึ้น แต่อาจมีสัญญาณหลอก (False Signal) เยอะขึ้น
ค่ามาก: ทำให้กรอบกว้างขึ้น สัญญาณจะเกิดช้าลงและน้อยลง แต่มีแนวโน้มที่จะเป็นสัญญาณที่แข็งแกร่งกว่า
แน่นอนครับ นี่คือคำแปลฉบับภาษาอังกฤษที่สรุปใจความสำคัญ กระชับ และสุภาพ เหมาะสำหรับนำไปใช้ในคำอธิบายสคริปต์ (Description) ของ TradingView ครับ
---Translate to English---
OBV Breakout Channel Strategy
This script is an evolution of a traditional OBV+SMA Crossover concept. Through personal testing, the original crossover method was found to have unsatisfactory performance. This new strategy, therefore, uses a "Breakout" principle. The inspiration comes from using ATR to create price channels, but this concept has been adapted and applied to On-Balance Volume (OBV) instead.
Furthermore, the script has been converted into a full Strategy (with assistance from Gemini AI) to enable precise backtesting and performance evaluation.
The strategy's core principle is momentum-based: "once a trend is established, it is likely to continue." It seeks to enter trades on exceptionally strong breakouts of buying or selling pressure as measured by OBV.
Core Concept
This is a Strategy that uses On-Balance Volume (OBV), an indicator that measures cumulative buying and selling pressure. Instead of relying on a basic Simple Moving Average (SMA) Crossover, this strategy identifies a "Breakout" of the OBV from its own highest-high and lowest-low channel over a recent period.
Bull Signal: Occurs when the buying pressure (OBV) is strong enough to break above its own recent highest high, indicating a potential shift to an upward trend.
Bear Signal: Occurs when the selling pressure (OBV) is intense enough to push the OBV below its own recent lowest low, indicating a potential shift to a downward trend.
On-Screen Components
1. OBV Line
This is the main indicator line, representing the cumulative volume. Its color changes to green when OBV is rising and red when it is falling.
2. Dynamic Support & Resistance Line
This is the thick Green or Red line that appears based on the strategy's current "mode." This line serves as a dynamic support/resistance level and can be used as a reference for stop-loss placement.
Green Line (Support): Appears when the strategy enters "Bull Mode." This line represents the lowest low of the OBV in the recent past and acts as dynamic support.
Red Line (Resistance): Appears when the strategy enters "Bear Mode." This line represents the highest high of the OBV in the recent past and acts as dynamic resistance.
3. Signal Markers
Bull 🔼 (Green Up Triangle): This is the "Long Entry" signal. It appears at the moment the OBV first breaks out above its high-low channel.
Bear 🔽 (Red Down Triangle): This is the "Short Entry" signal. It appears at the moment the OBV first breaks down below its high-low channel.
How to Use
Add this script to the price chart of your choice.
Navigate to the "Strategy Tester" panel at the bottom of TradingView to view the backtesting results for the strategy on different assets and timeframes.
Use the "Bull" and "Bear" signals as aids in your trading decisions.
Disclaimer: No strategy is 100% perfect. This script should always be used in conjunction with other forms of analysis, such as price structure, key price-based support/resistance levels, and your own personal risk management rules.
Inputs
SMA Length 1 / SMA Length 2: These are used to plot moving averages on the OBV for visual reference. They are part of the legacy logic and do not affect the new breakout strategy. However, they are kept for traders who may wish to observe their crossovers for additional confirmation.
High/Low Lookback Length: (Most Important Setting) This determines the period used to calculate the highest-high and lowest-low OBV channel. (Default is 30; adjust this to suit the asset's volatility).
A smaller value: Creates a narrower channel, leading to more frequent and faster signals, but potentially more false signals.
A larger value: Creates a wider channel, leading to fewer and slower signals, which are likely to be more significant.
Daily Trading Barometer (DTB) with DJIA OverlayThe "Daily Trading Barometer (DTB) with DJIA Overlay" is a custom technical indicator designed to identify intermediate-term overbought and oversold conditions in the stock market, inspired by Edson Gould's original DTB methodology. This indicator combines three key components:
A 7-day advance-decline oscillator, a 20-day volume oscillator, and a 28-day DJIA price ratio, normalized into a composite index scaled around 110–135. Values below 110 signal potential oversold conditions, while values above 135 indicate overbought territory, aiding in timing market reversals.
The overlay of a normalized DJIA plot allows for visual correlation with the broader market trend. Use this tool to anticipate turning points in oscillating markets, though it’s best combined with other indicators for confirmation. Ideal for traders seeking probabilistic insights into bear or bull market transitions.
How to use -
If the DTB line (blue) and normalized DJIA (orange) are under the green dashed line, high probability for a long and reversal.
Use with the symbol SPX/QQQ
Dow Jones Industrial Average - DJIA
Momentum TrackerMomentum Tracker - Advanced Multi-Timeframe Momentum Oscillator
Overview
The Momentum Tracker is a sophisticated momentum oscillator that employs a proprietary triple-layer exponential smoothing algorithm to measure market momentum with exceptional precision. This indicator transforms complex price movements into clear, actionable signals through an intuitive color-coded display system.
Key Features
• Advanced Calculation Engine
Triple-layer exponential smoothing for noise reduction
Proprietary momentum normalization algorithm
Oscillates smoothly between 0-100
• Multi-Timeframe Analysis (NEW!)
Analyze momentum from any timeframe on your current chart
Perfect for confirming higher timeframe trends on lower timeframe entries
Timeframe display badge for easy reference
• Dynamic Visual System
Blue: Rising momentum (bullish pressure)
Red: Falling momentum (bearish pressure)
Yellow: Neutral/consolidating (no clear direction)
• Reference Levels
90: Overbought zone
50: Equilibrium line
10: Oversold zone
• Professional Features
No repainting - uses only confirmed data
Works on all markets (Forex, Crypto, Stocks, Indices)
Compatible with all timeframes (1m to Monthly)
Clean, uncluttered display
How It Works
The Momentum Tracker uses a sophisticated multi-stage process:
Price Input: Calculates using typical price (HLC/3) for balanced market representation
Triple Smoothing: Applies three layers of adaptive exponential smoothing to filter market noise while preserving trend integrity
Momentum Normalization: Converts raw momentum into a bounded 0-100 oscillator
Dynamic Coloring: Instantly visualizes momentum direction through color changes
Trading Applications
1. Trend Identification
Blue line = Uptrend momentum
Red line = Downtrend momentum
Yellow line = Consolidation/indecision
2. Overbought/Oversold Conditions
Readings above 90 suggest overbought conditions
Readings below 10 suggest oversold conditions
Best used in conjunction with price action
3. Momentum Divergences
Spot regular and hidden divergences
Early warning of potential trend reversals
Confirmation tool for other signals
4. Multi-Timeframe Confirmation
View daily momentum on hourly charts
Confirm entry signals with higher timeframe momentum
Avoid trades against higher timeframe momentum
5. Entry/Exit Timing
Color changes can signal momentum shifts
Midline (50) crosses indicate trend bias changes
Extreme readings suggest potential reversal zones
Settings
• Timeframe: Select any timeframe for momentum calculation (leave empty for chart timeframe)
Best Practices
DO combine with price action and support/resistance levels
DO use multiple timeframe analysis for confirmation
DO wait for clear color changes before making decisions
DON'T use as a standalone trading system
DON'T trade solely based on overbought/oversold levels
DON'T ignore overall market context
Pro Tips
Divergence Trading: Look for momentum making lower highs while price makes higher highs (bearish divergence) or vice versa
Trend Following: Trade in the direction of the momentum color on higher timeframes
Range Trading: Use extreme readings (>90 or <10) for mean reversion trades in ranging markets
Confluence: Best signals occur when momentum aligns across multiple timeframes
Technical Details
Version: 6.0 (Pine Script v6)
Overlay: False (displays in separate pane)
Repainting: No
Calculation: Based on typical price (HLC/3)
Update Frequency: Real-time with each price tick
Risk Disclaimer
Trading financial instruments involves substantial risk and may result in loss of capital. This indicator is provided for informational and educational purposes only and should not be construed as investment advice. Always:
Use proper risk management
Updates
Latest Update: Added multi-timeframe functionality allowing momentum analysis from any timeframe on your current chart view.
Tags: #momentum #oscillator #trend #multitimeframe #norepaint #exponentialsmoothing #momentumindicator #technicalanalysis #trading #forex #crypto #stocks
Adaptive RSI (ARSI)# Adaptive RSI (ARSI) - Dynamic Momentum Oscillator
Adaptive RSI is an advanced momentum oscillator that dynamically adjusts its calculation period based on real-time market volatility and cycle analysis. Unlike traditional RSI that uses fixed periods, ARSI continuously adapts to market conditions, providing more accurate overbought/oversold signals and reducing false signals during varying market phases.
## How It Works
At its core, ARSI calculates an adaptive period ranging from 8 to 28 bars using two key components: volatility measurement through Average True Range (ATR) and cycle detection via price momentum analysis. The logic is straightforward:
- **High volatility periods** trigger shorter calculation periods for enhanced responsiveness to rapid price movements
- **Low volatility periods** extend the calculation window for smoother, more reliable signals
- **Market factor** combines volatility and cycle analysis to determine optimal RSI period in real-time
When RSI crosses above 70, the market enters overbought territory. When it falls below 30, oversold conditions emerge. The indicator also features extreme levels at 80/20 for stronger reversal signals and midline crossovers at 50 for trend confirmation.
The adaptive mechanism ensures the oscillator remains sensitive during critical market movements while filtering out noise during consolidation phases, making it superior to static RSI implementations across different market conditions.
## Features
- **True Adaptive Calculation**: Dynamic period adjustment from 8-28 bars based on market volatility
- **Multiple Signal Types**: Overbought/oversold, extreme reversals, and midline crossovers
- **Configurable Parameters**: RSI length, adaptive sensitivity, ATR period, min/max bounds
- **Smart Smoothing**: Adjustable EMA smoothing from 1-21 periods to reduce noise
- **Visual Clarity**: Gradient colors, area fills, and signal dots for immediate trend recognition
- **Real-time Information**: Live data table showing current RSI, adaptive period, and market factor
- **Flexible Source Input**: Apply to any price source (close, hl2, ohlc4, etc.)
- **Professional Alerts**: Six built-in alert conditions for automated trading systems
## Signal Generation
ARSI generates multiple signal types for comprehensive market analysis:
**Primary Signals**: RSI crosses above 70 (overbought) or below 30 (oversold) - most reliable entry/exit points
**Extreme Signals**: RSI reaches 80+ (extreme overbought) or 20- (extreme oversold) - potential reversal zones
**Trend Signals**: RSI crosses above/below 50 midline - confirms directional momentum
**Reversal Signals**: Price action contradicts extreme RSI levels - early turning point detection
The adaptive period changes provide additional confirmation - signals accompanied by significant period shifts often carry higher probability of success.
## Visual Implementation
The indicator employs sophisticated visual elements for instant market comprehension:
- **Gradient RSI Line**: Color intensity reflects both value and momentum direction
- **Dynamic Zones**: Overbought/oversold areas with customizable fill colors
- **Signal Markers**: Triangular indicators mark key reversal and continuation points
- **Information Panel**: Real-time display of RSI value, adaptive period, market factor, and signal status
- **Background Coloring**: Subtle fills indicate current market state without chart clutter
## Parameter Configuration
**RSI Settings**:
- RSI Length: Base calculation period (default: 14)
- Adaptive Sensitivity: Response aggressiveness to volatility changes (default: 1.0)
- ATR Length: Volatility measurement period (default: 14)
- Min/Max Period: Adaptive calculation boundaries (default: 8/28)
- Smoothing Length: Final noise reduction filter (default: 3)
**Level Settings**:
- Overbought/Oversold: Standard signal levels (default: 70/30)
- Extreme Levels: Enhanced reversal zones (default: 80/20)
- Midline Display: 50-level trend confirmation toggle
**Visual Settings**:
- Line Width: RSI line thickness (1-5)
- Area Fills: Zone highlighting toggle
- Gradient Colors: Dynamic color intensity
- Signal Dots: Entry/exit marker display
## Alerts
ARSI includes six comprehensive alert conditions:
- **ARSI Overbought** - RSI crosses above overbought level
- **ARSI Oversold** - RSI crosses below oversold level
- **ARSI Bullish Cross** - RSI crosses above 50 midline
- **ARSI Bearish Cross** - RSI crosses below 50 midline
- **ARSI Extreme Bull** - Potential bullish reversal from extreme oversold
- **ARSI Extreme Bear** - Potential bearish reversal from extreme overbought
## Use Cases
**Trend Following**: Adaptive periods naturally adjust during trend acceleration and consolidation phases
**Mean Reversion**: Enhanced overbought/oversold signals with volatility-based confirmation
**Breakout Trading**: Extreme level breaches often precede significant directional moves
**Risk Management**: Multiple signal types allow for layered entry/exit strategies
**Multi-Timeframe Analysis**: Works effectively across various timeframes and asset classes
## Trading Applications
**Swing Trading**: Excels during trend transitions with adaptive sensitivity to changing conditions
**Day Trading**: Enhanced responsiveness during volatile sessions while filtering consolidation noise
**Position Trading**: Longer smoothing periods provide stable signals for broader market analysis
**Scalping**: Minimal smoothing with high sensitivity captures short-term momentum shifts
The indicator performs well across stocks, forex, commodities, and cryptocurrencies, though parameter optimization may be required for specific market characteristics.
## Settings Summary
**Display Settings**:
- RSI Length: Moving average baseline period
- Adaptive Sensitivity: Volatility response factor
- ATR Length: Volatility measurement window
- Min/Max Period: Adaptive calculation boundaries
- Smoothing Length: Noise reduction filter
**Level Configuration**:
- Overbought/Oversold: Primary signal thresholds
- Extreme Levels: Secondary reversal zones
- Midline Display: Trend confirmation toggle
**Visual Options**:
- Line Width: RSI line appearance
- Area Fills: Zone highlighting
- Gradient Colors: Dynamic visual feedback
- Signal Dots: Entry/exit markers
## Disclaimer
This indicator is provided for educational and informational purposes only. It is not financial advice. Trading involves substantial risk of loss and is not suitable for all investors. Past performance is not indicative of future results. Always conduct thorough testing and risk assessment before live implementation. The adaptive nature of this indicator requires understanding of its behavior across different market conditions for optimal results.
Ticker Pulse Meter BasicPairs nicely with the Contrarian 100 MA located here:
and the Enhanced Stock Ticker with 50MA vs 200MA located here:
Description
The Ticker Pulse Meter Basic is a dynamic Pine Script v6 indicator designed to provide traders with a visual representation of a stock’s price position relative to its short-term and long-term ranges, enabling clear entry and exit signals for long-only trading strategies. By calculating three normalized metrics—Percent Above Long & Above Short, Percent Above Long & Below Short, and Percent Below Long & Below Short—this indicator offers a unique "pulse" of market sentiment, plotted as stacked area charts in a separate pane. With customizable lookback periods, thresholds, and signal plotting options, it empowers traders to identify optimal entry points and profit-taking levels. The indicator leverages Pine Script’s force_overlay feature to plot signals on either the main price chart or the indicator pane, making it versatile for various trading styles.
Key Features
Pulse Meter Metrics:
Computes three percentages based on short-term (default: 50 bars) and long-term (default: 200 bars) lookback periods:
Percent Above Long & Above Short: Measures price strength when above both short and long ranges (green area).
Percent Above Long & Below Short: Indicates mixed momentum (orange area).
Percent Below Long & Below Short: Signals weakness when below both ranges (red area).
Flexible Signal Plotting:
Toggle between plotting entry (blue dots) and exit (white dots) signals on the main price chart (location.abovebar/belowbar) or in the indicator pane (location.top/bottom) using the Plot Signals on Main Chart option.
Entry/Exit Logic:
Long Entry: Triggered when Percent Above Long & Above Short crosses above the high threshold (default: 20%) and Percent Below Long & Below Short is below the low threshold (default: 40%).
Long Exit: Triggered when Percent Above Long & Above Short crosses above the profit-taking level (default: 95%).
Visual Enhancements:
Plots stacked area charts with semi-transparent colors (green, orange, red) for intuitive trend analysis.
Displays threshold lines for entry (high/low) and profit-taking levels.
Includes a ticker and timeframe table in the top-right corner for quick reference.
Alert Conditions: Supports alerts for long entry and exit signals, integrable with TradingView’s alert system for automated trading.
Technical Innovation: Combines normalized price metrics with Pine Script v6’s force_overlay for seamless signal integration on the price chart or indicator pane.
Technical Details
Calculation Logic:
Uses confirmed bars (barstate.isconfirmed) to calculate metrics, ensuring reliability.
Short-term percentage: (close - lowest(low, lookback_short)) / (highest(high, lookback_short) - lowest(low, lookback_short)).
Long-term percentage: (close - lowest(low, lookback_long)) / (highest(high, lookback_long) - lowest(low, lookback_long)).
Derived metrics:
pct_above_long_above_short = (pct_above_long * pct_above_short) * 100.
pct_above_long_below_short = (pct_above_long * (1 - pct_above_short)) * 100.
pct_below_long_below_short = ((1 - pct_above_long) * (1 - pct_above_short)) * 100.
Signal Plotting:
Entry signals (long_entry) use ta.crossover to detect when pct_above_long_above_short crosses above entryThresholdhigh and pct_below_long_below_short is below entryThresholdlow.
Exit signals (long_exit) use ta.crossover for pct_above_long_above_short crossing above profitTake.
Signals are plotted as tiny circles with force_overlay=true for main chart or standard plotting for the indicator pane.
Performance Considerations: Optimized for efficiency by calculating metrics only on confirmed bars and using lightweight plotting functions.
How to Use
Add to Chart:
Copy the script into TradingView’s Pine Editor and apply it to your chart.
Configure Settings:
Short Lookback Period: Adjust the short-term lookback (default: 50 bars) for sensitivity.
Long Lookback Period: Set the long-term lookback (default: 200 bars) for broader context.
Entry Thresholds: Modify high (default: 20%) and low (default: 40%) thresholds for entry conditions.
Profit Take Level: Set the exit threshold (default: 95%) for profit-taking.
Plot Signals on Main Chart: Check to display signals on the price chart; uncheck for the indicator pane.
Interpret Signals:
Long Entry: Blue dots indicate a strong bullish setup when price is high relative to both lookback ranges and weakness is low.
Long Exit: White dots signal profit-taking when strength reaches overbought levels.
Use the stacked area charts to assess trend strength and momentum.
Set Alerts:
Create alerts for Long Entry and Long Exit conditions using TradingView’s alert system.
Customize Visuals:
Adjust colors and thresholds via TradingView’s settings for better visibility.
The ticker table displays the symbol and timeframe in the top-right corner.
Example Use Cases
Swing Trading: Use entry signals to capture short-term bullish moves within a broader uptrend, exiting at profit-taking levels.
Trend Confirmation: Monitor the green area (Percent Above Long & Above Short) for sustained bullish momentum.
Market Sentiment Analysis: Use the stacked areas to gauge bullish vs. bearish sentiment across timeframes.
Notes
Testing: Backtest the indicator on your chosen market and timeframe to validate its effectiveness.
Compatibility: Built for Pine Script v6 and tested on TradingView as of June 20, 2025.
Limitations: Signals are long-only; adapt the script for short strategies if needed.
Enhancements: Consider adding a histogram for the difference between metrics or additional thresholds for nuanced trading.
Acknowledgments
Inspired by public Pine Script examples and designed to simplify complex market dynamics into a clear, actionable tool. For licensing or support, contact Chuck Schultz (@chuckaschultz) on TradingView. Share feedback in the comments, and happy trading!
VWVI - Volume Weighted Volatility Index# 📊 Complete VWVI Indicator User Guide (Current Version)
## 🔍 **I. Core Principles**
### **VWVI's Unique Value**
VWVI isn't a simple volatility indicator, but a **volume-confirmed volatility strength indicator**:
- **Problems with traditional volatility indicators**: ATR, Bollinger Bands, etc. only look at price movements while ignoring volume
- **VWVI advantage**: Only fluctuations accompanied by high volume are considered "true volatility"
- **Core logic**: Fluctuations driven by large capital are more important than retail noise
---
## 🎨 **II. Detailed Explanation of Current Version Visual Elements**
### **1. Main Line Color System (Most Important Signal)**
```
🟢 Green main line (VWVI > 60):
├─ Meaning: High volatility + high volume = true trend
├─ Market state: One-way market, breakout market, trend acceleration
├─ Trading opportunity: Trend following, momentum trading
└─ Duration: Typically lasts several cycles
🟠 Orange main line (40 ≤ VWVI ≤ 60):
├─ Meaning: Medium volatility or mismatched volume
├─ Market state: Transition phase, direction pending
├─ Trading strategy: Wait-and-see, await clear signals
└─ Note: High probability of false breakouts
🔴 Red main line (VWVI < 40):
├─ Meaning: Low volatility + low volume = consolidation
├─ Market state: Sideways, range-bound, shrinking volume
├─ Trading opportunity: Range trading, mean reversion
└─ Feature: Price oscillates between support/resistance
```
### **2. Reference Line System (Auxiliary Judgment)**
```
🟢 Trend threshold line (default 60):
├─ Function: Watershed for trend confirmation
├─ Breakout upward: Trend begins confirmation
├─ Break downward: Trend weakening or ending
└─ Adjustment suggestion: Can adjust based on market characteristics (50-70)
🔴 Range threshold line (default 40):
├─ Function: Confirmation line for range-bound markets
├─ Break downward: Range-bound market confirmed
├─ Breakout upward: Range may be ending
└─ Adjustment suggestion: Can adjust based on volatility (30-50)
⚫ Center line (50):
├─ Function: Market neutral reference
├─ Above: Trend characteristics
├─ Below: Range characteristics
└─ Meaning: Long-term equilibrium position
```
### **3. Background Coloring System (State Identification)**
```
🟢 Light green background:
├─ Trigger: VWVI > trend threshold
├─ Meaning: Trend confirmation period
├─ Trading suggestion: Trend following strategy
└─ Risk: Possible reversal at trend end
🔴 Light red background:
├─ Trigger: VWVI < range threshold
├─ Meaning: Range-bound confirmation period
├─ Trading suggestion: Range trading strategy
└─ Opportunity: Look for support/resistance levels
🟩 Green background flashing:
├─ Trigger: VWVI breaks through trend threshold
├─ Meaning: Trend signal generated
├─ Action: Consider establishing trend positions
└─ Confirmation: Needs other indicators
🟥 Red background flashing:
├─ Trigger: VWVI breaks below range threshold
├─ Meaning: Range signal generated
├─ Action: Consider range trading strategy
└─ Confirmation: Observe persistence
```
### **4. Information Panel (Upper Right Corner)**
```
📊 Real-time data display:
├─ VWVI value: Current indicator reading
├─ Current state: Trend/Range/Neutral
├─ Volume status: Above/Below 20-day average
├─ Volatility strength: High/Low volatility
├─ Trend threshold: Current setting
└─ Range threshold: Current setting
```
---
## 📈 **III. Specific Usage Methods**
### **A. Trend Following Strategy**
```
🎯 Entry timing:
✅ VWVI breaks above 60 from below (green background flashing)
✅ Main line turns green and continues rising
✅ Volume status shows "above average"
✅ Volatility strength shows "high volatility"
📍 Position management:
- Continue holding: VWVI remains above 60
- Reduce position warning: VWVI starts declining but still >50
- Stop loss exit: VWVI breaks below 50 or turns orange
⚠️ Risk control:
- False breakout: VWVI quickly falls back after breaking 60
- Trend end: VWVI oscillates at high levels
```
### **B. Range Trading Strategy**
```
🎯 Confirm range:
✅ VWVI breaks below 40 (red background flashing)
✅ Main line turns red and lingers at low levels
✅ Volume status shows "below average"
✅ Volatility strength shows "low volatility"
📍 Trading strategy:
- Upper range: Look for resistance to short
- Lower range: Look for support to long
- Stop loss: Breakout beyond range boundaries
- Profit target: Near range midpoint
⚠️ Notes:
- False breakouts may occur at range end
- Abnormal volume spikes may signal trend change
```
### **C. State Transition Strategy**
```
🔄 Range→Trend transition:
- Observe: VWVI rises from <40 to 40-60 range
- Prepare: Orange main line phase preparation
- Confirm: Consider entry when breaking 60
- Verify: Whether volume expands simultaneously
🔄 Trend→Range transition:
- Warning: VWVI declines from >60 to 40-60 range
- Reduce position: Gradually reduce in orange phase
- Confirm: Switch to range strategy when breaking 40
- Observe: Whether it's a trend pullback
```
---
## ⚠️ **IV. Common Mistakes and Precautions**
### **❌ Common Mistakes**
1. **Mistake 1: Using VWVI alone**
- ❌ Wrong: Making trading decisions based solely on VWVI
- ✅ Correct: Combine with price action, support/resistance, other indicators
2. **Mistake 2: Ignoring volume confirmation**
- ❌ Wrong: Only looking at VWVI values, ignoring volume status
- ✅ Correct: VWVI signal + volume confirmation = more reliable signal
3. **Mistake 3: Overtrading**
- ❌ Wrong: Trading every color change
- ✅ Correct: Wait for clear state transition signals
4. **Mistake 4: Fixed thresholds**
- ❌ Wrong: Using 60/40 thresholds for all markets
- ✅ Correct: Adjust parameters for different products
5. **Mistake 5: Ignoring background information**
- ❌ Wrong: Not considering market environment and fundamentals
- ✅ Correct: Combine with market cycles and important events
### **⚡ Special Situation Handling**
```
🚨 Abnormal signal identification:
- VWVI spikes sharply >80: May indicate sudden events
- VWVI remains <20 long-term: Extreme market contraction
- Frequent oscillation near thresholds: Market indecision
- Volume-VWVI divergence: Requires caution
🎯 Optimal usage environment:
✅ Suitable: Actively traded mainstream products
✅ Suitable: Markets with sufficient historical data
✅ Suitable: Exchanges with accurate volume data
❌ Not suitable: Extremely low liquidity products
❌ Not suitable: Heavily manipulated small coins
❌ Not suitable: Newly listed products (insufficient data)
```
### **🔧 Parameter Optimization Suggestions**
```
📊 Parameter suggestions for different markets:
- BTC/ETH major coins: Keep default 14/60/40
- Altcoins: Can adjust to 10/65/35 (more sensitive)
- Stock market: Can adjust to 20/55/45 (more stable)
- Forex market: Can adjust to 21/58/42 (follow tradition)
⏱️ Different timeframes:
- 1-minute: Not recommended (too noisy)
- 5-15 minutes: Short-term trading, can adjust sensitivity
- 1-4 hours: Medium-term trading, keep defaults
- Daily: Long-term analysis, can be more conservative
```
**Summary: VWVI is a powerful market state identification tool, but requires correct understanding of its meaning, combination with other analysis methods, and avoidance of overtrading to maximize effectiveness.**
# 📊 VWVI指标完全使用指南(当前版本)
## 🔍 **一、指标核心原理**
### **VWVI的独特价值**
VWVI不是简单的波动率指标,而是**成交量确认的波动强度指标**:
- **传统波动率指标问题**:ATR、布林带等只看价格波动,忽略了成交量
- **VWVI的优势**:只有伴随大成交量的波动才被认为是"真实波动"
- **核心逻辑**:大资金推动的波动比散户噪音更重要
---
## 🎨 **二、当前版本视觉元素详解**
### **1. 主线颜色系统(最重要的信号)**
```
🟢 绿色主线 (VWVI > 60):
├─ 含义:高波动 + 高成交量 = 真实趋势
├─ 市场状态:单边行情、突破行情、趋势加速
├─ 交易机会:趋势跟随、动量交易
└─ 持续时间:通常持续数个周期
🟠 橙色主线 (40 ≤ VWVI ≤ 60):
├─ 含义:中等波动或成交量不匹配
├─ 市场状态:过渡阶段、方向待定
├─ 交易策略:观望、等待明确信号
└─ 注意:假突破高发区域
🔴 红色主线 (VWVI < 40):
├─ 含义:低波动 + 低成交量 = 震荡整理
├─ 市场状态:横盘、区间震荡、成交萎缩
├─ 交易机会:区间交易、均值回归
└─ 特征:价格在支撑阻力间反复
```
### **2. 参考线系统(辅助判断)**
```
🟢 趋势阈值线 (默认60):
├─ 作用:趋势确认的分水岭
├─ 突破向上:趋势行情开始确认
├─ 跌破向下:趋势减弱或结束
└─ 调整建议:可根据市场特性调整(50-70)
🔴 震荡阈值线 (默认40):
├─ 作用:震荡行情的确认线
├─ 跌破向下:震荡行情确认
├─ 突破向上:震荡可能结束
└─ 调整建议:可根据波动性调整(30-50)
⚫ 中线 (50):
├─ 作用:市场中性参考
├─ 上方:偏向趋势特征
├─ 下方:偏向震荡特征
└─ 意义:长期均衡位置
```
### **3. 背景着色系统(状态识别)**
```
🟢 淡绿色背景:
├─ 触发:VWVI > 趋势阈值
├─ 含义:趋势行情确认期
├─ 交易建议:趋势跟随策略
└─ 风险:趋势末期可能反转
🔴 淡红色背景:
├─ 触发:VWVI < 震荡阈值
├─ 含义:震荡行情确认期
├─ 交易建议:区间交易策略
└─ 机会:寻找支撑阻力位
🟩 绿色背景闪烁:
├─ 触发:VWVI突破趋势阈值瞬间
├─ 含义:趋势信号产生
├─ 行动:考虑建立趋势仓位
└─ 确认:需结合其他指标
🟥 红色背景闪烁:
├─ 触发:VWVI跌破震荡阈值瞬间
├─ 含义:震荡信号产生
├─ 行动:考虑区间交易策略
└─ 确认:观察是否持续
```
### **4. 信息面板(右上角)**
```
📊 实时数据显示:
├─ VWVI数值:当前指标读数
├─ 当前状态:趋势/震荡/中性
├─ 成交量状态:高于/低于20日均值
├─ 波动强度:高波动/低波动
├─ 趋势阈值:当前设置值
└─ 震荡阈值:当前设置值
```
---
## 📈 **三、具体使用方法**
### **A. 趋势跟随策略**
```
🎯 入场时机:
✅ VWVI从下方突破60(绿色背景闪烁)
✅ 主线变为绿色且持续上升
✅ 成交量状态显示"高于均值"
✅ 波动强度显示"高波动"
📍 持仓管理:
- 继续持有:VWVI保持在60以上
- 减仓警告:VWVI开始下降但仍>50
- 止损离场:VWVI跌破50或变为橙色
⚠️ 风险控制:
- 假突破:VWVI突破60后快速回落
- 趋势末期:VWVI在高位震荡
```
### **B. 震荡交易策略**
```
🎯 确认震荡:
✅ VWVI跌破40(红色背景闪烁)
✅ 主线变为红色且在低位徘徊
✅ 成交量状态显示"低于均值"
✅ 波动强度显示"低波动"
📍 操作策略:
- 区间上沿:寻找阻力位做空
- 区间下沿:寻找支撑位做多
- 止损设置:突破区间边界
- 利润目标:区间中轴附近
⚠️ 注意事项:
- 震荡末期可能出现假突破
- 成交量异常放大需警惕变盘
```
### **C. 状态转换策略**
```
🔄 震荡→趋势转换:
- 观察:VWVI从<40上升至40-60区间
- 准备:橙色主线阶段做好准备
- 确认:突破60时考虑入场
- 验证:成交量是否同步放大
🔄 趋势→震荡转换:
- 警告:VWVI从>60下降至40-60区间
- 减仓:橙色主线阶段逐步减仓
- 确认:跌破40时转为震荡策略
- 观察:是否为趋势中的回调
```
---
## ⚠️ **四、使用误区与注意事项**
### **❌ 常见误区**
1. **误区一:单独使用VWVI**
- ❌ 错误:仅凭VWVI做交易决策
- ✅ 正确:结合价格行为、支撑阻力、其他指标
2. **误区二:忽略成交量确认**
- ❌ 错误:只看VWVI数值,不看成交量状态
- ✅ 正确:VWVI信号+成交量确认=更可靠信号
3. **误区三:频繁交易**
- ❌ 错误:每次颜色变化都交易
- ✅ 正确:等待明确的状态转换信号
4. **误区四:固定阈值**
- ❌ 错误:所有市场都用60/40阈值
- ✅ 正确:根据不同品种调整参数
5. **误区五:忽略背景信息**
- ❌ 错误:不看市场环境和基本面
- ✅ 正确:结合市场周期和重要事件
### **⚡ 特殊情况处理**
```
🚨 异常信号识别:
- VWVI急剧飙升>80:可能是突发事件
- VWVI长期<20:市场极度萎缩
- 频繁在阈值附近震荡:市场犹豫不决
- 成交量与VWVI背离:需谨慎对待
🎯 最佳使用环境:
✅ 适用:活跃交易的主流品种
✅ 适用:有足够历史数据的市场
✅ 适用:成交量数据准确的交易所
❌ 不适用:极低流动性品种
❌ 不适用:操纵严重的小币种
❌ 不适用:新上市品种(数据不足)
```
### **🔧 参数调优建议**
```
📊 不同市场的参数建议:
- BTC/ETH主流币:保持默认14/60/40
- 山寨币:可调整为10/65/35(更敏感)
- 股票市场:可调整为20/55/45(更稳定)
- 外汇市场:可调整为21/58/42(跟随传统)
⏱️ 不同时间周期:
- 1分钟:不建议使用(噪音太大)
- 5-15分钟:短线交易,参数可调敏感
- 1-4小时:中线交易,保持默认
- 日线:长线分析,可调保守
```
**总结:VWVI是一个强大的市场状态识别工具,但需要正确理解其含义,结合其他分析方法,避免过度交易,才能发挥最大效用。**