Dynamic Volume ✨ Profile PublicThis script is a comprehensive Pine Script indicator for TradingView called "Dynamic Volume Profile." It analyzes price and volume data to calculate a dynamic oscillator, adaptive midlines, and volume-weighted price deviations. The script highlights bullish and bearish zones, detects trend reversals, and plots signals for potential long and short entries using colored circles. It also visualizes probability density function (PDF) zones to identify statistically favorable trading areas. Additionally, it automatically detects trend direction, volatility, and trend strength, and can display a table of major global trading sessions with real-time status and countdowns. The script is highly customizable for different assets, timeframes, and trading styles.
Penunjuk dan strategi
LibVolmLibrary "LibVolm"
This library provides a collection of core functions for volume and
money flow analysis. It offers implementations of several classic
volume-based indicators, with a focus on flexibility
for applications like multi-timeframe and session-based analysis.
Key Features:
1. **Suite of Classic Volume Indicators:** Includes standard
implementations of several foundational indicators:
- **On Balance Volume (`obv`):** A momentum indicator that
accumulates volume based on price direction.
- **Accumulation/Distribution Line (`adLine`):** Measures cumulative
money flow using the close's position within the bar's range.
- **Chaikin Money Flow (`cmf`):** An oscillator version of the ADL
that measures money flow over a specified lookback period.
2. **Anchored/Resettable Indicators:** The library includes flexible,
resettable indicators ideal for cyclical analysis:
- **Anchored VWAP (`vwap`):** Calculates a Volume Weighted Average
Price that can be reset on any user-defined `reset` condition.
It returns both the VWAP and the number of bars (`prdBars`) in
the current period.
- **Resettable CVD (`cvd`):** Computes a Cumulative Volume Delta
that can be reset on a custom `reset` anchor. The function
also tracks and returns the highest (`hi`) and lowest (`lo`)
delta values reached within the current period.
(Note: The delta sign is determined by a specific logic:
it first checks close vs. open, then close vs. prior
close, and persists the last non-zero sign).
3. **Volume Sanitization:** All functions that use the built-in
`volume` variable automatically sanitize it via an internal
function. This process replaces `na` values with 0 and ensures
no negative volume values are used, providing stable calculations.
---
**DISCLAIMER**
This library is provided "AS IS" and for informational and
educational purposes only. It does not constitute financial,
investment, or trading advice.
The author assumes no liability for any errors, inaccuracies,
or omissions in the code. Using this library to build
trading indicators or strategies is entirely at your own risk.
As a developer using this library, you are solely responsible
for the rigorous testing, validation, and performance of any
scripts you create based on these functions. The author shall
not be held liable for any financial losses incurred directly
or indirectly from the use of this library or any scripts
derived from it.
obv(price)
Calculates the On Balance Volume (OBV) cumulative indicator.
Parameters:
price (float) : series float Source price series, typically the close.
Returns: series float Cumulative OBV value.
adLine()
Computes the Accumulation/Distribution Line (AD Line).
Returns: series float Cumulative AD Line value.
cmf(length)
Computes Chaikin Money Flow (CMF).
Parameters:
length (int) : series int Lookback length for the CMF calculation.
Returns: series float CMF value.
vwap(price, reset)
Calculates an anchored Volume Weighted Average Price (VWAP).
Parameters:
price (float) : series float Source price series (usually *close*).
reset (bool) : series bool A signal that is *true* on the bar where the
accumulation should be reset.
Returns:
vwap series float The calculated Volume Weighted Average Price for the current period.
prdBars series int The number of bars that have passed since the last reset.
cvd(reset)
Calculates a resettable, cumulative Volume Delta (CVD).
It accumulates volume delta and tracks its high/low range. The
accumulation is reset to zero whenever the `reset` condition is true.
This is useful for session-based analysis, intra-bar calculations,
or any other custom-anchored accumulation.
Parameters:
reset (bool) : series bool A signal that is *true* on the bar where the
accumulation should be reset.
Returns:
cum series float The current cumulative volume delta.
hi series float The highest peak the cumulative delta has reached in the current period.
lo series float The lowest trough the cumulative delta has reached in the current period.
LibMvAvLibrary "LibMvAv"
This library provides a unified interface for calculating a
wide variety of moving averages. It is designed to simplify
indicator development by consolidating numerous MA calculations
into a single function and integrating the weighting
capabilities from the `LibWght` library.
Key Features:
1. **All-in-One MA Function:** The core of the library is the
`ma()` function. Users can select the desired calculation
method via the `MAType` enum, which helps create
cleaner and more maintainable code compared to using
many different `ta.*` or custom functions.
2. **Comprehensive Selection of MA Types:** It provides a
selection of 12 different moving averages, covering
common Pine Script built-ins and their weighted counterparts:
- **Standard MAs:** SMA, EMA, WMA, RMA (Wilder's), HMA (Hull), and
LSMA (Least Squares / Linear Regression).
- **Weighted MAs:** Weight-enhanced versions of the above
(WSMA, WEMA, WWMA, WRMA, WHMA, WLSMA).
3. **Integrated Weighting:** The library provides weighted versions
for each of its standard MA types (e.g., `wsma` alongside `sma`).
By acting as a dispatcher, the `ma()` function allows these
weighted calculations to be called using the optional
`weight` parameter, which are then processed by the `LibWght`
library.
4. **Simple API:** The library internally handles the logic of
choosing the correct function based on the selected `MAType`.
The user only needs to provide the source, length, and
optional weight, simplifying the development process.
---
**DISCLAIMER**
This library is provided "AS IS" and for informational and
educational purposes only. It does not constitute financial,
investment, or trading advice.
The author assumes no liability for any errors, inaccuracies,
or omissions in the code. Using this library to build
trading indicators or strategies is entirely at your own risk.
As a developer using this library, you are solely responsible
for the rigorous testing, validation, and performance of any
scripts you create based on these functions. The author shall
not be held liable for any financial losses incurred directly
or indirectly from the use of this library or any scripts
derived from it.
ma(maType, source, length, weight)
Returns the requested moving average.
Parameters:
maType (simple MAType) : simple MAType Desired type (see enum above).
source (float) : series float Data series to smooth.
length (simple int) : simple int Look-back / period length.
weight (float) : series float Weight series (default = na)
Returns: series float Moving-average value.
LibWghtLibrary "LibWght"
This is a library of mathematical and statistical functions
designed for quantitative analysis in Pine Script. Its core
principle is the integration of a custom weighting series
(e.g., volume) into a wide array of standard technical
analysis calculations.
Key Capabilities:
1. **Universal Weighting:** All exported functions accept a `weight`
parameter. This allows standard calculations (like moving
averages, RSI, and standard deviation) to be influenced by an
external data series, such as volume or tick count.
2. **Weighted Averages and Indicators:** Includes a comprehensive
collection of weighted functions:
- **Moving Averages:** `wSma`, `wEma`, `wWma`, `wRma` (Wilder's),
`wHma` (Hull), and `wLSma` (Least Squares / Linear Regression).
- **Oscillators & Ranges:** `wRsi`, `wAtr` (Average True Range),
`wTr` (True Range), and `wR` (High-Low Range).
3. **Volatility Decomposition:** Provides functions to decompose
total variance into distinct components for market analysis.
- **Two-Way Decomposition (`wTotVar`):** Separates variance into
**between-bar** (directional) and **within-bar** (noise)
components.
- **Three-Way Decomposition (`wLRTotVar`):** Decomposes variance
relative to a linear regression into **Trend** (explained by
the LR slope), **Residual** (mean-reversion around the
LR line), and **Within-Bar** (noise) components.
- **Local Volatility (`wLRLocTotStdDev`):** Measures the total
"noise" (within-bar + residual) around the trend line.
4. **Weighted Statistics and Regression:** Provides a robust
function for Weighted Linear Regression (`wLinReg`) and a
full suite of related statistical measures:
- **Between-Bar Stats:** `wBtwVar`, `wBtwStdDev`, `wBtwStdErr`.
- **Residual Stats:** `wResVar`, `wResStdDev`, `wResStdErr`.
5. **Fallback Mechanism:** All functions are designed for reliability.
If the total weight over the lookback period is zero (e.g., in
a no-volume period), the algorithms automatically fall back to
their unweighted, uniform-weight equivalents (e.g., `wSma`
becomes a standard `ta.sma`), preventing errors and ensuring
continuous calculation.
---
**DISCLAIMER**
This library is provided "AS IS" and for informational and
educational purposes only. It does not constitute financial,
investment, or trading advice.
The author assumes no liability for any errors, inaccuracies,
or omissions in the code. Using this library to build
trading indicators or strategies is entirely at your own risk.
As a developer using this library, you are solely responsible
for the rigorous testing, validation, and performance of any
scripts you create based on these functions. The author shall
not be held liable for any financial losses incurred directly
or indirectly from the use of this library or any scripts
derived from it.
wSma(source, weight, length)
Weighted Simple Moving Average (linear kernel).
Parameters:
source (float) : series float Data to average.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 1.
Returns: series float Linear-kernel weighted mean; falls back to
the arithmetic mean if Σweight = 0.
wEma(source, weight, length)
Weighted EMA (exponential kernel).
Parameters:
source (float) : series float Data to average.
weight (float) : series float Weight series.
length (simple int) : simple int Look-back length ≥ 1.
Returns: series float Exponential-kernel weighted mean; falls
back to classic EMA if Σweight = 0.
wWma(source, weight, length)
Weighted WMA (linear kernel).
Parameters:
source (float) : series float Data to average.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 1.
Returns: series float Linear-kernel weighted mean; falls back to
classic WMA if Σweight = 0.
wRma(source, weight, length)
Weighted RMA (Wilder kernel, α = 1/len).
Parameters:
source (float) : series float Data to average.
weight (float) : series float Weight series.
length (simple int) : simple int Look-back length ≥ 1.
Returns: series float Wilder-kernel weighted mean; falls back to
classic RMA if Σweight = 0.
wHma(source, weight, length)
Weighted HMA (linear kernel).
Parameters:
source (float) : series float Data to average.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 1.
Returns: series float Linear-kernel weighted mean; falls back to
classic HMA if Σweight = 0.
wRsi(source, weight, length)
Weighted Relative Strength Index.
Parameters:
source (float) : series float Price series.
weight (float) : series float Weight series.
length (simple int) : simple int Look-back length ≥ 1.
Returns: series float Weighted RSI; uniform if Σw = 0.
wAtr(tr, weight, length)
Weighted ATR (Average True Range).
Implemented as WRMA on *true range*.
Parameters:
tr (float) : series float True Range series.
weight (float) : series float Weight series.
length (simple int) : simple int Look-back length ≥ 1.
Returns: series float Weighted ATR; uniform weights if Σw = 0.
wTr(tr, weight, length)
Weighted True Range over a window.
Parameters:
tr (float) : series float True Range series.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 1.
Returns: series float Weighted mean of TR; uniform if Σw = 0.
wR(r, weight, length)
Weighted High-Low Range over a window.
Parameters:
r (float) : series float High-Low per bar.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 1.
Returns: series float Weighted mean of range; uniform if Σw = 0.
wBtwVar(source, weight, length, biased)
Weighted Between Variance (biased/unbiased).
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns:
variance series float The calculated between-bar variance (σ²btw), either biased or unbiased.
sumW series float The sum of weights over the lookback period (Σw).
sumW2 series float The sum of squared weights over the lookback period (Σw²).
wBtwStdDev(source, weight, length, biased)
Weighted Between Standard Deviation.
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns: series float σbtw uniform if Σw = 0.
wBtwStdErr(source, weight, length, biased)
Weighted Between Standard Error.
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns: series float √(σ²btw / N_eff) uniform if Σw = 0.
wTotVar(mu, sigma, weight, length, biased)
Weighted Total Variance (= between-group + within-group).
Useful when each bar represents an aggregate with its own
mean* and pre-estimated σ (e.g., second-level ranges inside a
1-minute bar). Assumes the *weight* series applies to both the
group means and their σ estimates.
Parameters:
mu (float) : series float Group means (e.g., HL2 of 1-second bars).
sigma (float) : series float Pre-estimated σ of each group (same basis).
weight (float) : series float Weight series (volume, ticks, …).
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns:
varBtw series float The between-bar variance component (σ²btw).
varWtn series float The within-bar variance component (σ²wtn).
sumW series float The sum of weights over the lookback period (Σw).
sumW2 series float The sum of squared weights over the lookback period (Σw²).
wTotStdDev(mu, sigma, weight, length, biased)
Weighted Total Standard Deviation.
Parameters:
mu (float) : series float Group means (e.g., HL2 of 1-second bars).
sigma (float) : series float Pre-estimated σ of each group (same basis).
weight (float) : series float Weight series (volume, ticks, …).
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns: series float σtot.
wTotStdErr(mu, sigma, weight, length, biased)
Weighted Total Standard Error.
SE = √( total variance / N_eff ) with the same effective sample
size logic as `wster()`.
Parameters:
mu (float) : series float Group means (e.g., HL2 of 1-second bars).
sigma (float) : series float Pre-estimated σ of each group (same basis).
weight (float) : series float Weight series (volume, ticks, …).
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns: series float √(σ²tot / N_eff).
wLinReg(source, weight, length)
Weighted Linear Regression.
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 2.
Returns:
mid series float The estimated value of the regression line at the most recent bar.
slope series float The slope of the regression line.
intercept series float The intercept of the regression line.
wResVar(source, weight, midLine, slope, length, biased)
Weighted Residual Variance.
linear regression – optionally biased (population) or
unbiased (sample).
Parameters:
source (float) : series float Data series.
weight (float) : series float Weighting series (volume, etc.).
midLine (float) : series float Regression value at the last bar.
slope (float) : series float Slope per bar.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population variance (σ²_P), denominator ≈ N_eff.
false → sample variance (σ²_S), denominator ≈ N_eff - 2.
(Adjusts for 2 degrees of freedom lost to the regression).
Returns:
variance series float The calculated residual variance (σ²res), either biased or unbiased.
sumW series float The sum of weights over the lookback period (Σw).
sumW2 series float The sum of squared weights over the lookback period (Σw²).
wResStdDev(source, weight, midLine, slope, length, biased)
Weighted Residual Standard Deviation.
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
midLine (float) : series float Regression value at the last bar.
slope (float) : series float Slope per bar.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns: series float σres; uniform if Σw = 0.
wResStdErr(source, weight, midLine, slope, length, biased)
Weighted Residual Standard Error.
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
midLine (float) : series float Regression value at the last bar.
slope (float) : series float Slope per bar.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population (biased); false → sample.
Returns: series float √(σ²res / N_eff); uniform if Σw = 0.
wLRTotVar(mu, sigma, weight, midLine, slope, length, biased)
Weighted Linear-Regression Total Variance **around the
window’s weighted mean μ**.
σ²_tot = E_w ⟶ *within-group variance*
+ Var_w ⟶ *residual variance*
+ Var_w ⟶ *trend variance*
where each bar i in the look-back window contributes
m_i = *mean* (e.g. 1-sec HL2)
σ_i = *sigma* (pre-estimated intrabar σ)
w_i = *weight* (volume, ticks, …)
ŷ_i = b₀ + b₁·x (value of the weighted LR line)
r_i = m_i − ŷ_i (orthogonal residual)
Parameters:
mu (float) : series float Per-bar mean m_i.
sigma (float) : series float Pre-estimated σ_i of each bar.
weight (float) : series float Weight series w_i (≥ 0).
midLine (float) : series float Regression value at the latest bar (ŷₙ₋₁).
slope (float) : series float Slope b₁ of the regression line.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population; false → sample.
Returns:
varRes series float The residual variance component (σ²res).
varWtn series float The within-bar variance component (σ²wtn).
varTrd series float The trend variance component (σ²trd), explained by the linear regression.
sumW series float The sum of weights over the lookback period (Σw).
sumW2 series float The sum of squared weights over the lookback period (Σw²).
wLRTotStdDev(mu, sigma, weight, midLine, slope, length, biased)
Weighted Linear-Regression Total Standard Deviation.
Parameters:
mu (float) : series float Per-bar mean m_i.
sigma (float) : series float Pre-estimated σ_i of each bar.
weight (float) : series float Weight series w_i (≥ 0).
midLine (float) : series float Regression value at the latest bar (ŷₙ₋₁).
slope (float) : series float Slope b₁ of the regression line.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population; false → sample.
Returns: series float √(σ²tot).
wLRTotStdErr(mu, sigma, weight, midLine, slope, length, biased)
Weighted Linear-Regression Total Standard Error.
SE = √( σ²_tot / N_eff ) with N_eff = Σw² / Σw² (like in wster()).
Parameters:
mu (float) : series float Per-bar mean m_i.
sigma (float) : series float Pre-estimated σ_i of each bar.
weight (float) : series float Weight series w_i (≥ 0).
midLine (float) : series float Regression value at the latest bar (ŷₙ₋₁).
slope (float) : series float Slope b₁ of the regression line.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population; false → sample.
Returns: series float √((σ²res, σ²wtn, σ²trd) / N_eff).
wLRLocTotStdDev(mu, sigma, weight, midLine, slope, length, biased)
Weighted Linear-Regression Local Total Standard Deviation.
Measures the total "noise" (within-bar + residual) around the trend.
Parameters:
mu (float) : series float Per-bar mean m_i.
sigma (float) : series float Pre-estimated σ_i of each bar.
weight (float) : series float Weight series w_i (≥ 0).
midLine (float) : series float Regression value at the latest bar (ŷₙ₋₁).
slope (float) : series float Slope b₁ of the regression line.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population; false → sample.
Returns: series float √(σ²wtn + σ²res).
wLRLocTotStdErr(mu, sigma, weight, midLine, slope, length, biased)
Weighted Linear-Regression Local Total Standard Error.
Parameters:
mu (float) : series float Per-bar mean m_i.
sigma (float) : series float Pre-estimated σ_i of each bar.
weight (float) : series float Weight series w_i (≥ 0).
midLine (float) : series float Regression value at the latest bar (ŷₙ₋₁).
slope (float) : series float Slope b₁ of the regression line.
length (int) : series int Look-back length ≥ 2.
biased (bool) : series bool true → population; false → sample.
Returns: series float √((σ²wtn + σ²res) / N_eff).
wLSma(source, weight, length)
Weighted Least Square Moving Average.
Parameters:
source (float) : series float Data series.
weight (float) : series float Weight series.
length (int) : series int Look-back length ≥ 2.
Returns: series float Least square weighted mean. Falls back
to unweighted regression if Σw = 0.
Sine TAP Envelope (Standalone)This is my - Sine TAP Envelope (standalone) script.
It provides a sine wave of best fit around the rolling mean of the price action movement (noise and all). Auto updates to extended hours / regular trading hours, and on each tick of every time frame, auto adjusting new potential highs, lows, volume entering exiting, giving a new definition to flex when you see the power that market makers have. Provides Fibonacci and prime number based fractional translations across the given band for exit/entry and analysis of volume, gamma, and momentum. Providing two TAPs - a technical aspect price below and above the mean. You may adjust and translate the rolling days of average as you see fit. All equations are proprietary.
Built on the premise that markets are not random, but rotational. That price action is not noise, but a superposition of oscillatory energy curves and pressure fields - each with its own harmonic signature, each interacting through time. The fundamental thesis is that market motion is the visible consequence of curvature, momentum, volatility, and structural opposition interacting across multiple timeframes. Every price tick is not a final cause, but the shadow of a deeper set of harmonic collisions. The engine is not a signal trigger or a heuristic overlay. It is a multi-layered resonance detector, calibrated to identify when market variables enter a moment of alignment-- what the system terms a resonant entry window. This window is not defined by one signal, but by phase-synchronized confirmation across multiple abstract systems: directional slope (TAP), oscillatory curvature (Lift), angular momentum acceleration (RSI curvature), pressure feedback, and interference collapse.
This indicator can, will, and does give you access into where everything is, where everything is was, and where it is going. How you use it is up to you. Please contact me at
ottley.personal@gmail.com OR ottley.work@gmail.com
For details on purchase. One-time, no refunds, no subscriptions.
You either have the balls to try something or don't, to be quite honest, the less of you that use this the better for me - contact for details around price. Non-negotiable, details available upon request.
TV Hot-Blooded Trend V8.1 Release VersionStill Losing Money on False Breakouts? Let Trend Lead Your Way
Are You Struggling with These Trading Challenges:
Always buying high and selling low, chasing the market?
Hesitating at critical moments, missing the best entry points?
Distracted by market noise, trading frequently but losing consistently?
Studied countless technical analyses but still can't achieve stable profits?
Intelligent Trend Recognition System Built for Traders
This tool employs advanced multi-confirmation mechanisms to help you:
✅ Precisely Capture Trend Reversals - Smart algorithms filter market noise, signaling only high-probability opportunities so you never miss important moves
✅ Eliminate Emotional Trading - Clear visual signal system with color-coded buy/sell markers makes trading decisions simple and intuitive, no complex judgment needed
✅ Dramatically Reduce False Signals - Multi-layer filtering ensures signal reliability, effectively minimizing unnecessary trading losses and protecting your capital
✅ 24/7 Smart Monitoring - Alert functionality lets you catch trading opportunities even when you're away, making your trading effortless
✅ Multi-Market Compatible - Whether crypto, forex, or stocks, it adapts seamlessly—one tool for all your trading needs
Stop Trading Blind. Let Data Speak, Let Trends Guide
No more juggling dozens of indicators. No more wrestling with complex technical analysis. Simple, clear, effective—this is what professional traders need.
Start now and unlock your path to consistent profits!
KCB Strategy [Ncentry]This strategy is a strong trend breaking strategy based on the Keltner channel.
Optimized for the bitcoin okx exchange chart.
Market Flow Matrix G&MMARKET FLOW MATRIX INDICATOR
I'm sharing my new indicator that shows WHERE money is flowing in the crypto market!
WHAT DOES IT DO?
This indicator analyzes TOTAL, TOTAL2, BTC.D, ETH.D, and ALT.D data to show whether money is flowing to BTC, ETH, or altcoins.
5 MAIN INDICATORS:
Liquidity Flow Score (LAS)
Is money flowing to altcoins or BTC?
Greater than 1.02 = Money entering altcoins
Less than 0.95 = Money fleeing to BTC
Rotation Strength (RG)
Is money rotating from BTC to altcoins?
Positive = Altcoin rotation started
Negative = Return to BTC
AltSeason Probability
Score between 0-100
Higher values indicate approaching altcoin season
Market Flow Gauge
0-30 = BTC zone (red)
70-100 = Altcoin zone (green)
TOTAL2 Spread
Weight of altcoins in the market
SIGNALS:
Green Triangle = ALTCOIN BUY
Liquidity flowing to alts + Bull trend
Red Triangle = ALTCOIN SELL / SWITCH TO BTC
Liquidity returning to BTC + Risk increasing
Blue Diamond = ETHEREUM SEASON
ETH dominance rising + Focus on ETH
HOW TO USE:
Purple line above 70 + Green triangle = Buy altcoins
Purple line below 30 + Red triangle = Sell altcoins
Blue diamond appears = Focus on ETH and large caps
WHAT YOU'LL SEE ON THE CHART:
Purple line: Overall market flow (0-100)
Colored histogram: Rotation strength
Orange line: AltSeason probability
Yellow line: TOTAL2 dominance difference
ALERTS:
You can set up alerts on TradingView and receive notifications when signals appear!
Pine Script code is ready, you can add it to TradingView and start using it!
ANN TREND SPX500 1m-1HHappy Trading! This indicator is the successor to my previous ANN Trend Prediction, now featuring improved feature vectors, refined backpropagation, and a stronger focus on asset- and timeframe-specific patterns for more precise predictions.
Internally is a collection of nine artificial neural networks (ANNs) trained on the S&P 500 to forecast uptrends, downtrends, or ranging markets. Each ANN is trained on one of the following timeframes: 1m, 2m, 3m, 5m, 10m, 15m, 30m, 45m, and 60m, and the appropriate model is selected automatically.
1. Settings
In the settings menu shown in the image below, you’ll find six options:
Indicator Timeframe – Choose between 1m and 1H.
Intrabar – Choose between Alerts been send intrabar or only at bar closing.
Lookback – Define how many previous bars the ANN should use in its calculations.
Smoothing – To reduce short-term switching of the prediction you can activate Smoothing. Here-by the input datas get filtered by a mean function.
Range Filter – Enable a third class, Ranging, in addition to Uptrend and Downtrend. This enables you to avoid choppy markets.
Class Colors – Here you can change each Class (Up, Down Trend etc) color.
2. Comparison with EMA crossover
The Prediction of the ANN Trend SPX500 1m-1H is more reliable as the prediction of the EMA crossover, shown in the Image below.
Both indicators use the same period of 65 bars and source their input data from the same chart.
While the EMA crosses over multiple times (shown as red vertical lines in the image), the ANN Trend maintains its prediction signal as Uptrend.
This advantage of the ANN comes from its learned knowledge. During training, it was exposed to a vast number of price charts, enabling it to distinguish between a trend setback and a true trend reversal.
3. Alerts
The indicator generates two types of alert signals:
Trade Signal:
1 = Uptrend
0 = Ranging
-1 = Downtrend
-2 = no prediction
Signal Age: Counts the number of bars since the last signal change. With the Signal Age you have access to the entry-price of the actual Trend. If you use You just call close to get the last entry-price.
4. Declaration for TradingView House Rules on Script Publishing
The unique feature of ANN Trend SPX500 1m-1H is it's real-time range detection capability and it's capability to distinguishes between a Trend set back and a Trend reversal which results in longer lasting trend predictions in comparison to any Moving Average Crossover Indicators.
This script is closed-source and invite-only, to support and compensate for months of development work.
5. Disclaimer
Trading involves risk, and losses can and do occur. This script is intended for informational and educational purposes only. All examples are hypothetical and not financial advice.
Decisions to buy, sell, hold, or trade securities, commodities, or other assets should be based on the advice of qualified financial professionals. Past performance does not guarantee future results.
Use this script at your own risk. It may contain bugs, and I cannot be held responsible for any financial losses resulting from its use.
Cheers!
🧠Adil Hoca Hybrid MA Optimizer**HYBRID MOVING AVERAGE OPTIMIZER - USER GUIDE**
**OVERVIEW**
This Pine Script indicator automatically selects the most successful moving averages by backtesting 104 different combinations in real-time. It operates on 4 speed levels (FAST/MID/SLOW/XSLOW) and detects trend reversals with high accuracy.
**KEY FEATURES**
- 13 different moving average types: EMA, SMA, RMA, WMA, VWMA, HMA, DEMA, TEMA, FRAMA, KAMA, ALMA, SMMA, VIDYA
- 4-level hierarchical structure: FAST (5-10), MID (13-17), SLOW (25-34), XSLOW (50-70)
- Automatic performance tracking and best MA selection
- Real-time confidence score calculation
- LONG and SHORT signals
- Visual panel and labels
**USER PARAMETERS**
1. **Learning Period (default: 250)**
- The number of bars the indicator uses to analyze historical data.
- Higher value: Longer learning time, more reliable results.
- Recommended: Between 200-500.
2. **Confidence Threshold (default: 0.75 - 75 percent)**
- The minimum success rate required to generate a signal.
- Higher value: Fewer but more reliable signals.
- Recommended: Between 0.70-0.85.
3. **Minimum Signals (default: 10)**
- The minimum number of signals an MA must generate to be considered for evaluation.
- Higher value: More tested, reliable combinations.
- Recommended: Between 5-20.
4. **MA Lines (default: on)**
- Displays the 4 best-selected MAs on the chart.
- Green (FAST), Orange (MID), Red (SLOW), Purple (XSLOW).
5. **Signals (default: on)**
- Shows LONG (up triangle) and SHORT (down triangle) signals.
- Signals are generated when the MA hierarchy changes.
6. **Info Panel (default: on)**
- Displays live statistics in the top-right corner.
- Selected MAs, confidence scores, and trend status.
**HOW IT WORKS**
1. **Learning Phase**
- The indicator silently tests all MA combinations over the initial 250 bars.
- It records the success rate of each combination.
- It compares predictions with actual price movements.
2. **Selection Phase**
- It selects the most successful MA at each level (FAST/MID/SLOW/XSLOW).
- Both the success rate and the number of signals are taken into account.
- It is continuously and dynamically updated.
3. **Signal Generation**
- A signal is generated when the hierarchy among the 4 selected MAs changes.
- **LONG:** FAST > MID > SLOW > XSLOW (all in an upward sequence).
- **SHORT:** FAST < MID < SLOW < XSLOW (all in a downward sequence).
- The combined confidence score must exceed the threshold value.
**INTERPRETING SIGNALS**
**LONG Signal (Green Up Triangle)**
- All MAs have shifted into a bullish formation.
- Indicates the beginning of a strong uptrend.
- Label: Shows the MAs used and the confidence score.
**SHORT Signal (Red Down Triangle)**
- All MAs have shifted into a bearish formation.
- Indicates the beginning of a strong downtrend.
- Label: Shows the MAs used and the confidence score.
**INFO PANEL EXPLANATIONS**
- **FAST:** The fastest-reacting MA (5-10 periods).
- **MID:** Medium-speed MA (13-17 periods).
- **SLOW:** Slow MA (25-34 periods).
- **XSLOW:** The slowest MA (50-70 periods).
- **Combined Confidence:** The average success score of the 4 levels.
- **Fast Score:** The success rate of the FAST level.
- **XSlow Score:** The success rate of the XSLOW level.
- **Trend:** The current market condition (STRONG UP/DOWN/MIXED).
**ADVANCED MA TYPES**
**FRAMA (Fractal Adaptive Moving Average)**
- An adaptive average based on fractal geometry.
- Automatically adjusts its speed based on market volatility.
- Behaves differently in trending and consolidation periods.
**KAMA (Kaufman Adaptive Moving Average)**
- Uses the Efficiency Ratio (ER).
- Reacts quickly in strong trends and slowly in sideways markets.
- Filters out noise.
**ALMA (Arnaud Legoux Moving Average)**
- Uses Gaussian distribution weighting.
- Has very low lag.
- Smooth and responsive.
**SMMA (Smoothed Moving Average)**
- Another name for RMA.
- Very smooth, lagging.
- Ideal for long-term trends.
**VIDYA (Variable Index Dynamic Average)**
- Based on the Chande Momentum Oscillator (CMO).
- Fast when momentum is high, slow when it is low.
- Adapts to volatility.
**USAGE TIPS**
1. **First Use**
- Add the indicator to your chart.
- Wait for the learning period to complete (250+ bars).
- Signals will start to appear automatically.
2. **Different Timeframes**
- Short-term trading: 5-15 minute charts.
- Mid-term trading: 1-4 hour charts.
- Long-term trading: Daily charts.
3. **Parameter Optimization**
- High-volatility markets: Increase the confidence threshold (0.80+).
- Low-volatility markets: Decrease the confidence threshold (0.70).
- For more signals: Lower the minimum signals (5-7).
4. **Combination with Other Indicators**
- Confirm overbought/oversold conditions with RSI.
- Confirm strength with volume indicators.
- Confirm position with support/resistance levels.
5. **Risk Management**
- Not every signal means an automatic trade.
- Set your stop-loss levels.
- Manage your position size.
- A combined confidence score above 80 percent is more reliable.
**OPTIMIZATION DETAILS**
**Test Function**
- Resolves the TradingView runtime error by converting repetitive code blocks into functions.
- Each MA is tested separately.
- Calculates the success rate by looking 10 bars ahead.
**Performance Tracking**
- Successful predictions: `price_correct` variable.
- Failed predictions: Cases that are not successful.
- Dynamic scoring: `(0.5 * 0.3) + (success_rate * 0.7)`
**WARNINGS**
- Past performance is not a guarantee of future results.
- Do not follow all signals blindly.
- Market conditions can change.
- Trade on a demo account before trading with real money.
- Know your own risk tolerance.
This indicator uses machine learning principles to automatically find the best moving average combinations. It is suitable for both beginners and experienced traders. However, it should always be used in conjunction with your own analysis, and risk management should not be neglected.
MA strategyBuy / sell on MA cross. Use ATR or Swing for stop
Option for moving stop after second SwL / SwH
Knock yourself out modifying.
MA 44 moving averages.
There is nothing more to it, but I have to write this otherwise TV wont let me publish.
Square Lines Around customized font_RAMLAKSHMANDASSquare Lines Around customized font_RAMLAKSHMANDAS
This indicator draws dynamic horizontal lines at all integer squares around the square root of the current close price, helping traders visualize price levels with mathematical significance. Each line is labeled, and the level font size can be customized interactively through a simple “Text Size (1-5)” input, making it easy to adapt for different chart sizes or visibility needs.
Features:
Plots horizontal lines at every perfect square (i.e.,
i
2
i
2
) near the rounded square root of close price.
Displays level values as labels, with user-adjustable font size (select 1 to 5, mapped to tiny up to huge).
All lines and labels (levels) are automatically updated with each new candle.
User controls for line color, line width, level range, and label font size.
Fully compatible with all TradingView intervals and symbols.
Usage:
Helps spot mathematically relevant support/resistance zones for custom strategies.
Useful for visual traders, quant experimenters, and anyone interested in market geometry.
Best suited for intraday, positional or backtest analysis where precise price levels matter.
Customizations:
Range +/- around square root (choose how many lines you want).
Line color and thickness for clarity.
Select label font size: 1 (tiny), 2 (small), 3 (normal), 4 (large), 5 (huge).
How to use:
Add to your chart, tweak settings in the input panel, and see instant updates.
Labels are sized to your preference for maximum visibility.
CandelaCharts - Oscillator Concepts 📝 Overview
Oscillator Concepts shows a single, easy‑to‑read line on a scale from −1 to +1 . Near 0 means balance; beyond +1 or −1 means the move is stretched. You can add helpful layers like trend stripes, participation shading, volatility markers, calendar dividers, divergence tags, and simple signal markers. Pick a trading profile (Scalping / Day Trade / Swing / Investment) and the lengths update for you.
📦 Features
A quick tour of the visual layers you can enable. Use this to decide which parts to turn on for reading momentum, extremes, trend bias, participation, and volatility at a glance.
The Line (−1…+1) : A clean momentum read with an optional EMA smooth and clear 0 / ±1 guides.
OS/OB Visualization : Soft gradient fills when price action pushes outside ±1; optional background shading for quick scanning.
Trend Radar : Thin stripes just outside the band that show up‑ or down‑bias using a fast‑vs‑slow EMA spread with anti‑flicker logic.
Participation : Shading that reflects who’s pushing — by MFI, classic up/down volume, delta volume, or a combo model that rewards agreement.
Velocity Pulse : Tiny symbols that only appear when volatility is elevated (outside a neutral 40–60 zone).
Fractal Map : Subtle dashed dividers at Daily / Weekly / Monthly / Yearly / 5‑Year boundaries (Auto picks a sensible cadence).
Divergences : Regular bullish/bearish tags at pivots, with an optional high‑probability filter.
Unified Signals : One common vertical level for triangles (OS/OB re‑entries) and divergence icons so your eye doesn’t hunt.
Profiles : Four presets tune all lookbacks together so the tool stays consistent across timeframes.
Themes : Multiple palettes or fully custom bear/mid/bull colors.
Alerts : Ready for “Any alert() function call” with OS/OB and Divergence options.
⚙️ Settings
Every adjustable input in plain English. Set your profile, show or hide reference levels, pick a theme, and toggle components so the visuals match your style and timeframe.
Trading Profile : Scalping / Day Trade / Swing / Investment — automatically adjusts core lengths.
−1…+1 Levels : Show reference lines at ±1.
Smoothing & Length : EMA smoothing for The Line.
OS/OB Zones & Show Fill : Optional background shade plus gentle gradient fills beyond ±1.
Theme : Presets (Default, Blue–Orange, Green–Red, Teal–Fuchsia, Aqua–Purple, Black–Green, Black–White) or Custom .
Divergences : Turn on detection at pivot highs/lows. Length sets left/right bars. HP filter asks that at least one oscillator anchor sits outside ±1.
Participation : Choose MFI , Volume , Delta Volume , or MFI + Vol + Delta . Set the window; optionally smooth it.
Trend Radar : Up or down stripes just beyond ±1 based on a fast/slow EMA spread. Tune Fast and Slow .
Velocity Pulse : Symbols appear only when volatility exits the 40–60 zone; use Fast / Slow to adjust sensitivity.
Fractal Map : Vertical dividers at time boundaries. Auto selects per timeframe, or pick Daily / Weekly / Monthly / Yearly / 5 Years .
Signals : Show All , only OS/OB , or only Divergence markers (shared height for quick scanning).
Alerts - OS/OB Conditions : Fire when The Line enters extremes (crosses above +1 or below −1).
Alerts - OS/OB Signals : Fire when The Line re‑enters the band (comes back inside from > +1 or < −1).
Alerts - Divergence Conditions : Raw regular divergences right when the pivot forms (no HP filter).
Alerts - Divergence Signals : Confirmed regular divergences that pass the HP filter.
⚡️ Showcase
A visual gallery of the indicator's components. Each image highlights one layer at a time—The Line, OS/OB fills, Trend Radar, Participation, Velocity Pulse, Fractal Map, Divergences, and Signals—so you can quickly recognize how each looks on a live chart.
The Line
Participation
Trend Radar
Velocity Pulse
Fractal Map
Divergences
Signals
Overbought/Oversold
📒 Usage
Hands‑on guidance for reading the line, thresholds, and add‑ons in live markets. Learn when to favor continuation vs. mean‑reversion, how to weigh participation and volatility, and where to set invalidation and targets.
Scale : 0 = balance. ±1 = adaptive extremes. A push beyond ±1 isn’t an automatic fade — check trend stripes, participation, and volatility.
Trend vs Mean‑Revert : With bull stripes, favor pullback buys on OS re‑entries; with bear stripes, favor fades on OB re‑entries.
Participation : Strong positive shading supports continuation; weak/negative during new highs is a caution flag.
Volatility Pulse : Symbols only appear when energy is high. In trends they often mark expansion; counter‑trend they can precede snap‑backs.
Divergences : Raw is early; HP is selective. Treat HP as higher‑quality context, not a stand‑alone signal.
Risk : Use nearby structure (swing points, session highs/lows, or a fractal divider) for invalidation. Scale targets around 0 / ±1 and current vol.
Profiles : If entries feel late/early, try a different profile before hand‑tuning every length.
🚨 Alerts
What you can be notified about and how to turn it on. Covers entering extremes, re‑entries from extremes, and divergence detections, with a recommended schedule (once per bar close).
OS/OB Condition — Entered Overbought → when The Line moves up through +1.
OS/OB Condition — Entered Oversold → when The Line moves down through −1.
OS/OB Signal — Re‑Entry from Overbought/Oversold → when The Line comes back inside from an extreme.
Divergence Condition — Bullish/Bearish (raw) → printed as soon as a regular divergence is detected.
Divergence Signal — Bullish/Bearish (confirmed) → only fires when the high‑probability filter passes.
⚠️ 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.
Emperor Moving Averages📘 Description: Emperor Moving Averages — Smart Trend Strength System
Emperor Moving Averages (EMA) is a next-generation trend tracking and confirmation system designed for traders who demand clarity, structure, and actionable precision.
It goes beyond traditional moving averages — combining multi-length dynamic trend analysis, color-coded slope momentum, trend strength visualization via table, and smart crossover alerts.
This indicator is ideal for scalpers, swing traders, and position traders who want to stay aligned with the dominant market momentum without cluttering the chart.
⚙️ Core Features
🧠 1. Dynamic Multi–Moving Average System
Plot up to 8 customizable MAs (EMA, SMA, WMA, or HMA).
Each line dynamically reflects short to long-term trend behavior — perfect for spotting confluence zones and directional bias.
🎨 2. Auto Slope Coloring
Each moving average is automatically colored based on slope direction:
🟢 Bullish (Up Slope) — Trend gaining strength upward
🔴 Bearish (Down Slope) — Trend losing strength or reversing
The slope logic helps identify momentum shifts far earlier than crossover-based signals.
🌫️ 3. Clean Chart Toggle
Toggle all MA lines ON/OFF instantly using
“Show Moving Average Lines?”
for a clutter-free chart — view only the Trend Strength Table when you want a quick macro snapshot.
📊 4. Trend Strength Table
The heart of the indicator — the Trend Strength Table displays every MA’s direction in real-time.
It instantly tells you:
Which MAs are bullish or bearish
How many are aligned in one direction
Whether the overall bias is strengthening or weakening
You can move this table anywhere on your chart — including:
Top / Middle / Bottom + Left / Center / Right positions
This makes it ultra-flexible for any chart layout or resolution.
🔔 5. Intelligent Cross Alerts
Built-in alerts notify you whenever a faster MA crosses over or under a slower MA.
Crossover Up: Fast MA breaks above slow MA → Bullish signal
Crossunder Down: Fast MA breaks below slow MA → Bearish signal
You can adjust the cross sensitivity for tighter or wider detection.
📈 How to Use
Choose your MA type (EMA / SMA / WMA / HMA).
Set the number of MAs (up to 8) and their lengths.
Turn “Show Moving Average Lines” on or off based on preference.
Use the Trend Table to instantly gauge trend strength alignment across all MAs.
Turn on Cross Alerts to get notified on key trend shifts.
🧩 Recommended Setups
Short-term traders (Scalping):
Use smaller MA lengths (e.g., 9, 21, 34) to capture micro-trends.
Swing traders:
Combine 20, 50, 100, 200 to analyze structure shifts and retracements.
Institutional confluence:
Use all 8 MAs together for high-confidence directional bias.
⚡ Advantages
✅ Trend visualization made intuitive
✅ No lagging repainting elements
✅ Adjustable table positioning
✅ Lightweight performance
✅ Perfect companion to price action strategies
💬 Alerts
MA Crossover Up: Fast MA > Slow MA
MA Crossover Down: Fast MA < Slow MA
Use these alerts for automated trend confirmation and entry management.
👑 Final Words
Emperor Moving Averages isn’t just another MA indicator —
it’s a visual intelligence tool that helps traders see market structure clearly, without noise.
Built for clarity, precision, and professional-grade usability.
⚔️ Perfect Combination — Emperor RSI Candle + Emperor Moving Averages
🔸 Emperor RSI Candle
Detects internal candle momentum and RSI power zones
Identifies early exhaustion or entry zones
Great for timing precise entries and exits
🔹 Emperor Moving Averages
Confirms directional trend and slope strength
Validates macro structure and overall momentum direction
Great for staying aligned with the dominant trend flow
✅ Together they create a complete Emperor Trend System:
Use RSI Candle for entry timing and momentum confirmation.
Use Emperor MA Trend Table to confirm overall trend strength.
Enter trades when both align — for maximum accuracy and confidence.
📢 Credits
Developed by Live Trading Emperor — Creator of the Emperor Series for advanced market analysis.
Follow for more premium-grade, scalper-friendly, and MTF-enhanced tools.
Volumetric Spectrogram [by Oberlunar]Volumetric Spectrogram
A two-pole, price-relative volume profiler that turns regional buy/sell pressure into clean oscillators and actionable regimes in a multi-broker setup.
What it measures
The indicator divides the recent price span into bins and accumulates buy vs. sell volume in each bin, then summarises two regions with respect to the current price:
Upper (↑) — volume that traded above the current price (overhead supply/demand).
Lower (↓) — volume that traded below the current price (underfoot bid/pressure).
Per region, it computes BUY% and SELL%, then forms two normalised oscillators in :
Upper Osc = Upper(BUY%) − Upper(SELL%) → positive when overhead offers are being lifted (breakout acceptance), negative when overhead sell pressure dominates (resistance).
Lower Osc = Lower(BUY%) − Lower(SELL%) → positive when sub-price bids strengthen (support/absorption), negative when selling persists beneath price (weak underbelly).
Both oscillators are optionally smoothed with EMA and can be filled to zero or between curves for quick polarity/strength reading.
Candle-fill modes across brokers
The indicator supports multiple candle-fill policies tied to cross-broker volumetric agreement (e.g., spectral/range-only fills when ≥N brokers align above 70% bullish or below 20% bearish Buy%). This makes regime and pressure shifts visually explicit while filtering out unconfirmed noise.
How it works (core algorithm)
Over a lookback window, find the high/low and split the range into N bins .
For each historical bar, approximate “buy” vs “sell” volume using candle direction and the close relative to each bin’s midprice; update left/right profiles per bin.
Aggregate bins above the current price into the Upper region and bins below into the Lower region; compute regional totals and percentages.
Convert to signed oscillators and smooth (EMA length per input).
Scenario engine (table, every bar)
A compact table reports, for Upper/Lower: BUY Vol, SELL Vol, BUY%, SELL%, and Net%. A classifier labels 8 regimes based on oscillator sign and recent expansion/decay: Sync Long/Short (Expanding/Decaying), Opposite Signs (Widening/Converging), and Tilts (Upper/Lower). This helps distinguish trend continuation, fade risk, compression before break, and asymmetric pressure (e.g., “Tilt Lower — bid/support strengthening”).
# Example strategies and annotated cases:
There are different operational strategies:
1) Bottle-neck Strategy with multi-broker confirmation
When both oscillators are red and they compress toward the zero line (a bottle-neck [/i>), if the squeeze does not flip into the opposite trend but instead resolves in the same direction, you have a continuation setup that can be exploited:
• Pattern: both oscillators red → short, visible contraction (narrow, low-variance cluster) → break of the cluster lows → background shadow bars align bearish (multi-broker agreement).
Example:
This sequence often supports a 1.5–2.5 R/R trade, as in:
Bullish mirror
If both oscillators are teal and compress, then expand upward with multi-broker agreement, the scenario becomes bullish after several bars; the position can be profitable with a reasonable risk setup:
Example:
Follow-through:
Here are the additional, English “playbook” examples you can append to the previous description.
2) Dual-confirmation on volume spikes + multi-broker checks
When pronounced volumetric spikes appear (up or down), trend often reverses sharply. In the figure, the circles highlight the spikes; once the spike subsides (reversion toward baseline), the oscillator turns bullish. The double confirmation of two consecutive minimum spikes acts as support for an ensuing up-move, with fill colors confirming direction.
Chart:
Even with a single spike confirmation, the reversion from an extreme often provides actionable long setups.
3) Volume-pressure + regime-change (multi-broker)
A prospective long configuration emerges when bullish volumetric pressure dominates and bearish pressure fades, especially if this occurs after a lateral phase, followed by a bullish volume spike and multi-broker confirmation .
Chart:
Shadow bars subsequently confirm continuation in a bullish regime; however, a possible regime change is flagged by the scenario classifier and by a color flip in the volumetric borders ( “Possible regime change, but without multi-broker confirmation.” is an appropriate label when applicable).
Chart:
After a verified mean-reversion, price transitions into a bearish configuration: both oscillators turn red. One can wait for a pullback and seek short entries.
Chart:
As shown here, the regime change is anticipated well in advance by the oscillators and multi-broker pressure:
Chart:
4) Contrastive regime-shift with multi-broker validation
In a contrastive trading phase, the lower volumetric oscillator flips color first—buyers start attacking. The first set of background shadow bars does not agree with the regime flip; the second set does. This sequence (oscillator flip → later multi-broker agreement) is a robust early sign of a potential long setup.
Chart:
At the multi-broker level, all shadow bars turn fully green and the setup becomes unambiguously bullish.
Chart:
Note that bearish pressure can still be non-trivial on the volumetric scale—even if it does not reach prior extreme minima—so risk controls should reflect the residual supply.
Delta-bar coloring (optional)
Bars (or candle overlays) can be tinted by a multi-venue weighted bias:
Choose venues (OKX, Coinbase, Bybit, Binance, BlackBull…).
Weight by Equal / Last Volume / SMA Volume.
Apply deadband to suppress flicker around neutrality and a gamma curve to modulate opacity with |bias|.
This layer is independent of the spectrogram core but provides immediate market-wide flow context, consistent with the table and fills.
Inputs (essentials)
Calculation Period and Bins — resolution and depth of the price-range histogram.
EMA length — smoothing per oscillator (optional)
Fill options — to zero / between curves, gradual opacity by |osc|, min/max alpha.
Delta Bar — enable tinting, gamma, neutral band; venue list and weighting mode.
Reading guide
Upper > 0 & expanding : overhead supply is being lifted → breakout acceptance risk rises.
Lower > 0 & expanding : sub-price bids strengthen → pullbacks more likely to absorb.
Opposite signs widening : tug-of-war; avoid late entries.
Converging : compression → prepare for break.
Use the table’s regime label to keep the narrative honest bar-by-bar.
Notes & limits
Buy/Sell attribution uses candle direction and range partitioning (no L2/tick tape).
Venue aggregation relies on per-exchange volume and your chosen weighting; symbols must align (e.g., BTCUSDT pairs).
Oscillators are relative to the current price (regional) by design; they complement, not replace, classical volume profile.
— Oberlunar 👁 ★
🔥 Ultimate Crypto Intraday ProTo get the indicator, write to Telegram: @ASTRO_rou
This indicator helps you trade, finds market structures and important chart elements.
Krist1aqq - Premium Signal SystemTo get the indicator, write to Telegram: @ASTRO_rou
This indicator gives signals to long or short, and also has custom notifications in telegram via a webhook, you will know the information at the entrance, when taking takes, as well as when closing a position. The indicator is suitable for a 15min - 4h timeframe.
AnkeAlgo A68 strategy™ || AnkeAlgo®[16.6]## ✅ Multi-Timeframe Trend Strategy Based on MFI and Momentum Factors
### 📌 Overview
This strategy combines **Money Flow Index (MFI)** and **Momentum** to identify trend continuation and momentum reversal opportunities in the crypto market. It focuses on volume-weighted capital flow and price strength, generating trend-biased signals suitable for swing and intraday traders.
---
### 📊 Technical Indicators Used
| Indicator | Purpose |
|-----------|---------|
| **MFI (Money Flow Index)** | Detects capital inflow/outflow and filters range-bound markets |
| **Momentum Indicator** | Measures price acceleration and confirms breakout strength |
| **Optional: ATR / EMA Filters** | Can be added for volatility stop or trend validation |
---
### ⚙️ Core Logic
- **Trend Confirmation**: MFI exceeds threshold and aligns with price direction
- **Momentum Entry Trigger**: Trades are executed only when momentum crosses a signal level
- **Noise Filter**: Avoids entries when MFI divergence or momentum weakness is detected
- **Position Management**: Supports ATR-based or percentage-based stop-loss systems
---
### 🪙 Market and Asset
✅ Designed for crypto derivatives
**Recommended symbol:** `ETHUSDT.P` (Perpetual Futures)
---
### ⏱️ Recommended Timeframes
- 30-minute
- 45-minute
- 1-hour
> The **45m timeframe** shows the most stable performance in forward testing.
---
### 📈 Strategy Features
- Performs best during trending and high-momentum phases
- Low overfitting risk, adaptable across different volatility environments
- Can be used as a signal engine for grid, martingale, or multi-asset systems
- Easily extendable to BTC, SOL, BNB, and other high-liquidity assets
---
### ⚠️ Risk Disclaimer
- This is **not** a mean-reversion strategy and may produce false signals in sideways markets
- Stop-loss management and position sizing are required for live deployment
- Backtest results do not guarantee live trading performance due to slippage and trading fees
---
Krist1aqq | Market Structure AnalysisTo get the indicator, write to Telegram: @ASTRO_rou
This indicator helps you trade, finds market structures and important chart elements.
AMTD-GME Correlation Detector📈 AMTD-GME Clean Correlation Detector
This indicator tracks extraordinary price movements in AMTD Digital (HKD) and analyzes their correlation with GME price action. Research has shown these stocks often move together during significant market events, with GME sometimes following AMTD with a 1-3 bar delay.
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
The indicator fetches AMTD data. It calculates multiple pump detection signals:
- Price Spike Detection: Triggers when price increases exceed threshold (default 10%)
- Volume Surge: Activates when volume exceeds average by multiplier (default 3x)
- Bollinger Band Breakout: Detects statistical anomalies with volume confirmation
- Momentum Surge: Combines RSI >70 with positive MACD
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
VISUAL ELEMENTS EXPLAINED:
🔴 Main Line (Simple Mode):
- Red = Extreme pump (score >75)
- Orange = Moderate pump (score 50-75)
- Yellow = Weak pump (score 25-50)
- Gray = Normal conditions
📊 Orange Bars: Volume ratio multiplied by 10 for visibility. Shows when volume is unusually high.
🔵 Correlation Line (Correlation Mode):
- Shows real-time correlation coefficient (0-100%)
- Green >70% = Strong correlation
- Blue 40-70% = Moderate correlation
- Gray <40% = Weak/no correlation
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
TABLE INDICATORS:
Status Emojis:
🚀 SYNC! = Both pumping simultaneously
⏰ DELAYED = GME following AMTD pattern
⚠️ DIVERGE = Stocks moving opposite directions
📊 NORMAL = No significant pattern
Metrics Shown:
- AMTD/GME % = Current bar price change
- Corr = 30-bar correlation coefficient
- Lag = Detected delay between AMTD and GME moves
- Score = Combined pump strength (0-100)
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
LAG DETECTION:
The indicator analyzes if GME follows AMTD with a delay by checking correlations at different time offsets. When "Lag: 2 bars" appears, it means GME typically follows AMTD movements after 2 bars. This is crucial for timing entries.
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
SCORING SYSTEM:
Each stock gets 0-25 points for:
- Price spike detected (+25)
- Volume surge detected (+25)
- BB breakout detected (+25)
- Momentum confirmed (+25)
Combined Score = (AMTD + GME scores)/2 + correlation bonus
- Correlation >70% adds +20 bonus
- Correlation >50% adds +10 bonus
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
ALERTS:
1. Synchronized Pump - Both stocks pumping together
2. Delayed Pump - GME following AMTD after typical lag
3. Divergence - Correlation breaking down
4. AMTD Leading - AMTD pumping, GME hasn't yet (watch for entry)
5. Extreme Score - Combined score >80 (major event)
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
BEST PRACTICES:
1. Use on 1-5 minute charts for pump detection
2. Watch for AMTD pumps when correlation >70%
3. If lag detected, wait X bars after AMTD pump for GME entry
4. Divergence warnings suggest correlation breakdown
5. Volume sync (both orange bars) = highest confidence
━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━
SETTINGS TO ADJUST:
- Price Threshold: Lower for more sensitive detection
- Volume Multiplier: Lower to catch smaller volume spikes
- Correlation Period: Higher for longer-term correlation
- View Mode: Switch between Simple/Correlation/Advanced
Default settings optimized for intraday pump detection.
Krist1aqq | 15-45min+To get the indicator, write to Telegram: @ASTRO_rou
This indicator gives signals to long or short, and also has custom notifications in telegram via a webhook, you will know the information at the entrance, when taking takes, as well as when closing a position. The indicator is suitable for a 15min - 4h timeframe.
Sus Stocks External Pump DetectorLets just say you pull up the GME daily chart and put this on.
And compare the price movements of the GME against the big pumps from this indicator ...
For right now uses HKD (AMTD digital).






















