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.
Osciladores
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")
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.
Chanpreet RSI Extreme Rays Version 1.0Identifies short-term momentum extremes and highlights potential reversal zones.
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.
MO and Stoch GOLD H4 V.s.1 – Kim Trading MO and Stoch GOLD H4 V.s.1 – Kim Trading
Market: XAUUSD • Timeframe: H4 (4h)
Signal tiers.
B/S (basic), B1★/S1★ (MO + Stoch RSI), B2★/S2★ (with-trend filter), B3★/S3★ (plus divergence).
Trade only when one of the four labels appears. Consider DCA with the prevailing trend and add other confluences (levels, candles, volume, timing) for optimal setups.
Notes. Use Alerts → Once Per Bar Close. Educational tool, not financial advice. Source code Protected.
Author: Kim Trading • Version: V1 • Date: 2025-08-25
#XAUUSD #Gold #H4 #MO #Stoch #KimTrading
MO and Stoch BTC/Altcoin H4 V.s.1 – Kim TradingMO and Stoch BTC/Altcoin H4 V.s.1 – Kim Trading
Market: BTCUSD + major USDT altcoins (e.g., ETH, SOL, …) • Timeframe: H4 (4h)
Signal tiers.
B/S (basic), B1★/S1★ (MO + Stoch RSI), B2★/S2★ (with-trend filter), B3★/S3★ (plus divergence).
Trade only when one of the four labels appears. Consider DCA with the prevailing trend and add other confluences (levels, candles, volume, timing) for optimal setups.
Notes. Use Alerts → Once Per Bar Close. Educational tool, not financial advice. Source code Protected.
Author: Kim Trading • Version: V1 • Date: 2025-08-25
#BTC #Bitcoin #Altcoins #Crypto #H4 #MO #Stoch #KimTrading
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.
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.
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.
Quantura - Quantitative AlgorythmIntroduction
“Quantura – Quantitative Algorithm” is an invite-only Pine Script strategy designed for multi-timeframe analysis, combining technical filters with user-adjustable fundamental sentiment. It was primarily developed for cryptocurrency markets but can also be applied across other assets such as Forex, stocks, and indices. The goal is to generate structured trade signals through a confluence of techniques rather than relying on a single indicator.
Originality & Value
Quantura is not a simple mashup of indicators. Its originality comes from how multiple layers of analysis are integrated into a single decision framework . Instead of showing indicators separately, the strategy only issues trades when several conditions align simultaneously:
RSI entry triggers confirm overbought/oversold reversals.
Market structure on a higher timeframe confirms trend direction.
Order block detection highlights zones of concentrated supply and demand.
Premium/Discount zones identify potential over- and undervaluation.
HTF EMA provides trend confirmation.
Optional candlestick patterns strengthen reversal or continuation signals.
An optional correlation filter compares the main asset to a reference instrument.
This design forces agreement between different methodologies (momentum, structure, value, volume, sentiment), which reduces noise compared to using them in isolation.
Functionality & Indicators
Entry trigger: RSI exits from extreme zones.
Filters: Only valid when all selected filters (HTF structure, EMA, order blocks, premium/discount, candlesticks, correlation, volume) confirm the direction.
Fundamental bias: User-defined sentiment and analysis settings (bullish, bearish, neutral) influence whether long or short trades are permitted.
Exits: ATR-based take profit and stop loss, with optional breakeven, opposite-signal exit, and session-end exit.
Visualization: Buy/Sell markers, trend-colored candles, and an optional dashboard summarizing indicator status.
Parameters & Customization
Timeframes: Independent HTF and LTF selection.
Trading direction: Long / Short / Both.
Session and weekday filters.
RSI length and thresholds.
Filters: HTF structure, order blocks, premium/discount, EMA, candlestick, ATR volatility, volume zones, correlation.
Exit rules: ATR multipliers for TP/SL, breakeven logic, session-end exit, opposite-signal exit.
Visuals: Toggle signals, candles, dashboard, custom colors.
Default Properties (Strategy Settings)
Initial Capital: 200,000 USD
Position Size: 1 BTC
Commission: 0.25%
Slippage: enabled (1 tick)
Pyramiding: 0 (one position at a time)
Note: The position sizing of 1 BTC per trade is intentionally set for backtesting demonstration. Most traders prefer to risk 1-5% of equity.
Backtesting & Performance
Backtests on BTCUSD (2 years) with the above defaults showed:
103 trades
Win rate: 42%
Profit factor: 1.3
Maximum drawdown: 10%
These results illustrate how the confluence model behaves, but they are not predictive of future performance . Users should re-test with their own preferred symbols, settings, and timeframes.
Risk Management
ATR-based stops and targets scale with volatility.
Commission and slippage are included by default for realistic modeling.
Opposite-signal exit helps capture trend reversals.
Session-end exit can close intraday positions before illiquid hours.
Breakeven option protects profits when available.
Although the default allocation uses 1 BTC per trade for demonstration, this is not a recommendation. Users are encouraged to adjust risk sizing downwards to sustainable levels (commonly 1-5%).
Limitations & Market Conditions
Performs best in volatile, liquid markets (e.g., crypto).
May struggle in prolonged sideways markets with low volatility.
News events and fundamentals outside user inputs can override signals.
Usage Guide
Add “Quantura – Quantitative Algorithm” to your chart in strategy mode.
Select HTF and LTF timeframes, trading direction, and session filters.
Configure confluence filters (structure, EMA, order blocks, premium/discount, candlestick, correlation, volume).
Set sentiment and analysis bias in fundamental settings.
Adjust ATR multipliers and exits.
Review buy/sell signals and analyze performance in the Strategy Tester.
Author & Access
Developed 100% by Quantura . Distributed as an Invite-Only script . Access is granted upon request. Details are provided in the Author’s Instructions field.
Important: This description complies with TradingView’s Script Publishing Rules and House Rules. It does not guarantee profitability, avoids unrealistic claims, and explains how the strategy integrates multiple methods into a coherent decision framework.
MACD_V5 with Divergence
MACD_V5 with Divergence is an EMA-based Bull/Bear Power oscillator. It computes
BBP = (high − EMA(close, Length)) + (low − EMA(close, Length)), plots BBP as columns with a zero line, and overlays a slope-colored BBP moving average. The script flags fresh Overbought/Oversold extremes within a rolling window and draws dashed levels, and it detects Regular and Hidden divergences using confirmed pivots (non-repainting after confirmation; appears with an lbR-bar delay).
Built-in alerts fire on OB/OS prints and on BBP ↔ BBP-MA crosses (use “Any alert() function call”).
How to use
• Treat crosses as triggers and divergence as confirmation.
• Always read signals in the context of the higher-timeframe or a price-based trend filter (e.g., EMA on price).
• Backtest and paper trade before going live.
Inputs: EMA Length, Highest/Lowest Period, Overbought/Oversold levels, BBP MA Length.
Works on any symbol and timeframe.
EMA-based Bull/Bear Power oscillator (BBP) with slope-colored MA. Marks fresh OB/OS extremes and detects Regular/Hidden divergences via confirmed pivots (no repaint after confirmation; lbR delay). Alerts on OB/OS and BBP ↔ MA cross. Use crosses to trigger, divergences to confirm, and trend context to filter. Inputs: Length, Period, OB/OS, MA Length.
EMA-based BBPower oscillator with OB/OS extremes, slope MA, and regular/hidden divergence. Alerts on OB/OS and BBP↔MA cross. Use crosses to trigger, divergences to confirm. Pivot signals show after lbR delay.
Initial public release
EMA-based BBP with slope-colored MA
OB/OS extreme labels + dashed levels
Regular & Hidden divergence (confirmed pivots; non-repainting after confirm)
Built-in alerts for OB/OS and BBP↔MA cross
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.
MacAdx [GSira]📌 Indicator: ADX with Polarity + MACD Halo
🔎 Description
This indicator combines trend strength (ADX) with a dynamic MACD-based halo, providing a powerful visual confirmation tool for market direction.
The ADX with polarity colors the curve according to the dominant directional index (+DI / −DI) and the trend intensity.
The MACD Halo projects a glowing band around the ADX line, changing side, thickness, and color depending on MACD’s direction and strength.
👉 It is highly recommended to use this indicator together with Profit Long Plus for stronger confirmation of entries and exits.
⚙️ How it works
ADX with polarity
🟢 Green → Bullish polarity (+DI > −DI).
🔴 Red → Bearish polarity (−DI > +DI).
⚪ Gray → Neutral zone (weak or uncertain trend).
Optional: background shading when ADX is below threshold.
MACD Halo
📈 If MACD is bullish → halo above ADX.
🟢 Green if also above 0.
🟠 Orange if below 0 (weaker signal).
📉 If MACD is bearish → halo below ADX.
🔴 Red if also below 0.
🟠 Orange if above 0 (weaker signal).
Halo thickness dynamically increases with MACD strength (distance from signal line).
📖 Interpretation
Strong trend confirmation
Rising ADX + Green polarity + Green wide halo above → strong bullish continuation.
Rising ADX + Red polarity + Red wide halo below → strong bearish continuation.
Weak or mixed signals
Orange halo → contradiction between ADX and MACD → weak or unreliable trend.
Thin halo → low MACD strength, wait for confirmation.
👉 The best signals come when ADX polarity and MACD Halo align in direction and intensity.
✅ Advantages
Combines two of the most widely used indicators (ADX + MACD) into one clear visualization.
Helps filter out false signals.
Optimized for trend confirmation and works even better when paired with Profit Long Plus.
📌 In summary:
This indicator shows trend strength with ADX and validates it using MACD direction and momentum through a dynamic halo.
🟢 Halo above = bullish support.
🔴 Halo below = bearish support.
🟠 Orange halo = weak or conflicting trend.
For best results, use it together with Profit Long Plus to confirm high-probability entries and exits.
RSI Divergence + MTF PanelRSI Divergence + MTF Panel
📊 Short Description
A powerful indicator for detecting RSI divergences with a multi-timeframe panel that helps traders find high-quality trading opportunities across different time intervals.
✨ Key Features
🎯 Automatic Divergence Detection
- **Bullish Divergence**: Price makes lower lows while RSI makes higher lows
- **Bearish Divergence**: Price makes higher highs while RSI makes lower highs
- Visual divergence marking with lines on the chart
- Customizable colors and line styles
📈 Multi-Timeframe Panel (MTF)
- Displays RSI from 4 fixed timeframes simultaneously (5m, 15m, 1H, 4H)
- Color-coded RSI levels:
- 🔴 Red: RSI > 70 (overbought)
- 🟢 Green: RSI < 30 (oversold)
- ⚪ White: RSI between 30-70 (neutral zone)
⚙️ Flexible Settings
- RSI period (default 14)
- Divergence detection threshold
- Data source selection (close, hl2, hlc3, ohlc4)
- Color and transparency customization
- Enable/disable indicator components
📋 How to Use
1. **Add the indicator to your chart** - it will automatically start scanning for divergences
2. **Adjust parameters** to match your trading style
3. **Monitor the MTF panel** for overall market condition overview
4. **Look for divergences** combined with other signals for confirmation
🎯 Perfect for:
- Swing trading
- Intraday trading
- Finding reversal points
- Confirming trading signals
- Multi-timeframe analysis
⚡ Advantages
- **Automation**: No need to manually search for divergences
- **Multi-functionality**: RSI analysis + MTF overview in one indicator
- **Visual clarity**: Clear signals and color coding
- **Performance**: Optimized code for fast operation
- **Flexibility**: Wide customization options
📊 Technical Details
- Uses standard RSI with customizable period
- Divergence detection algorithm based on peaks and valleys
- MTF panel updates in real-time
- Supports all asset types (stocks, forex, crypto, commodities)
🔧 Usage Recommendations
- Combine with other indicators for signal confirmation
- Consider overall market trend
- Use risk management rules
- Test settings on historical data
👥 Suitable for:
- Beginners (easy to use)
- Experienced traders (flexible settings)
- All trading styles and timeframes
---
*This indicator is designed to enhance trading efficiency and help make informed trading decisions. Always follow risk management rules and don't rely on just one indicator.*
Signalgo VSignalgo V: Technical Overview and Unique Aspects
Signalgo V is a technical indicator for TradingView that integrates multiple layers of analysis: moving averages, MACD, Bollinger Bands and RSI to deliver buy and sell signals. Below is an informational breakdown of how the indicator functions, its input parameters, signal logic, exit methodology, and how it stands apart from traditional moving average (MA) tools, without disclosing specifics that allow for code duplication.
How Signalgo V Works
1. Multi-Layered Technical Synthesis
Signalgo V processes several technical studies simultaneously:
Fast/Slow Moving Averages: Uses either EMA or SMA (user-selected) with adjustable periods. These are central to initial trend detection through crossovers.
MACD Filter: MACD line vs. signal line cross-check ensures trend direction is supported by both momentum and MA structure.
RSI Confirmation: The RSI is monitored to verify that signals are not excessively overbought or oversold, tuning the system to changing momentum regimes.
Bollinger Bands Context: Entry signals are only considered when price action is beyond the Bollinger Bands envelope, which further filters for unusually strong movements.
These strict, multi-indicator entry criteria are designed to ensure only the most robust signals are surfaced, each is contingent on the presence of aligned trend, momentum and volatility.
2. Exit Methodology
Take-Profit Levels: After entering a trade, the strategy automatically sets three predefined profit targets (TP1, TP2, TP3). If the price reaches any of these targets, the system marks it, helping you lock in profits at different stages.
Stop-Loss System: Simultaneously, a stop-loss (SL) value is set, protecting you from significant losses if the market moves against your position.
Dynamic Adjustment: When the first profit target (TP1) is hit, the system can automatically move the stop-loss to your entry price. This means your worst-case outcome is break-even from that point, reducing downside risk.
Trailing Stop-Loss: After TP1 is reached, a dynamic trailing stop can activate. This allows the stop-loss to follow the price as it moves in your favor, aiming to capture more profit if the trend continues, while still protecting your gains if the price reverses.
Visual Markers: The system plots all important exit levels (profit targets, stop-loss, trailing stop) directly on the chart. Optional labels also appear whenever a target or stop-loss is hit, making it easy to see progress.
Visual cues (labels) are plotted directly on the bar where a buy or sell signal triggers, clarifying entry points and aiding manual exit/risk management decisions.
Input Parameters
rsiLen: Lookback period for RSI calculation.
rsiOB and rsiOS: Overbought/oversold thresholds, adaptive to the indicator’s multi-layered logic.
maFastLen and maSlowLen: Periods for fast and slow MAs.
maType: EMA or SMA selectable for both MAs.
bbLen: Length for Bollinger Bands mean calculation.
bbMult: Standard deviation multiplier for BB width.
macdFast, macdSlow, macdSig: Standard MACD parameterization for nuanced momentum oversight.
What Separates Signalgo V from Traditional Moving Average Indicators
Composite Signal Architecture: Where traditional MA systems generate signals solely on MA crossovers, Signalgo V requires layered, cross-confirmational logic across trend (MAs), momentum (MACD), volatility (Bollinger Bands), and market strength (RSI).
Adaptive Volatility Context: MA signals only “count” when price is meaningfully breaking out of its volatility envelope, filtering out most unremarkable crosses that plague basic MA strategies.
Integrated Multi-Factor Filters: Strict compliance with all layers of signal logic is enforced. A marked improvement over MA strategies that lack secondary or tertiary confirmation.
Non-Redundant Event Limiting: Each entry is labeled as a unique event. The indicator does not repeat signals on subsequent bars unless all entry conditions are freshly met.
Trading Strategy Application
Trend Identification: By requiring concurrence among MA, MACD, RSI, and BB, this tool identifies only those trends with robust, multifactor support.
Breakout and Momentum Entry: Signals are bias-toward trades that initiate at likely breakout points (outside BB range), combined with fresh momentum and trend alignment.
Manual Discretion for Exits: The design is to empower traders with high-confidence entries and leave risk management or partial profit-taking adaptive to trader style, using visual cues from all component indicators.
Alert Generation: Each buy/sell event optionally triggers an alert, supporting systematic monitoring without constant chart watching.
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.
________________________________________
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) для анализа импульса
Стохастический осциллятор для определения уровней перекупленности/перепроданности
Система обнаружения дивергенций, выявляющая как обычные, так и скрытые бычьи/медвежьи дивергенции между ценовым движением и осцилляторами
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
Custom RVGI with Zero Lineits only traditional RVGI available in trading view and its not my own. I just adding zero line for visible comfort. I am not the creater or owner of this RVGI.
Bottom SniperThe Bottom Sniper is a precision tool designed to catch bullish reversal points with high probability after periods of selling pressure or capitulation. It combines volume analysis, price action, momentum (Stochastic), and volatility filters to deliver cleaner signals near market bottoms.
How It Works
- A signal ("BS") is triggered when the following are true:
- Bullish candle (close > open)
- Candle body is large relative to ATR (volatility-based filter)
- Stochastic %K is in a defined low band and rising
- Volume profile is healthy: either controlled or shows signs of capitulation
- Price shows follow-through (close > previous close)
- A cooldown prevents signal spam and overtrading
Customizable Settings
- Volume MA length and RVOL thresholds
- Stochastic smoothing and band ranges
- ATR multiplier for candle body size
- Optional capitulation mode for extreme volume spikes
- Cooldown period (in bars) between signals
Visuals & Alerts
- A BS label is plotted below the bar when a valid signal triggers
- Compatible with TradingView alerts — get notified in real time
- Fully synced signals and alerts (no mismatches)
Best Used For
- Spotting oversold bounce opportunities
- Identifying potential bottom reversals
- Supporting mean reversion or swing trading setups