Divergence & Volume ThrustThis document provides both user and technical information for the "Divergence & Volume Thrust" (DVT) Pine Script indicator.
Part 1: User Guide
1.1 Introduction
The DVT indicator is an advanced tool designed to automatically identify high-probability trading setups. It works by detecting divergences between price and key momentum oscillators (RSI and MACD).
A divergence is a powerful signal that a trend might be losing strength and a reversal is possible. To filter out weak signals, the DVT indicator includes a Volume Thrust component, which ensures that a divergence is backed by significant market interest before it alerts you.
🐂 Bullish Divergence: Price makes a new low, but the indicator makes a higher low. This suggests selling pressure is weakening.
🐻 Bearish Divergence: Price makes a new high, but the indicator makes a lower high. This suggests buying pressure is weakening.
1.2 Key Features on Your Chart
When you add the indicator to your chart, here's what you will see:
Divergence Lines:
Bullish Lines (Teal): A line will be drawn on your chart connecting two price lows that form a bullish divergence.
Bearish Lines (Red): A line will be drawn connecting two price highs that form a bearish divergence.
Solid lines represent RSI divergences, while dashed lines represent MACD divergences.
Confirmation Labels:
"Bull Div ▲" (Teal Label): This label appears below the candle when a bullish divergence is detected and confirmed by a recent volume spike. This is a high-probability buy signal.
"Bear Div ▼" (Red Label): This label appears above the candle when a bearish divergence is detected and confirmed by a recent volume spike. This is a high-probability sell signal.
Volume Spike Bars (Orange Background):
Any price candle with a faint orange background indicates that the volume during that period was unusually high (exceeding the average volume by a multiplier you can set).
1.3 Settings and Configuration
You can customize the indicator to fit your trading style. Here's what each setting does:
Divergence Pivot Lookback (Left/Right): Controls the sensitivity of swing point detection. Lower numbers find smaller, more frequent divergences. Higher numbers find larger, more significant ones. 5 is a good starting point.
Max Lookback Range for Divergence: How many bars back the script will look for the first part of a divergence pattern. Default is 60.
Indicator Settings (RSI & MACD):
You can toggle RSI and MACD divergences on or off.
Standard length settings for each indicator (e.g., RSI Length 14, MACD 12, 26, 9).
Volume Settings:
Use Volume Confirmation: The most important filter. When checked, labels will only appear if a volume spike occurs near the divergence.
Volume MA Length: The lookback period for calculating average volume.
Volume Spike Multiplier: The core of the "Thrust" filter. A value of 2.0 means volume must be 200% (or 2x) the average to be considered a spike.
Visuals: Customize colors and toggle the confirmation labels on or off.
1.4 Strategy & Best Practices
Confluence is Key: The DVT indicator is powerful, but it should not be used in isolation. Look for its signals at key support and resistance levels, trendlines, or major moving averages for the highest probability setups.
Wait for Confirmation: A confirmed signal (with a label) is much more reliable than an unconfirmed divergence line.
Context Matters: A bullish divergence in a strong downtrend might only lead to a small bounce, not a full reversal. Use the signals in the context of the overall market structure.
Set Alerts: Use the TradingView alert system with this script. Create alerts for "Confirmed Bullish Divergence" and "Confirmed Bearish Divergence" to be notified of setups automatically.
Osciladores
Money Flow | Lyro RSMoney Flow | Lyro RS
The Money Flow is a momentum and volume-driven oscillator designed to highlight market strength, exhaustion, and potential reversal points. By combining smoothed Money Flow Index readings with volatility, momentum, and RVI-based logic, it offers traders a deeper perspective on money inflow/outflow, divergences, and overbought/oversold dynamics.
Key Features
Smoothed Money Flow Line
EMA-smoothed calculation of the MFI for noise reduction.
Clear thresholds for overbought and oversold zones.
Normalized Histogram
Histogram plots show bullish/bearish money flow pressure.
Color-coded cross logic for quick trend assessment.
Relative Volatility Index (RVI) Signals
Detects overbought and oversold conditions using volatility-adjusted RVI.
Plots ▲ and ▼ markers at exhaustion points.
Momentum Strength Gauge
Calculates normalized momentum strength from ROC and volume activity.
Displays percentage scale of current momentum force.
Divergence Detection
Bullish divergence: Price makes lower lows while money flow makes higher lows.
Bearish divergence: Price makes higher highs while money flow makes lower highs.
Plotted as diamond markers on the oscillator.
Signal Dashboard (Table Overlay)
Displays real-time status of Money Flow signals, volatility, and momentum.
Color-coded readouts for instant clarity (Long/Short/Neutral + Momentum Bias).
How It Works
Money Flow Calculation – Applies EMA smoothing to MFI values.
Normalization – Scales oscillator between relative high/low values.
Trend & Signals – Generates bullish/bearish signals based on midline and histogram cross logic.
RVI Integration – Confirms momentum exhaustion with overbought/oversold markers.
Divergences – Identifies hidden market imbalances between price and money flow.
Practical Use
Trend Confirmation – Use midline crossovers with histogram direction for money flow bias.
Overbought/Oversold Reversals – Watch RVI ▲/▼ markers for exhaustion setups.
Momentum Tracking – Monitor momentum percentage to gauge strength of current trend.
Divergence Alerts – Spot early reversal opportunities when money flow diverges from price action.
Customization
Adjust length, smoothing, and thresholds for different markets.
Enable/disable divergence detection as needed.
Personalize visuals and dashboard display for cleaner charts.
⚠️ Disclaimer
This indicator is a tool for technical analysis and does not provide guaranteed results. It should be used alongside other methods and proper risk management. The creator is not responsible for financial decisions made using this script.
RSI Divergence Indicator with Strength and LabelsHere's a complete Pine Script (version 5) for a TradingView indicator that detects and plots bullish and bearish RSI divergences. This is based on a proven method that tracks price and RSI swings while RSI is in oversold/overbought territories, then checks for mismatched highs/lows within a configurable bar distance.
Fisher (zero-color + simple OB assist)//@version=5
indicator("Fisher (zero-color + simple OB assist)", overlay=false)
// Inputs
length = input.int(10, "Fisher Period", minval=1)
pivotLen = input.int(3, "Structure pivot length (SMC-lite)", minval=1)
showZero = input.bool(true, "Show Zero Line")
colPos = input.color(color.lime, "Color Above 0 (fallback)")
colNeg = input.color(color.red, "Color Below 0 (fallback)")
useOB = input.bool(true, "Color by OB proximity (Demand below = green, Supply above = red)")
showOBMarks = input.bool(true, "Show OB markers")
// Fisher (MT4-style port)
price = (high + low) / 2.0
hh = ta.highest(high, length)
ll = ta.lowest(low, length)
rng = hh - ll
norm = rng != 0 ? (price - ll) / rng : 0.5
var float v = 0.0
var float fish = 0.0
v := 0.33 * 2.0 * (norm - 0.5) + 0.67 * nz(v , 0)
v := math.min(math.max(v, -0.999), 0.999)
fish := 0.5 * math.log((1 + v) / (1 - v)) + 0.5 * nz(fish , 0)
// SMC-lite OB
ph = ta.pivothigh(high, pivotLen, pivotLen)
pl = ta.pivotlow(low, pivotLen, pivotLen)
var float lastSwingHigh = na
var float lastSwingLow = na
if not na(ph)
lastSwingHigh := ph
if not na(pl)
lastSwingLow := pl
bosUp = not na(lastSwingHigh) and close > lastSwingHigh
bosDn = not na(lastSwingLow) and close < lastSwingLow
bearishBar = close < open
bullishBar = close > open
demHigh_new = ta.valuewhen(bearishBar, high, 0)
demLow_new = ta.valuewhen(bearishBar, low, 0)
supHigh_new = ta.valuewhen(bullishBar, high, 0)
supLow_new = ta.valuewhen(bullishBar, low, 0)
// แยกประกาศตัวแปรทีละตัว และใช้ชนิดให้ชัดเจน
var float demHigh = na
var float demLow = na
var float supHigh = na
var float supLow = na
var bool demActive = false
var bool supActive = false
if bosUp and not na(demHigh_new) and not na(demLow_new)
demHigh := demHigh_new
demLow := demLow_new
demActive := true
if bosDn and not na(supHigh_new) and not na(supLow_new)
supHigh := supHigh_new
supLow := supLow_new
supActive := true
// Mitigation (แตะโซน)
if demActive and not na(demHigh) and not na(demLow)
if low <= demHigh
demActive := false
if supActive and not na(supHigh) and not na(supLow)
if high >= supLow
supActive := false
demandBelow = useOB and demActive and not na(demHigh) and demHigh <= close
supplyAbove = useOB and supActive and not na(supLow) and supLow >= close
colDimUp = color.new(colPos, 40)
colDimDown = color.new(colNeg, 40)
barColor = demandBelow ? colPos : supplyAbove ? colNeg : fish > 0 ? colDimUp : colDimDown
// Plots
plot(0, title="Zero", color=showZero ? color.new(color.gray, 70) : color.new(color.gray, 100))
plot(fish, title="Fisher", style=plot.style_columns, color=barColor, linewidth=2)
plotchar(showOBMarks and demandBelow ? fish : na, title="Demand below", char="D", location=location.absolute, color=color.teal, size=size.tiny)
plotchar(showOBMarks and supplyAbove ? fish : na, title="Supply above", char="S", location=location.absolute, color=color.fuchsia, size=size.tiny)
alertcondition(ta.crossover(fish, 0.0), "Fisher Cross Up", "Fisher crosses above 0")
alertcondition(ta.crossunder(fish, 0.0), "Fisher Cross Down", "Fisher crosses below 0")
Dual Adaptive Movings### Dual Adaptive Movings
By Gurjit Singh
A dual-layer adaptive moving average system that adjusts its responsiveness dynamically using market-derived factors (CMO, RSI, Fractal Roughness, or Stochastic Acceleration). It plots:
* Primary Adaptive MA (MA): Fast, reacts to changes in volatility/momentum.
* Following Adaptive MA (FAMA): A smoother, half-alpha version for trend confirmation.
Instead of fixed smoothing, it adapts dynamically using one of four methods:
* ACMO: Adaptive CMO (momentum)
* ARSI: Adaptive RSI (relative strength)
* FRMA: Fractal Roughness (volatility + fractal dimension)
* ASTA: Adaptive Stochastic Acceleration (%K acceleration)
### ⚙️ Inputs & Options
* Source: Price input (default: close).
* Moving (Type): ACMO, ARSI, FRMA, ASTA.
* MA Length (Primary): Core adaptive window.
* Following (FAMA) Length: Optional; can match MA length.
* Use Wilder’s: Toggles Wilder vs EMA-style smoothing.
* Colors & Fill: Bullish/Bearish tones with transparency control.
### 🔑 How to Use
1. Identify Trend:
* When MA > FAMA → Bullish (fills bullish color).
* When MA < FAMA → Bearish (fills bearish color).
2. Crossovers:
* MA crosses above FAMA → Bullish signal 🐂
* MA crosses below FAMA → Bearish signal 🐻
3. Adaptive Edge:
* Select method (ACMO/ARSI/FRMA/ASTA) depending on whether you want sensitivity to momentum, strength, volatility, or acceleration.
4. Alerts:
* Built-in alerts trigger on crossovers.
### 💡 Tips
* Wilder’s smoothing is gentler than EMA, reducing whipsaws in sideways conditions.
* ACMO and ARSI are best for momentum-driven directional markets, but may false-signal in ranges.
* FRMA and ASTA excels in choppy markets where volatility clusters.
👉 In short: Dual Adaptive Movings adapts moving averages to the market’s own behavior, smoothing noise yet staying responsive. Crossovers mark possible trend shifts, while color fills highlight bias.
Advanced RSI-ADX-Bollinger Market Overview DashboardStudy Material: Advanced RSI–ADX–Bollinger Market Overview Dashboard
This dashboard is a comprehensive trading tool designed to combine three powerful technical analysis methods—RSI (Relative Strength Index), ADX (Average Directional Index), and Bollinger Bands—into one unified system with live table output and progress indicators. It aims to provide a complete market snapshot at a glance, helping traders monitor momentum, volatility, trend, and market signals.
________________________________________
🔹 Core Concepts Used
1. RSI (Relative Strength Index)
• RSI measures market momentum by comparing price gains and losses.
• A high RSI indicates overbought conditions (possible reversal or sell zone).
• A low RSI indicates oversold conditions (possible reversal or buy zone).
• In this dashboard, RSI is also represented with progress bars to show how far the current value is moving toward extreme zones.
2. ADX (Average Directional Index)
• ADX is used to gauge the strength of a trend.
• When ADX rises above a threshold, it signals a strong trend (whether bullish or bearish).
• The system checks when ADX momentum crosses above its threshold to confirm whether a signal has strong backing.
3. Bollinger Bands
• Bollinger Bands measure volatility around a moving average.
• The upper band indicates potential overbought pressure, while the lower band shows oversold pressure.
• Expansion of the bands signals rising volatility, contraction shows calming markets.
• This tool also assigns a BB Trend Label: Expand ↑ (bullish), Contract ↓ (bearish), or Neutral →.
________________________________________
🔹 What This Dashboard Tracks
1. Signal Generation
o BUY Signal: RSI oversold + price near lower Bollinger Band + ADX strength confirmation.
o SELL Signal: RSI overbought + price near upper Bollinger Band + ADX strength confirmation.
o Labels are plotted on the chart to indicate BUY or SELL points.
2. Trend Direction & Strength
o The script analyzes short- and medium-term moving averages to decide whether the market is Bullish, Bearish, or Flat.
o An arrow symbol (↑, ↓, →) is shown to highlight the trend.
3. Signal Performance Tracking
o Once a BUY or SELL signal is active, the dashboard tracks:
Maximum profit reached
Maximum loss faced
Whether the signal is still running or closed
o This gives the trader performance feedback on past and ongoing signals.
4. Volume Analysis
o Volume is split into Buy Volume (candles closing higher) and Sell Volume (candles closing lower).
o This provides insight into who is in control of the market—buyers or sellers.
5. Comprehensive Data Table
o A professional table is displayed directly on the chart showing:
RSI Value
ADX Strength
Buy/Sell Volumes
Trend Direction
Bollinger Band Trend
Previous Signal Performance (Max Profit / Max Loss)
Current Signal Performance (Max Profit / Max Loss)
Symbol Name
o Each metric is color-coded for instant decision-making.
6. Progress Indicators
o RSI Progress Bar (0–100 scale).
o ADX Progress Bar (0–50 scale).
o Bollinger Band Expansion/Contraction progress.
o Signal profit/loss progress visualization.
7. Market Status Summary
o The dashboard issues a status label such as:
🔴 SELL ACTIVE
🔵 BUY ACTIVE
🟢 BULL MARKET
🔴 BEAR MARKET
🟡 NEUTRAL
________________________________________
🔹 Practical Use Case
This dashboard is ideal for traders who want a consolidated decision-making tool. Instead of monitoring RSI, ADX, and Bollinger Bands separately, the system automatically combines them and shows signals, trends, volumes, and performance in one view.
It can be applied to:
• Intraday Trading (short-term moves with high volatility).
• Swing Trading (holding positions for days to weeks).
• Trend Confirmation (identifying when to stay in or exit trades).
________________________________________
⚠️ Strict Disclaimer (aiTrendview Policy)
• This script is a research and educational tool only.
• It does NOT guarantee profits and must not be used as a sole decision-making system.
• Past performance tracking inside the dashboard is informational and does not predict future outcomes.
• Trading involves significant financial risk, including potential loss of all capital.
• Users are fully responsible for their own trading decisions.
________________________________________
🚫 Misuse Policy (aiTrendview Standard)
• Do not misuse this tool for false claims of guaranteed profits.
• Redistribution, resale, or repackaging under another name is strictly prohibited without aiTrendview permission.
• This tool is intended to support disciplined trading practices, not reckless speculation.
• aiTrendview does not support gambling-style use or over-leveraging based on this script.
________________________________________
👉 In short: This system is a professional decision-support tool that integrates RSI, ADX, and Bollinger Bands into one dashboard with signals, performance tracking, and progress visualization. It helps traders see the bigger picture of market health—but the responsibility for action remains with the trader.
________________________________________
Capiba RSI + Ichimoku + VolatilidadeThe "Capiba RSI + Ichimoku + Volatility" indicator is a powerful, all-in-one technical analysis tool designed to provide traders with a comprehensive view of market dynamics directly on their price chart. This multi-layered indicator combines a custom Relative Strength Index (RSI), the trend-following Custom Ichimoku Cloud, and dynamic volatility lines to help identify high-probability trading setups.
How It Works
This indicator functions by overlaying three distinct, yet complementary, analysis systems onto a single chart, offering a clear and actionable perspective on a wide range of market conditions, from strong trends to periods of consolidation.
1. Custom RSI & Momentum Signals
The core of this indicator is a refined version of the Relative Strength Index (RSI). It calculates a custom Ultimate RSI that is more sensitive to price movements, offering a quicker response to potential shifts in momentum. The indicator also plots a moving average of this RSI, allowing for the generation of clear trading signals. Use RMAs.
Bar Coloring: The color of the price bars on your chart dynamically changes to reflect the underlying RSI momentum.
Blue bars indicate overbought conditions, suggesting trend and a potential short-term reversal.
Yellow bars indicate oversold conditions, hinting at a potential bounce.
Green bars signal bullish momentum, where the Custom RSI is above both 50 and its own moving average.
Red bars indicate bearish momentum, as the Custom RSI is below both 50 and its moving average.
Trading Signals: The indicator plots visual signals directly on the chart in the form of triangles to highlight key entry and exit points. A green triangle appears when the Custom RSI crosses above its moving average (a buy signal), while a red triangle marks a bearish crossunder (a sell signal).
2. Custom Ichimoku Cloud for Trend Confirmation
This component plots a standard Ichimoku Cloud directly on the chart, providing a forward-looking view of trend direction, momentum, and dynamic support and resistance levels.
The cloud’s color serves as a strong visual cue for the prevailing trend: a green cloud indicates a bullish trend, while a red cloud signals a bearish trend.
The cloud itself acts as a dynamic support or resistance zone. For example, in an uptrend, prices are expected to hold above the cloud, which provides a strong support level for the market.
3. Dynamic Volatility Lines
This final layer is a dynamic volatility channel that automatically plots the highest high and lowest low from a user-defined period. These lines create a visual representation of the recent price range, helping traders understand the current market volatility.
Volatility Ratio: A label is displayed on the chart showing a volatility ratio, which compares the current price range to a historical average. A high ratio indicates increasing volatility, while a low ratio suggests a period of price consolidation or lateral movement, a valuable insight for day traders.
The indicator is highly customizable, allowing you to adjust parameters like RSI length, overbought/oversold levels, Ichimoku periods, and volatility lookback periods to suit your personal trading strategy. It is an ideal tool for traders who rely on a combination of momentum, trend, and volatility to make well-informed decisions.
Quad Stochastic OscillatorThis is my take on the "Quad Rotation Strategy". It's a simple but powerful indicator once you know what to look for. I combined the four different periods into one script, which makes seeing the rotation, and other cues, easier. I suggest changing the %K line to dotted or off, so it doesn't clutter the view.
RSI Divergence ProjectionRSI Divergence Projection
Go beyond traditional, lagging indicators with this advanced RSI Divergence tool. It not only identifies four types of confirmed RSI divergence but also introduces a unique, forward-looking engine. This engine spots potential divergences as they form on the current candle and then projects the exact price threshold required to validate them.
Our core innovation is the Divergence Projection Line, a clean, clutter-free visualization that extends this calculated price target into the future, providing a clear and actionable level for your trading decisions.
The Core Logic: Understanding RSI Divergence
For those new to the concept, RSI Divergence is a powerful tool used to spot potential market reversals or continuations. It occurs when the price of an asset is moving in the opposite direction of the Relative Strength Index (RSI). This indicator automatically detects and plots four key types:
Regular Bullish Divergence: Price prints a lower low, but the RSI prints a higher low. This often signals that bearish momentum is fading and a potential reversal to the upside is near.
Hidden Bullish Divergence: Price prints a higher low, but the RSI prints a lower low. This is often seen in an uptrend and can signal a continuation of the bullish move.
Regular Bearish Divergence: Price prints a higher high, but the RSI prints a lower high. This suggests that bullish momentum is weakening and a potential reversal to the downside is coming.
Hidden Bearish Divergence: Price prints a lower high, but the RSI prints a higher high. This is often seen in a downtrend and can signal a continuation of the bearish move.
Confirmed divergences are plotted with solid-colored lines on the price chart and marked with a "B" (Bearish/Bullish) or "HB" (Hidden Bearish/Hidden Bullish) label.
The Core Innovation: The Divergence Projection
This is where the indicator truly shines and sets itself apart. Instead of waiting for a pivot point to be confirmed, our engine analyzes the current, unclosed candle.
Potential Divergence Detection: When the indicator notices that the current price and RSI are setting up for a potential divergence against the last confirmed pivot, it will draw a dashed line on the chart. This gives you a critical head-start before the signal is confirmed.
The Projection Line (Our Innovation): This is the game-changer. Rather than cluttering your chart with messy labels, the indicator calculates the exact closing price the next candle needs to achieve to make the current RSI level equal to the RSI of the last pivot.
It then projects a clean, horizontal dashed line at this price level into the future.
Attached to the end of this line is a single, consolidated label that tells you the type of potential divergence and the exact threshold price.
This unique visualization transforms a vague concept into a precise, actionable price target, completely free of chart clutter.
How to Use This Indicator
1. Trading Confirmed Divergences:
Look for the solid lines and the "B" or "HB" labels that appear after a candle has closed and a pivot is confirmed.
A Regular Bullish divergence can be an entry signal for a long position, often placed after the confirmation candle closes.
A Regular Bearish divergence can be an entry signal for a short position.
Hidden Divergences can be used as confirmation to stay in a trade or to enter a trade in the direction of the prevailing trend.
2. Using the Divergence Projection for a Tactical Advantage:
When a dashed line appears on the current price action, you are seeing a potential divergence in real-time.
Look to the right of the current candle for the Projection Line. The price level of this line is your key level to watch.
Example (Potential Bullish Divergence): You see a dashed green line forming from a previous low to the current lower low. To the right, you see a horizontal line projected with a label: "Potential Bull Div | Thresh: 10,750.50".
Interpretation: This means that if the next candle closes below 10,750.50, the RSI will not be high enough to form a divergence. However, if the price pushes up and the next candle closes above 10,750.50, the bullish divergence remains intact and is more likely to be confirmed. This gives you a concrete price level to monitor for entry or exit decisions.
How the Projection Engine Works: A Deeper Dive
To fully trust this tool, it's helpful to understand the logic behind it. The projection engine is not based on guesswork or repainting; it's based on a precise mathematical reverse-engineering of the RSI formula.
The Concept: The engine calculates the "tipping point." The Threshold Price is the exact closing price at which the new RSI value would be identical to the RSI value of the previous pivot point. It answers the question: "For this potential divergence to remain valid, where does the next candle need to close?"
The Technicals: The script takes the target RSI from the last pivot, reverse-engineers the formula to find the required average gain/loss ratio, and then solves for the one unknown variable: the gain or loss needed on the next candle. This required price change is then added to or subtracted from the previous close to determine the exact threshold price.
This calculation provides the precise closing price needed to hit our target, which is then plotted as the clean and simple Projection Line on your chart.
Features and Customization
- RSI Settings: Adjust the RSI period and source.
- Divergence Detection: Fine-tune the pivot lookback periods and the min/max range for detecting divergences.
- Price Source: Choose whether to detect divergences using candle Wicks or Bodies.
- Display Toggles: Enable or disable any of the four divergence types, as well as the entire projection engine, to keep your chart as clean as you need it.
Summary of Advantages
- Proactive Signals: Get ahead of the market by seeing potential divergences before they are confirmed.
- Unprecedented Clarity: Our unique Projection Line eliminates chart clutter from overlapping labels.
- Actionable Data: The threshold price provides a specific, objective level to watch, removing guesswork.
- Fully Customizable: Tailor the indicator's settings to match any timeframe or trading strategy.
- All-in-One Tool: No need for a separate RSI indicator; everything you need is displayed directly and cleanly on the price action.
We hope this tool empowers you to make more informed and timely trading decisions. Happy trading
Radial Basis Kernel RSI for LoopRadial Basis Kernel RSI for Loop
What it is
An RSI-style oscillator that uses a radial basis function (RBF) kernel to compute a similarity-weighted average of gains and losses across many lookback lengths and kernel widths (γ). By averaging dozens of RSI estimates—each built with different parameters—it aims to deliver a smoother, more robust momentum signal that adapts to changing market conditions.
How it works
The script measures up/down price changes from your chosen Source (default: close).
For each combination of RSI length and Gamma (γ) in your ranges, it builds an RSI where recent bars that look most similar (by price behavior) get more weight via an RBF kernel.
It averages all those RSIs into a single value, then smooths it with your selected Moving Average type (SMA, EMA, WMA, HMA, DEMA) and a light regression-based filter for stability.
Inputs you can tune
Min/Max RSI Kernel Length & Step: Range of RSI lookbacks to include in the ensemble (e.g., 20→40 by 1) or (e.g., 30→50 by 1).
Min/Max Gamma & Step: Controls the RBF “width.” Lower γ = broader similarity (smoother); higher γ = more selective (snappier).
Source: Price series to analyze.
Overbought / Oversold levels: Defaults 70 / 30, with a midline at 50. Shaded regions help visualize extremes.
MA Type & Period (Confluence): Final smoothing on the averaged RSI line (e.g., DEMA(44) by default).
Red “OB” labels when the line crosses down from extreme highs (~80) → potential overbought fade/exit areas.
Green “OS” labels when the line crosses up from extreme lows (~20) → potential oversold bounce/entry areas.
How to use it
Treat it like RSI, but expect fewer whipsaws thanks to the ensemble and kernel weighting.
Common approaches:
Look for crosses back inside the bands (e.g., down from >70 or up from <30).
Use the 50 midline for directional bias (above = bullish momentum tilt; below = bearish).
Combine with trend filters (e.g., your chart MA) for higher-probability signals.
Performance note: This is really heavy and depending on how much time your subscription allows you could experience this timing out. Increasing the step size is the easiest way to reduce the load time.
Works on any symbol or timeframe. Like any oscillator, best used alongside price action and risk management rather than in isolation.
Chanpreet RSI Extreme Rays Version 1.0Identifies short-term momentum extremes and highlights potential reversal zones.
MACD, RSI & Stoch + Divergences
Best results with combination My_EMA_clouds and Market Mood Maker
This script is a comprehensive technical analysis tool that combines several popular indicators and divergence detection features.
The main components of the script include:
* **MACD indicator** with histogram displaying moving averages and their divergence
* **RSI (Relative Strength Index)** for momentum analysis
* **Stochastic Oscillator** for overbought/oversold levels
* **Divergence detection** system identifying both regular and hidden bullish/bearish divergences between price action and oscillators
Key features:
* Customizable settings for each indicator (periods, smoothing parameters)
* Flexible visualization options (lines, arrows, labels)
* Multiple oscillator display modes (RSI, Stochastic, MACD, or Histogram)
* Pivot point detection for accurate divergence identification
* Configurable lookback period for analysis
* Color-coded signals for easy interpretation
* Horizontal levels for overbought/oversold zones
* Interactive settings panel for customization
The script provides traders with a comprehensive toolkit for identifying potential reversal points and confirming trend directions through divergence analysis across multiple timeframes and indicators.
анный скрипт представляет собой комплексный инструмент технического анализа, который объединяет несколько популярных индикаторов и систему обнаружения дивергенций.
Основные компоненты скрипта включают:
Индикатор MACD с гистограммой, отображающей скользящие средние и их расхождения
Индекс относительной силы (RSI) для анализа импульса
Стохастический осциллятор для определения уровней перекупленности/перепроданности
Система обнаружения дивергенций, выявляющая как обычные, так и скрытые бычьи/медвежьи дивергенции между ценовым движением и осцилляторами
B@dshah Indicator🚀 Advanced Multi-Indicator Trading System
A comprehensive trading indicator that combines multiple technical analysis tools for high-probability signal generation:
📊 CORE FEATURES:
- EMA Trend Analysis (Fast/Slow crossovers)
- RSI Momentum Detection
- MACD Signal Confirmation
- Bollinger Bands (Squeeze & Mean Reversion)
- Fibonacci Retracement Levels
- Volume & ATR Filtering
- Multi-Confluence Scoring System (0-10 scale)
🎯 SIGNAL QUALITY:
- Non-repainting signals (confirmed at bar close)
- Minimum 60% strength threshold for trades
- Dynamic TP/SL based on market structure
- Real-time win rate tracking
- Signal strength percentage display
⚙️ UNIQUE FEATURES:
- BB Squeeze detection for volatility breakouts
- Fibonacci level confluence analysis
- Smart position sizing recommendations
- Visual TP/SL lines with outcome tracking
- Comprehensive statistics table
🔔 ALERTS INCLUDED:
- Buy/Sell signals with strength ratings
- TP/SL hit notifications
- BB squeeze/expansion alerts
- Fibonacci level touches
Best used on 1H+ timeframes for optimal results.
Perfect for swing trading and position entries.
AlphaFlow — Direcional ProThe AlphaFlow — Direcional Pro is a complete trading suite designed to give traders a clear, structured view of market direction, volatility, and momentum.
📌 Key Features:
Trend Detection with Dual EMAs: Fast and slow EMAs for directional bias, plus an optional 200 EMA filter for long-term context.
Volatility Regime Filter (ATR): Confirms market conditions by comparing current ATR with its average.
RSI Confirmation: Adaptive RSI filter to validate bullish and bearish regimes.
Directional Signals (BUY/SELL): Clear chart markers with bar coloring for instant trend visualization.
Swing Structure with Star Markers: Automatic detection of HH, HL, LH, LL swings, highlighted with color-coded ★ stars.
RSI Divergences: Automatic bullish/bearish divergence spotting for early trend reversal signals.
VWAP Levels: Daily, Weekly, and Anchored VWAP for institutional reference points.
Trade Management Tools: Automatic plotting of Entry, Stop-Loss, TP1, and TP2 levels, with optional trailing ATR stop.
Multi-Timeframe Support: Generate signals from a higher timeframe and confirm on chart close.
Alerts: Pre-configured alerts for entries, SL, TP1, TP2, and divergences.
✨ With its combination of trend, volatility, swing structure, and divergence analysis, AlphaFlow provides both short-term signals and long-term directional context — making it a versatile tool for intraday traders, swing traders, and investors.
CandelaCharts - Vertex Oscillator 📝 Overview
The Vertex Oscillator is a proprietary momentum-based oscillator designed to detect periods of deep undervaluation (accumulation) and excessive euphoria (distribution) in markets.
By combining price deviation, volume normalization, and volatility scaling, the indicator identifies extreme conditions and provides actionable signals for both traders and analysts.
📦 Features
Volume-normalized momentum – integrates price deviations with relative volume weighting.
Adaptive volatility scaling – reduces distortion from sudden spikes and low-volume noise.
Z-score normalization – standardizes readings into intuitive zones.
Accumulation & Euphoria detection – highlights market extremes with color-coded zones.
Built-in alerts – instantly notify traders when critical thresholds are crossed.
⚙️ Settings
Source: The input price source.
Lookback: Number of bars used for deviation & volatility calculation.
Smoothing: Smoothing length applied to oscillator.
Colors: Customize bullish, bearish, and neutral oscillator line colors.
Zones: Set shading colors for accumulation (≤ -2) and euphoria (≥ +2).
Line: Choose oscillator line width and color.
⚡️ Showcase
≤ -2 (Green Zone)
Market undervaluation / accumulation opportunities.
≥ +2 (Red Zone)
Market euphoria / overheated conditions.
0 (Neutral Line)
Balanced state.
Divergences
📒 Usage
The Vertex Oscillator is most effective when interpreted through its key zones, helping traders quickly spot undervaluation, euphoria, or neutral market conditions.
Identify Accumulation – When the oscillator drops below -2, markets may be undervalued.
Spot Euphoria – When the oscillator rises above +2, markets may be overheated.
Neutral Zone – Around 0, conditions are balanced with no strong bias.
Best Practice – Use alongside trend, support/resistance, or volume tools to confirm signals.
🚨 Alerts
The Vertex Oscillator includes built-in alerts to help traders react instantly when the market enters extreme conditions. Instead of constantly monitoring the chart, alerts notify you in real time when accumulation or euphoria thresholds are triggered.
Deep Accumulation – triggers when the oscillator crosses below -2, signaling undervaluation.
Euphoria Triggered – triggers when the oscillator crosses above +2, signaling overheated conditions.
⚠️ Disclaimer
These tools are exclusively available on the TradingView platform.
Our charting tools are intended solely for informational and educational purposes and should not be regarded as financial, investment, or trading advice. They are not designed to predict market movements or offer specific recommendations. Users should be aware that past performance is not indicative of future results and should not rely on these tools for financial decisions. By using these charting tools, the purchaser agrees that the seller and creator hold no responsibility for any decisions made based on information provided by the tools. The purchaser assumes full responsibility and liability for any actions taken and their consequences, including potential financial losses or investment outcomes that may result from the use of these products.
By purchasing, the customer acknowledges and accepts that neither the seller nor the creator is liable for any undesired outcomes stemming from the development, sale, or use of these products. Additionally, the purchaser agrees to indemnify the seller from any liability. If invited through the Friends and Family Program, the purchaser understands that any provided discount code applies only to the initial purchase of Candela's subscription. The purchaser is responsible for canceling or requesting cancellation of their subscription if they choose not to continue at the full retail price. In the event the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable.
We do not offer reimbursements, refunds, or chargebacks. Once these Terms are accepted at the time of purchase, no reimbursements, refunds, or chargebacks will be issued under any circumstances.
By continuing to use these charting tools, the user confirms their understanding and acceptance of these Terms as outlined in this disclaimer.
AnalistAnka FlowScore Pro (v8.2)AnalistAnka FlowScore Pro – User Guide (EN)
1) What it is
AnalistAnka FlowScore Pro aggregates money flow into a single scale.
Components:
SMF-Z: Z-score of (log return × volume)
OBV-Z: Z-score of OBV (cumulative volume flow)
MFI-Z (optional): Z-score of Money Flow Index
Combined into FlowScore, then smoothed by EMA.
Core signal:
FlowScore > +0.5 → strong long bias
FlowScore < −0.5 → strong short bias
Optional HTF EMA filter keeps you trading with the higher-timeframe trend.
2) Inputs (summary)
FlowScore & Signal: wSMF, wOBV, wMFI, smoothFS, enterBand, exitBand, cooldownBars
HTF Filter: useHTF, htf (e.g., 60/240/1D), htfEmaLen (default 200)
MFI: useMfi, mfiLen, mfiSmooth, mfiZwin
Spike: spWin, spK (σ threshold), minVolPct (volume MA threshold)
Fills: fillSMF, fillOBV with separate positive/negative colors
Divergences: showDiv, divLeft/right, divShowLines, divShowLabels, colors
3) How to read
A) FlowScore (primary)
Long setup: FlowScore crosses above enterBand (+)
Short setup: FlowScore crosses below −exitBand
Hysteresis (±bands) reduces whipsaws; cooldown throttles repeats.
B) HTF trend filter (recommended)
With useHTF=true: only longs above HTF EMA, only shorts below it.
Example: trade 15-min, filter with 1-hour EMA200.
C) Spike IN/OUT (confirmation)
Detects statistical surges in OBV derivative plus volume threshold.
Use as confirmation, not as a standalone trigger.
D) Divergence (pivot-based)
Bearish: price HH while FlowScore prints LH
Bullish: price LL while FlowScore prints HL
Tune pivots via divLeft/right; toggle lines/labels in the panel.
4) Timeframes & suggested presets
Profile Chart HTF (Filter) Band (±) Cooldown Notes
Scalp 1–5m 15–60m 0.7 5–8 Fewer, cleaner signals
Intraday 5–15m 60–240m 0.5 8–12 Solid default
Swing 1–4h 1D 0.4 12–20 Patient entries
Daily usage:
On a daily chart, nothing extra is needed.
On intraday but want daily filter → set htf=1D.
5) Example playbook
Long:
useHTF=true and price above HTF EMA
FlowScore crosses above +band
Optional confirmations: recent Spike IN, SMF-Z & OBV-Z aligned positive
Stop: below last swing low or ATR(14)×1.5
Exit: partial on FlowScore below 0; full on below −band or at 1R/2R
Short: mirror logic (below HTF EMA, break under −band, Spike OUT, etc.).
6) Alerts
FlowScore LONG / SHORT → immediate signal notification
Spike IN / OUT → money-in/out warnings
7) Tips
Too many signals → widen bands (0.6–0.7), increase cooldown, raise smoothFS (6–9).
Too slow → lower smoothFS (3–4), reduce bands to 0.4–0.5.
Thin liquidity → reduce minVolPct, also reduce position size.
Best reliability when SMF-Z & OBV-Z share the same polarity.
8) Disclaimer
For educational purposes only. Not financial advice. Always apply risk management.
事件合约(一分钟)CCI-MACD-StochRSI-KC Combined Trading Strategy V3 - Enhanced Statistics Version
This is a sophisticated, multi-indicator trading strategy for TradingView, built with Pine Script v5. It aims to generate high-probability entry signals by combining the trend-filtering power of the Commodity Channel Index (CCI) with momentum, volatility, and volume confirmation from other indicators. Its standout feature is a comprehensive statistical tracking system that evaluates the performance of different signal types.
Derivative Dynamics Indicator [MarktQuant]The Derivative Dynamics Indicator is a versatile technical indicator that combines several critical metrics used in cryptocurrency and derivatives trading. It helps traders understand the relationship between spot prices, perpetual contract prices, trading volume pressure, and open interest across multiple exchanges. This indicator provides real-time visualizations of:
Funding Rate : The cost traders pay or receive to hold perpetual contracts, indicating market sentiment.
Open Interest (OI) : The total value of outstanding derivative contracts, showing market activity.
Cumulative Volume Delta (CVD) : A measure of buying vs. selling pressure over time.
Additional Data: Includes customizable options for volume analysis, smoothing, and reset mechanisms.
Key Features & How It Works
1. Metric Selection
You can choose which main metric to display:
Funding Rate: Shows the current funding fee, reflecting market sentiment (positive or negative).
CVD: Tracks buying vs. selling pressure, helping identify trend strength.
Open Interest: Displays total outstanding contracts, indicating market activity levels.
2. Volume Data Validation
The script checks if the selected chart includes volume data, which is essential for accurate calculations, especially for CVD. If volume data is missing or zero for multiple bars, it warns you to verify your chart setup.
3. CVD Calculation Methods
You can select how the CVD (Cumulative Volume Delta) is calculated:
Basic: Uses candle open and close to estimate whether buying or selling pressure dominates.
Advanced: Uses a money flow multiplier considering price position within high-low range, generally more accurate.
Tick Estimation: Uses percentage price change to estimate pressure.
You can also choose to display a smoothed version of CVD via a Simple Moving Average (SMA) to better visualize overall trends.
4. CVD Reset Option
To prevent the CVD value from becoming too large over long periods, you can set the indicator to reset periodically after a specified number of bars.
5. CVD Scaling
Adjust the scale of CVD values for better visibility:
Auto: Automatically adjusts based on magnitude.
Raw: Shows raw numbers.
Thousands/Millions: Divides the CVD values for easier reading.
Funding Rate Calculation
The indicator fetches data from multiple popular exchanges (e.g., Binance, Bybit, OKX, MEXC, Bitget, BitMEX). You can select which exchanges to include.
It calculates the funding rate by taking the mean of spot and perpetual prices across selected exchanges.
Open interest is fetched similarly and scaled according to user preferences (auto, millions, billions). It indicates the total amount of open contracts, providing insight into market activity intensity.
Visualizations & Data Presentation
Funding Rate: Shown as colored columns—green for positive (bullish sentiment), red for negative (bearish sentiment).
Open Interest: Displayed as a line, showing overall market activity.
CVD & SMA: Plotted as lines to visualize buying/selling pressure and its smoothed trend.
Information Table: Located at the top right, summarizes:
Current base currency
Number of active sources (exchanges)
Calculated funding rate
Total open interest
Current CVD and its SMA
Last delta (buy vs. sell pressure)
How to Use It
Select Metrics & Exchanges: Choose which data you want to see and from which exchanges.
Adjust Settings: Tweak CVD calculation method, SMA length, reset interval, and scaling options.
Interpret Visuals:
A positive funding rate suggests traders are paying long positions, often indicating bullish sentiment.
Negative funding rates can indicate bearish market sentiment.
Rising CVD indicates increasing buying pressure.
Open interest spikes typically mean increased market participation.
Important Notes
The indicator relies on the availability of volume data for accurate CVD calculation.
Always verify that the exchanges and symbols are correctly set and supported on your chart.
Use the combined insights from funding rates, CVD, and open interest for a comprehensive market view. This tool is designed for research purposes only.
ConfluenceX Scanner • Setup + EntryThe ConfluenceX Scanner is a precision trading tool that combines multiple confirmations into one system — giving you high-probability setups in real time.
✔ Support & Resistance detection
✔ Stochastic extremes (92/6)
✔ Keltner channel breakouts
✔ Setup vs Strong Buy/Sell signals
Instead of guessing, you’ll know exactly when multiple factors align.
Binary traders use it for fast, 60-second entries.
Forex traders use it for precise, high-probability setups.
Access is invite-only and managed through Whop. Purchase a license on Whop to unlock full access, alerts, and community support.
Full Stochastic (TC2000-style EMA 5,3,3)Full Stochastic (TC2000-style EMA 5,3,3) computes a Full Stochastic oscillator matching TC2000’s settings with Average Type = Exponential.
Raw %K is calculated over K=5, then smoothed by an EMA with Slowing=3 to form the Full %K, and %D is an EMA of Full %K with D=3.
Plots:
%K in black, %D in red, with 80/20 overbought/oversold levels in green.
This setup emphasizes momentum shifts while applying EMA smoothing at both stages to reduce noise and maintain responsiveness. Inputs are adjustable to suit different symbols and timeframes.
Order Flow Entry Quality ScannerOrder Flow Entry Quality Scanner
The order flow entry quality scanner is an educational technical analysis indicator designed to help traders evaluate the quality of potential entry points based on multiple technical factors. This indicator combines momentum, volume, delta analysis, and trend evaluation to provide an objective scoring system for market conditions.
Key Features
Comprehensive scoring system (0-10)
- momentum analysis: Evaluates price acceleration over recent bars
- volume delta: Measures buying vs selling pressure
- volume analysis: Compares current volume with historical averages
- vwap position: Determines price position relative to vwap
Advanced filters
- rsi filter: Optional to avoid overbought/oversold conditions
- value area filter: Helps identify fair price zones
- confluence analysis: Detects when multiple factors align
Clear visualization
- information table: Shows key metrics in real-time
- color coding: Intuitive system (green=favorable, yellow=caution, red=avoid)
- timing signals: Indicates when to consider, wait, or avoid entries
Configurable Parameters
Main configuration
- signal sensitivity (0-100): Adjusts overall scanner sensitivity
- volume periods(5-50): Defines period for volume analysis
- momentum bar (2-10): Number of bars for momentum calculation
Advanced filters
- rsi filter: Enable/disable rsi filtering
- rsi period (5-30): rsi period configuration
- value area filter: Enable value area analysis
Visual options
- show table: Enable/disable information table
- table position: Select chart location
Technical Calculations
Delta analysis
Calculates the difference between bullish and bearish volume based on tick direction to estimate buying/selling pressure.
Momentum acceleration
Measures the rate of price change over a specific period to identify acceleration or deceleration in movement.
Relative volume
Compares current volume with moving average to identify unusual activity.
Price efficiency
Evaluates how efficiently price moves within the bar's range.
Alert System
The indicator includes alerts for:
- High-quality bullish entries
- High-quality bearish entries
- Bullish factor confluence
- Bearish factor confluence
Recommended Usage
This indicator is an educational tool for technical analysis. It does not constitute financial advice nor guarantees results. Users should:
- Use it as part of a broader trading strategy
- Combine with other analysis methods
- Practice proper risk management
- Perform backtesting before live use
- Consider market conditions and fundamental news
Disclaimer
- educational purposes only: This indicator is designed for technical analysis learning
- no guarantees: Past results do not guarantee future performance
- risk warning: Trading involves risk of capital loss
- own decision: Trading decisions are solely the user's responsibility
- complementary analysis: Should be used alongside other analysis methods
- Works on all timeframes
- Compatible with all financial instruments
Always remember to do your own research and consult with financial professionals before making investment decisions.