Valley Range SystemUsing RSI
I use a system that helps judge momentum based on price action and rsi
based on plots
cyan is bull
yellow is bear
cross over technique is used
when 3 lines cross over or under, and you get two confirmed momentum signals in a row thats a confirmed entry long or short
to close you want two or three momentum signals opposing your trade
to flip trade all 3 lines must cross and the 2 flash momentum check is given
bullish and bearish divergence also work so use them to aid the strength of the move.
@satoshiiheavy
market analyst for www.cryptocurrentlyvip.com
Cerca negli script per "momentum"
Silk Indicator (H4 & D1) : VWMA Flow vs EMA // BB vs Dev. St.RSIPictured as a Momentum Indicator, it shines best on the H4 and the D1.
A combination of VWMA, EMA's, BB, Stochastic RSI, the Kijun (Doubled Ichimoku Cloud), William's Fractals ('.') and too many Standard Deviations.
Simple Strategy:
Center Blue: Long
Center Red: Short
The center of the BB can help understand the market's momentum and its strength.
Please be advised, this indicator will only be free for a limited time.
Silk Indicator (H4 & D1) : VWMA Flow vs EMA // BB vs Dev. St.RSIPictured as a Momentum Indicator, it shines best on the H4 and the D1.
A combination of VWMA, EMA's, BB, Stochastic RSI, the Kijun (Doubled Ichimoku Cloud), William's Fractals ('.') and too many Standard Deviations.
Simple Strategy:
Center Blue: Long
Center Red: Short
The center of the BB can help understand the market's momentum and its strength.
Please be advised, this indicator will only be free for a limited time.
TRIX Histogram R1-12 by JustUncleLCreated by request.
Description:
This study is an implementation of the Standard TRIX indicator (a momentum oscillator), shown in coloured histogram format by default, with optional Bar colouring of TRIX zero cross overs. Other options include showing TRIX as a line graph instead of histogram and an optional TRIX signal line with difference histogram (to highlight signal line crosses).
References:
forex-indicators.net
"TRIX MA" by munkeefonix
RSI with HMA & Momentum ZonesRSI with HMA & Momentum Zones — Indicator Description
This indicator combines Relative Strength Index (RSI) analysis with Hull Moving Averages (HMA) and Momentum Zone detection to provide a multi-layered view of market strength, trend shifts, and divergence signals.
It includes:
Main Features:
RSI Core:
Standard RSI calculated from a customizable source (close, open, etc.) with adjustable length.
A dynamic RSI Signal Line is plotted with selectable smoothing types (SMA, EMA, SMMA, WMA, VWMA) to enhance trend-following signals.
RSI crossovers of its signal line change color (green for bullish crossovers, red for bearish crossunders).
Hull Moving Averages (HMA):
Two HMA lines are plotted based on the RSI:
Short HMA (fast) and Long HMA (slow).
Color shifts indicate crossovers between RSI and Short HMA (short-term trend change) and Short HMA vs Long HMA (longer-term trend shifts).
Momentum Zones:
When the gap between the RSI and the Long HMA exceeds a user-defined threshold:
A green background highlights strong bullish momentum.
A red background highlights strong bearish momentum.
Helps visualize when momentum becomes extended.
Divergence Detection (Optional):
Regular and hidden bullish and bearish divergences are automatically detected between price and RSI.
Divergences are plotted on the RSI pane with labels ("Bull", "H Bull", "Bear", "H Bear").
Adjustable lookback settings for fine-tuning sensitivity.
Alerts are available for all divergence events.
Visual Enhancements:
A shaded cloud fills between RSI and its signal line, green for bullish bias and red for bearish bias.
Horizontal bands at 70, 50, and 30 levels to mark traditional RSI zones (overbought, neutral, oversold).
Customization Options:
All major components — RSI settings, Signal Line type, HMA lengths, Momentum Zone threshold, and Divergence controls — are fully adjustable.
Stochastic Order Flow Momentum [ScorsoneEnterprises]This indicator implements a stochastic model of order flow using the Ornstein-Uhlenbeck (OU) process, combined with a Kalman filter to smooth momentum signals. It is designed to capture the dynamic momentum of volume delta, representing the net buying or selling pressure per bar, and highlight potential shifts in market direction. The volume delta data is sourced from TradingView’s built-in functionality:
www.tradingview.com
For a deeper dive into stochastic processes like the Ornstein-Uhlenbeck model in financial contexts, see these research articles: arxiv.org and arxiv.org
The SOFM tool aims to reveal the momentum and acceleration of order flow, modeled as a mean-reverting stochastic process. In markets, order flow often oscillates around a baseline, with bursts of buying or selling pressure that eventually fade—similar to how physical systems return to equilibrium. The OU process captures this behavior, while the Kalman filter refines the signal by filtering noise. Parameters theta (mean reversion rate), mu (mean level), and sigma (volatility) are estimated by minimizing a squared-error objective function using gradient descent, ensuring adaptability to real-time market conditions.
How It Works
The script combines a stochastic model with signal processing. Here’s a breakdown of the key components, including the OU equation and supporting functions.
// Ornstein-Uhlenbeck model for volume delta
ou_model(params, v_t, lkb) =>
theta = clamp(array.get(params, 0), 0.01, 1.0)
mu = clamp(array.get(params, 1), -100.0, 100.0)
sigma = clamp(array.get(params, 2), 0.01, 100.0)
error = 0.0
v_pred = array.new(lkb, 0.0)
array.set(v_pred, 0, array.get(v_t, 0))
for i = 1 to lkb - 1
v_prev = array.get(v_pred, i - 1)
v_curr = array.get(v_t, i)
// Discretized OU: v_t = v_{t-1} + theta * (mu - v_{t-1}) + sigma * noise
v_next = v_prev + theta * (mu - v_prev)
array.set(v_pred, i, v_next)
v_curr_clean = na(v_curr) ? 0 : v_curr
v_pred_clean = na(v_next) ? 0 : v_next
error := error + math.pow(v_curr_clean - v_pred_clean, 2)
error
The ou_model function implements a discretized Ornstein-Uhlenbeck process:
v_t = v_{t-1} + theta (mu - v_{t-1})
The model predicts volume delta (v_t) based on its previous value, adjusted by the mean-reverting term theta (mu - v_{t-1}), with sigma representing the volatility of random shocks (approximated in the Kalman filter).
Parameters Explained
The parameters theta, mu, and sigma represent distinct aspects of order flow dynamics:
Theta:
Definition: The mean reversion rate, controlling how quickly volume delta returns to its mean (mu). Constrained between 0.01 and 1.0 (e.g., clamp(array.get(params, 0), 0.01, 1.0)).
Interpretation: A higher theta indicates faster reversion (short-lived momentum), while a lower theta suggests persistent trends. Initial value is 0.1 in init_params.
In the Code: In ou_model, theta scales the pull toward \mu, influencing the predicted v_t.
Mu:
Definition: The long-term mean of volume delta, representing the equilibrium level of net buying/selling pressure. Constrained between -100.0 and 100.0 (e.g., clamp(array.get(params, 1), -100.0, 100.0)).
Interpretation: A positive mu suggests a bullish bias, while a negative mu indicates bearish pressure. Initial value is 0.0 in init_params.
In the Code: In ou_model, mu is the target level that v_t reverts to over time.
Sigma:
Definition: The volatility of volume delta, capturing the magnitude of random fluctuations. Constrained between 0.01 and 100.0 (e.g., clamp(array.get(params, 2), 0.01, 100.0)).
Interpretation: A higher sigma reflects choppier, noisier order flow, while a lower sigma indicates smoother behavior. Initial value is 0.1 in init_params.
In the Code: In the Kalman filter, sigma contributes to the error term, adjusting the smoothing process.
Summary:
theta: Speed of mean reversion (how fast momentum fades).
mu: Baseline order flow level (bullish or bearish bias).
sigma: Noise level (variability in order flow).
Other Parts of the Script
Clamp
A utility function to constrain parameters, preventing extreme values that could destabilize the model.
ObjectiveFunc
Defines the objective function (sum of squared errors) to minimize during parameter optimization. It compares the OU model’s predicted volume delta to observed data, returning a float to be minimized.
How It Works: Calls ou_model to generate predictions, computes the squared error for each timestep, and sums it. Used in optimization to assess parameter fit.
FiniteDifferenceGradient
Calculates the gradient of the objective function using finite differences. Think of it as finding the "slope" of the error surface for each parameter. It nudges each parameter (theta, mu, sigma) by a small amount (epsilon) and measures the change in error, returning an array of gradients.
Minimize
Performs gradient descent to optimize parameters. It iteratively adjusts theta, mu, and sigma by stepping down the "hill" of the error surface, using the gradients from FiniteDifferenceGradient. Stops when the gradient norm falls below a tolerance (0.001) or after 20 iterations.
Kalman Filter
Smooths the OU-modeled volume delta to extract momentum. It uses the optimized theta, mu, and sigma to predict the next state, then corrects it with observed data via the Kalman gain. The result is a cleaner momentum signal.
Applied
After initializing parameters (theta = 0.1, mu = 0.0, sigma = 0.1), the script optimizes them using volume delta data over the lookback period. The optimized parameters feed into the Kalman filter, producing a smoothed momentum array. The average momentum and its rate of change (acceleration) are calculated, though only momentum is plotted by default.
A rising momentum suggests increasing buying or selling pressure, while a flattening or reversing momentum indicates fading activity. Acceleration (not plotted here) could highlight rapid shifts.
Tool Examples
The SOFM indicator provides a dynamic view of order flow momentum, useful for spotting directional shifts or consolidation.
Low Time Frame Example: On a 5-minute chart of SEED_ALEXDRAYM_SHORTINTEREST2:NQ , a rising momentum above zero with a lookback of 5 might signal building buying pressure, while a drop below zero suggests selling dominance. Crossings of the zero line can mark transitions, though the focus is on trend strength rather than frequent crossovers.
High Time Frame Example: On a daily chart of NYSE:VST , a sustained positive momentum could confirm a bullish trend, while a sharp decline might warn of exhaustion. The mean-reverting nature of the OU process helps filter out noise on longer scales. It doesn’t make the most sense to use this on a high timeframe with what our data is.
Choppy Markets: When momentum oscillates near zero, it signals indecision or low conviction, helping traders avoid whipsaws. Larger deviations from zero suggest stronger directional moves to act on, this is on $STT.
Inputs
Lookback: Users can set the lookback period (default 5) to adjust the sensitivity of the OU model and Kalman filter. Shorter lookbacks react faster but may be noisier; longer lookbacks smooth more but lag slightly.
The user can also specify the timeframe they want the volume delta from. There is a default way to lower and expand the time frame based on the one we are looking at, but users have the flexibility.
No indicator is 100% accurate, and SOFM is no exception. It’s an estimation tool, blending stochastic modeling with signal processing to provide a leading view of order flow momentum. Use it alongside price action, support/resistance, and your own discretion for best results. I encourage comments and constructive criticism.
RSI-Volume Momentum Signal ScoreRSI-Volume Momentum Signal Score
Description
The RSI-Volume Momentum Signal Score is a predictive technical indicator designed to identify bullish and bearish momentum shifts by combining volume-based momentum with the Relative Strength Index (RSI). It generates a Signal Score derived from:
• The divergence between short-term and long-term volume (Volume Oscillator), and
• RSI positioning relative to a user-defined threshold.
This hybrid approach helps traders detect early signs of price movement based on volume surges and overbought/oversold conditions.
The Signal Score is computed as follows:
Signal Score = Volume Momentum x RSI Divergence Factor
Volume Momentum = tanh ((Volume Oscillator value (vo) – Volume Threshold)/Scaling Factor)
RSI Divergence Factor = ((RSI Threshold – RSI Period)/Scaling Factor)
Or,
Signal Score = tanh((vo - voThreshold) / scalingFactor) * ((rsiThreshold - rsi) / scalingFactor)
The logic of this formula are as follows:
• If Volume Oscillator >= Volume Threshold and RSI <= RSI Threshold: Bullish Signal (+1 x Scaling Factor)
• If Volume Oscillator >= Volume Threshold and RSI >= (100 – RSI Threshold): Bearish Signal (-1 x Scaling Factor)
• Otherwise: Neutral (0)
The tanh function provides the normalization process. It ensures that the final signal score is bounded between -1 and 1, increases sensitivity to early changes in volume patterns based on RSI conditions, and prevent sudden jumps in signals ensuring smooth and continuous signal line.
Input Fields
The input fields allow users to customize the behavior of the indicator based on their trading strategy:
Short-Term Volume MA
- Default: `2`
- Description: The period for the short-term moving average of volume.
- Purpose: Captures short-term volume trends.
Long-Term Volume MA)
- Default: `10`
- Description: The period for the long-term moving average of volume.
- Purpose: Captures long-term volume trends for comparison with the short-term trend.
RSI Period)
- Default: `3`
- Description: The period for calculating the RSI.
- Purpose: Measures the relative strength of price movements over the specified period.
Volume Oscillator Threshold
- Default: `70`
- Description: The threshold for the Volume Oscillator to determine significant volume momentum.
- Purpose: Filters out weak volume signals.
RSI Threshold
- Default: `25`
- Description: The RSI level used to identify overbought or oversold conditions.
- Purpose: Helps detect potential reversals in price momentum.
Signal Scaling Factor
- Default: `10`
- Description: A multiplier for the signal score.
- Purpose: Adjusts the magnitude of the signal score for better visualization.
How To Use It for Trading:
Upcoming Bullish Signal: Signal line turns from Gray to Green or from Green to Gray
Upcoming Bearish Signal: Signal line turns from Gray to Red or from Red to Gray
Note: The price that corresponds to the transition of Signal line from Gray to Green or Red and vise versa is the signal price for upcoming bullish or bearish signal.
The signal score dynamically adjusts based on volume and RSI thresholds, making it adaptable to various market conditions, and this is what makes the indicator unique from other traditional indicators.
Unique Features
Unlike traditional indicators, this indicator combines two different dimensions—volume trends and RSI divergence—for more comprehensive signal generation. The use of tanh() to scale and smooth the signal is a mathematically elegant way to manage signal noise and highlight genuine trends. Traders can tune the scaling factor and thresholds to adapt the indicator for scalping, swing trading, or longer-term investing.
TMO (True Momentum Oscillator)TMO ((T)rue (M)omentum (O)scilator)
Created by Mobius V01.05.2018 TOS Convert to TV using Claude 3.7 and ChatGPT 03 Mini :
TMO calculates momentum using the delta of price. Giving a much better picture of trend, tend reversals and divergence than momentum oscillators using price.
True Momentum Oscillator (TMO)
The True Momentum Oscillator (TMO) is a momentum-based technical indicator designed to identify trend direction, trend strength, and potential reversal points in the market. It's particularly useful for spotting overbought and oversold conditions, aiding traders in timing their entries and exits.
How it Works:
The TMO calculates market momentum by analyzing recent price action:
Momentum Calculation:
For a user-defined length (e.g., 14 bars), TMO compares the current closing price to past open prices. It assigns:
+1 if the current close is greater than the open price of the past bar (indicating bullish momentum).
-1 if it's less (indicating bearish momentum).
0 if there's no change.
The sum of these scores gives a raw momentum measure.
EMA Smoothing:
To reduce noise and false signals, this raw momentum is smoothed using Exponential Moving Averages (EMAs):
First, the raw data is smoothed by an EMA over a short calculation period (default: 5).
Then, it undergoes additional smoothing through another EMA (default: 3 bars), creating the primary "Main" line of the indicator.
Lastly, a "Signal" line is derived by applying another EMA (also default: 3 bars) to the main line, adding further refinement.
Trend Identification:
The indicator plots two lines:
Main Line: Indicates current momentum strength and direction.
Signal Line: Acts as a reference line, similar to a moving average crossover system.
When the Main line crosses above the Signal line, it suggests strengthening bullish momentum. Conversely, when the Main line crosses below the Signal line, it indicates increasing bearish momentum.
Overbought/Oversold Levels:
The indicator identifies key levels based on the chosen length parameter:
Overbought zone (positive threshold): Suggests the market might be overheated, and a potential bearish reversal or pullback could occur.
Oversold zone (negative threshold): Suggests the market might be excessively bearish, signaling a potential bullish reversal.
Clouds visually mark these overbought/oversold areas, making it easy to see potential reversal zones.
Trading Applications:
Trend-following: Traders can enter positions based on crossovers of the Main and Signal lines.
Reversals: The overbought and oversold areas highlight high-probability reversal points.
Momentum confirmation: Use TMO to confirm price action or other technical signals, improving trade accuracy and timing.
The True Momentum Oscillator provides clarity in identifying momentum shifts, making it a valuable addition to various trading strategies.
Uptrick: Universal Market ValuationIntroduction
Uptrick: Universal Market Valuation is created for traders who seek an analytical tool that brings together multiple signals in one place. Whether you focus on intraday scalping or long-term portfolio management, the indicator merges various well-known technical indicators to help gauge potential overvaluation, undervaluation, and trend direction. It is engineered to highlight different market dimensions, from immediate price momentum to extended cyclical trends.
Overview
The indicator categorizes market conditions into short-term, long-term, or a classic Z-Score style reading. Additionally, it draws on a unified trend line for directional bias. By fusing elements from traditionally separate indicators, the indicator aims to reduce “false positives” while giving a multidimensional view of price behavior. The indicator works best on cryptocurrency markets while remaining a universal valuation indicator that performs well across all timeframes. However, on lower timeframes, the Long-Term Combo input may be too long-term, so it's recommended to select the Short-Term Combo in the inputs for better adaptability.
Originality and Value
The Uptrick: Universal Market Valuation indicator is not just a simple combination of existing technical indicators—it introduces a multi-layered, adaptive valuation model that enhances signal clarity, reduces false positives, and provides traders with a more refined assessment of market conditions.
Rather than treating each included indicator as an independent signal, this script normalizes and synthesizes multiple indicators into a unified composite score, ensuring that short-term and long-term momentum, mean reversion, and trend strength are all dynamically weighted based on market behavior. It employs a proprietary weighting system that adjusts how each component contributes to the final valuation output. Instead of static threshold-based signals, the indicator integrates adaptive filtering mechanisms that account for volatility fluctuations, drawdowns, and momentum shifts, ensuring more reliable overbought/oversold readings.
Additionally, the script applies Z-Score-based deviation modeling, which refines price valuation by filtering out extreme readings that are statistically insignificant. This enhances the detection of true overvaluation and undervaluation points by comparing price behavior against a dynamically calculated standard deviation threshold rather than relying solely on traditional fixed oscillator bands. The MVRV-inspired ratio provides a unique valuation layer by incorporating historical fair-value estimations, offering deeper insight into market overextension.
The Universal Trend Line within the indicator is designed to smooth trend direction while maintaining responsiveness to market shifts. Unlike conventional trend indicators that may lag significantly or produce excessive false signals, this trend-following mechanism dynamically adjusts to changing price structures, helping traders confirm directional bias with reduced noise. This approach enables clearer trend recognition and assists in distinguishing between short-lived pullbacks and sustained market movements.
By merging momentum oscillators, trend strength indicators, volume-driven metrics, statistical deviation models, and long-term valuation principles into a single framework, this indicator eliminates the need for juggling multiple individual indicators, helping traders achieve a holistic market perspective while maintaining customization flexibility. The combination of real-time alerts, dynamic color-based valuation visualization, and customizable trend-following modes further enhances usability, making it a comprehensive tool for traders across different timeframes and asset classes.
Inputs and Features
• Calculation Window (Short-Term and Long-Term)
Defines how much historical data the indicator uses to evaluate the market. A smaller window makes the indicator more reactive, benefiting high-frequency traders. A larger window provides a steadier perspective for longer-term holders.
• Smoothing Period (Short-Term and Long-Term)
Controls how much the raw indicator outputs are “smoothed out.” Lower values reveal subtle intraday fluctuations, while higher values aim to present more robust, stable signals.
• Valuation Mechanism (Short Term Combo, Long Term Combo, Classic Z-Score)
Allows you to pick how the indicator evaluates overvaluation or undervaluation. Short Term Combo focuses on rapid oscillations, Long Term Combo assesses market health over more extended periods, and the Classic Z-Score approach highlights statistically unusual price levels.
Short-Term
• Determination Mechanism (Strict or Loose)
Governs the tolerance for labeling a market as overvalued or undervalued. Strict requires stronger confirmation; Loose begins labeling sooner, potentially catching moves earlier but risking more false signals.
Strict
Loose
• Select Color Scheme
Lets you choose the aesthetic style for your charts. Visual clarity can significantly improve reaction time, especially when multiple indicators are combined.
• Z-Score Coloring Mode (Heat or Slope)
Determines how the Classic Z-Score line and bars are colored. In Heat mode, the indicator intensifies color as readings move further from a baseline average. Slope mode changes color based on the direction of movement, making turning points more evident.
Classic Z-Score - Heat
Classic Z-Score - Slope
• Trend Following Mode (Short, Long, Extra Long, Filtered Long)
Offers various ways to compute and smooth the universal trend line. Short is more sensitive, Long and Extra Long are meant for extended time horizons, and Filtered Long applies an extra smoothing layer to help you see overarching trends rather than smaller fluctuations.
Short Term
Long Term
Extra Long Term
Filtered Long Term
• Table Display
An optional feature that places a concise summary table on the chart. It shows valuation states, trend direction, volatility condition, and other metrics, letting you observe multi-angle readings at a glance.
• Alerts
Multiple alert triggers can be set up—for crossing into overvaluation zones, for abrupt changes in trend, or for high volatility detection. Traders can stay informed without needing to watch charts continuously.
Why These Indicators Were Merged
• RSI (Relative Strength Index)
RSI is a cornerstone momentum oscillator that interprets speed and change of price movements. It has widespread recognition among traders for detecting potential overbought or oversold conditions. Including RSI provides a tried-and-tested layer of momentum insight.
• Stochastic Oscillator
This oscillator evaluates the closing price relative to its recent price range. Its responsiveness makes it valuable for pinpointing near-term price fluctuations. Where RSI offers a broader momentum picture, Stochastic adds fine-tuned detection of short-lived rallies or pullbacks.
• MFI (Money Flow Index)
MFI assesses buying and selling pressure by incorporating volume data. Many technical tools are purely price-based, but MFI’s volume component helps address questions of liquidity and actual money flow, offering a glimpse of how robust or weak a current move might be.
• CCI (Commodity Channel Index)
CCI shows how far price lies from its statistically “typical” trend. It can spot emerging trends or warn of overextension. Using CCI alongside RSI and Stochastic further refines the valuation layer by capturing price deviation from its underlying trajectory.
• ADX (Average Directional Index)
ADX reveals the strength of a trend but does not specify its direction. This is especially useful in combination with other oscillators that focus on bullish or bearish momentum. ADX can clarify whether a market is truly trending or just moving sideways, lending deeper context to the indicator's broader signals.
• MACD (Moving Average Convergence Divergence)
MACD is known for detecting momentum shifts via the interaction of two moving averages. Its inclusion ensures the indicator can capture transitional phases in market momentum. Where RSI and Stochastic concentrate on shorter-term changes, MACD has a slightly longer horizon for identifying robust directional changes.
• Momentum and ROC (Rate of Change)
Momentum and ROC specifically measure the velocity of price moves. By indicating how quickly (or slowly) price is changing compared to previous bars, they help confirm whether a trend is gathering steam, losing it, or is in a transitional stage.
• MVRV-Inspired Ratio
Drawn loosely from the concept of comparing market value to some underlying historical or fair-value metric, an MVRV-style ratio can help identify if an asset is trading above or below a considered norm. This additional viewpoint on valuation goes beyond simple price-based oscillations.
• Z-Score
Z-Score interprets how many standard deviations current prices deviate from a central mean. This statistical measure is often used to identify extreme conditions—either overly high or abnormally low. Z-Score helps highlight potential mean reversion setups by showing when price strays far from typical levels.
By merging these distinct viewpoints—momentum oscillators, trend strength gauges, volume flow, standard deviation extremes, and fundamental-style valuation measures—the indicator aims to create a well-rounded, carefully balanced final readout. Each component serves a specialized function, and together they can mitigate the weaknesses of a single metric acting alone.
Summary
This indicator simplifies multi-indicator analysis by fusing numerous popular technical signals into one tool. You can switch between short-term and long-term valuation perspectives or adopt a classic Z-Score approach for spotting price extremes. The universal trend line clarifies direction, while user-friendly color schemes, optional tabular summaries, and customizable alerts empower traders to maintain awareness without constantly monitoring every market tick.
Disclaimer
The indicator is made for educational and informational use only, with no claims of guaranteed profitability. Past data patterns, regardless of the indicators used, never ensure future results. Always maintain diligent risk management and consider the broader market context when making trading decisions. This indicator is not personal financial advice, and Uptrick disclaims responsibility for any trading outcomes arising from its use.
BBVOL SwiftEdgeBBVOL SwiftEdge – Precision Scalping with Volume and Trend Filtering
Optimized for scalping and short-term trading on fast-moving markets (e.g., 1-minute charts), BBVOL SwiftEdge combines Bollinger Bands, Heikin Ashi smoothing, volume momentum, and EMA trend alignment to deliver actionable buy/sell signals with visual trend cues. Ideal for forex, crypto, and stocks.
What Makes BBVOL SwiftEdge Unique?
Unlike traditional Bollinger Bands scripts that focus solely on price volatility, BBVOL SwiftEdge enhances signal precision by:
Using Heikin Ashi to filter out noise and confirm trend direction, reducing false signals in choppy markets.
Incorporating volume analysis to ensure signals align with significant buying or selling pressure (customizable thresholds).
Adding an EMA overlay to keep trades in sync with the short-term trend.
Coloring candlesticks (green for bullish, red for bearish, purple for consolidation) to visually highlight market conditions at a glance.
How Does It Work?
Buy Signal: Triggers when price crosses above the lower Bollinger Band, Heikin Ashi shows bullish momentum (close > open), buy volume exceeds your set threshold (default 30%), and price is above the EMA. A green triangle appears below the candle.
Sell Signal: Triggers when price crosses below the upper Bollinger Band, Heikin Ashi turns bearish (close < open), sell volume exceeds the threshold (default 30%), and price is below the EMA. A red triangle appears above the candle.
Trend Visualization: Candles turn green when price is significantly above the Bollinger Bands’ basis (indicating a bullish trend), red when below (bearish trend), or purple when near the basis (consolidation), based on a customizable threshold (default 10% of BB width).
Risk Management: Each signal calculates a stop-loss (10% beyond the opposite band) and take-profit (opposite band), plotted for reference.
How to Use It
Timeframe: Best on 1-minute to 5-minute charts for scalping; test higher timeframes for swing trading.
Markets: Works well in volatile markets like forex pairs (e.g., EUR/USD), crypto (e.g., BTC/USD), or liquid stocks.
Customization: Adjust Bollinger Bands length (default 10), multiplier (default 1.2), volume thresholds (default 30%), EMA length (default 3), and consolidation threshold (default 0.1%) to match your strategy.
Interpretation: Look for green/red triangles as entry signals, confirmed by candle colors. Purple candles suggest caution—wait for a breakout. Use stop-loss/take-profit levels for trade management.
Underlying Concepts
Bollinger Bands: Measures volatility and identifies overbought/oversold zones.
Heikin Ashi: Smooths price action to emphasize trend direction.
Volume Momentum: Calculates cumulative buy/sell volume percentages to confirm market strength (e.g., buyVolPercent = buyVolume / totalVolume * 100).
EMA: A fast-moving average (default length 3) ensures signals align with the immediate trend.
Chart Setup
The chart displays Bollinger Bands (orange), Heikin Ashi close (green circles), EMA (purple), and volume-scaled lines (lime/red). Signals are marked with triangles, and candle colors reflect trend state. Keep the chart clean by focusing on these outputs for clarity.
MAG 7 - Weighted Multi-Symbol Momentum + ExtrasOverview
This indicator aggregates the percentage change of multiple symbols into a single “weighted momentum” value. You can set individual weights to emphasize or de-emphasize particular stocks. The script plots two key items:
The default tickers in the script are:
AAPL (Apple)
AMZN (Amazon)
NVDA (NVIDIA)
MSFT (Microsoft)
GOOGL (Alphabet/Google)
TSLA (Tesla)
META (Meta Platforms/Facebook)
Raw Weighted Momentum (Histogram):
Each bar represents the combined (weighted) percentage change across your chosen symbols for that bar.
Bars are colored green if the momentum is above zero, or red if below zero.
Smoothed Momentum (Yellow Line):
An Exponential Moving Average (EMA) of the raw momentum for a smoother trend view.
Helps visualize when short-term momentum is accelerating or decelerating relative to its average.
Features
Symbol Inputs: Up to seven user-defined tickers, with weights for each symbol.
Smoothing Period: Set a custom lookback length to calculate the EMA (or switch to SMA in the code if you prefer).
Table Display: A built-in table in the top-right corner lists each symbol’s real-time percentage change, plus the total weighted momentum.
Alerts:
Configure alerts for when the weighted momentum crosses above or below user-defined thresholds.
Helps you catch major shifts in sentiment across multiple symbols.
How To Use
Select Symbols & Weights: In the indicator’s settings, specify the tickers you want to monitor and their corresponding weights. Weights default to 1 (equal weighting).
Watch the Bars vs. Zero:
Bars above zero mean a positive weighted momentum (the basket is collectively moving up).
Bars below zero mean negative weighted momentum (the basket is collectively under pressure).
Check the Yellow Line: The EMA of momentum.
If the bars consistently stay above the line, short-term momentum is stronger than its recent average.
If the bars dip below the line, momentum is weakening relative to its average.
Review the Table: Quick snapshot of each symbol’s daily percentage change plus the total basket momentum, all color-coded red or green.
Caution & Tips
This indicator measures rate of change, not absolute price levels. A rising momentum can still be part of a larger downtrend.
Always combine momentum readings with other technical and/or fundamental signals for confirmation.
For better reliability, experiment with different smoothing lengths to suit your trading style (shorter for scalping, longer for swing or positional approaches).
DeNoised Momentum [OmegaTools]The DeNoised Momentum by OmegaTools is a versatile tool designed to help traders evaluate momentum, acceleration, and noise-reduction levels in price movements. Using advanced mathematical smoothing techniques, this script provides a "de-noised" view of momentum by applying filters to reduce market noise. This helps traders gain insights into the strength and direction of price trends without the distractions of market volatility. Key components include a DeNoised Moving Average (MA), a Momentum line, and Acceleration bars to identify trend shifts more clearly.
Features:
- Momentum Line: Measures the percentage change of the de-noised source price over a specified look-back period, providing insights into trend direction.
- Acceleration (Ret) Bars: Visualizes the rate of change of the source price, helping traders identify momentum shifts.
- Normal and DeNoised Moving Averages: Two moving averages, one based on close price (Normal MA) and the other on de-noised data (DeNoised MA), enable a comparison of smoothed trends versus typical price movements.
- DeNoised Price Data Plot: Displays the current de-noised price, color-coded to indicate the relationship between the Normal and DeNoised MAs, which highlights bullish or bearish conditions.
Script Inputs:
- Length (lnt): Sets the period for calculations (default: 21). It influences the sensitivity of the momentum and moving averages. Higher values will smooth the indicator further, while lower values increase sensitivity to price changes.
The Length does not change the formula of the DeNoised Price Data, it only affects the indicators calculated on it.
Indicator Components:
1. Momentum (Blue/Red Line):
- Calculated using the log of the percentage change over the specified period.
- Blue color indicates positive momentum; red indicates negative momentum.
2. Acceleration (Gray Columns):
- Measures the short-term rate of change in momentum, shown as semi-transparent gray columns.
3. Moving Averages:
- Normal MA (Purple): A standard simple moving average (SMA) based on the close price over the selected period.
- DeNoised MA (Gray): An SMA of the de-noised source, reducing the effect of market noise.
4. DeNoised Price Data:
- Represented as colored circles, with blue indicating that the Normal MA is above the DeNoised MA (bullish) and red indicating the opposite (bearish).
Usage Guide:
1. Trend Identification:
- Use the Momentum line to assess overall trend direction. Positive values indicate upward momentum, while negative values signal downward momentum.
- Compare the Normal and DeNoised MAs: when the Normal MA is above the DeNoised MA, it indicates a bullish trend, and vice versa for bearish trends.
2. Entry and Exit Signals:
- A change in the Momentum line's color from blue to red (or vice versa) may indicate potential entry or exit points.
- Observe the DeNoised Price Data circles for early signs of a trend reversal based on the interaction between the Normal and DeNoised MAs.
3. Volatility and Noise Reduction:
- By utilizing the DeNoised MA and de-noised price data, this indicator helps filter out minor fluctuations and focus on larger price movements, improving decision-making in volatile markets.
Nova Volume Indicator (NVI) by SplitzMagicNova Volume Indicator
The Nova Volume Indicator is an innovative trading tool designed to enhance your trading strategy by analysing volume momentum and market dynamics. This indicator empowers traders to make informed decisions by providing clear and actionable buy and sell signals based on real-time data.
How It Works:
The Nova Volume Indicator utilizes advanced algorithms to assess volume changes and price movements. Key features include:
Volume Momentum Calculation: By evaluating the relationship between price changes and volume, the indicator identifies significant momentum shifts, enabling traders to pinpoint entry and exit points with precision.
Trend Direction Filter: The indicator includes a price filter that determines the prevailing market trend based on a moving average. This ensures that trades align with the overall market direction, enhancing the probability of success.
Alert System: With customizable alert thresholds, users receive notifications when momentum crosses defined levels, keeping them informed of potential trading opportunities without the need for constant monitoring.
No Trade Signal: A black background on the histogram indicates that there are no valid trading opportunities at that moment. Use this feature to avoid entering trades during uncertain market conditions.
How to Use the Nova Volume Indicator for Entries:
Identifying the Trend: Before making any trades, check the indicator's trend direction. If the price is above the moving average, focus on bullish signals; if below, look for bearish signals.
Spotting Entries:
Buy Signal: Look for a green histogram bar indicating positive volume momentum. Enter a trade at the close of the candle when the momentum score exceeds your alert threshold and the price is above the moving average.
Sell Signal: A red histogram bar signals negative volume momentum. Enter a short position at the close of the candle when the momentum score falls below the alert threshold and the price is below the moving average.
Setting Stops and Targets: Place your stop-loss below the recent swing low for buy trades or above the recent swing high for sell trades. Aim for a minimum 1:2 risk-to-reward ratio to maximize your profitability.
Customizable Settings:
The Nova Volume Indicator offers several input settings to help you tailor the indicator to your unique trading style:
Signal Period: Adjust the period for calculating the signal line (EMA of momentum score). A shorter period reacts quickly, while a longer one smooths the signals.
Volatility Period: Control the lookback period for assessing market volatility. Shorter periods capture recent fluctuations, and longer periods provide a broader view of price behavior.
Price Filter MA Length: Set the period for the moving average used to filter trades based on price action, helping determine the trend direction.
Alert Threshold: Define the level at which the indicator signals potential buying or selling opportunities. Customize this setting to suit your trading preferences.
The Nova Volume Indicator is a powerful addition to any trader’s toolkit, designed to simplify decision-making and improve trading outcomes. Whether you're a beginner or a seasoned trader, this indicator offers the insights you need to navigate the markets confidently. Explore its customizable features to create a unique trading experience tailored to your needs. Start using the Nova Volume Indicator today and elevate your trading journey!
Any questions you may have or if you have anything to input to improve this then please leave a comment.
Burst PowerThe Burst Power indicator is to be used for Indian markets where most stocks have a maximum price band limit of 20%.
This indicator is intended to identify stocks with high potential for significant price movements. By analysing historical price action over a user-defined lookback period, it calculates a Burst Power score that reflects the stock's propensity for rapid and substantial moves. This can be helpful for stock selection in strategies involving momentum bursts, swing trading, or identifying stocks with explosive potential.
Key Components
____________________
Significant Move Counts:
5% Moves: Counts the number of days within the lookback period where the stock had a positive close-to-close move between 5% and 10%.
10% Moves: Counts the number of days with a positive close-to-close move between 10% and 19%.
19% Moves: Counts the number of days with a positive close-to-close move of 19% or more.
Maximum Price Move (%):
Identifies the largest positive close-to-close percentage move within the lookback period, along with the date it occurred.
Burst Power Score:
A composite score calculated using the counts of significant moves: Burst Power =(Count5%/5) +(Count10%/2) + (Count19%/0.5)
The score is then rounded to the nearest whole number.
A higher Burst Power score indicates a higher frequency of significant price bursts.
Visual Indicators:
Table Display: Presents all the calculated data in a customisable table on the chart.
Markers on Chart: Plots markers on the chart where significant moves occurred, aiding visual analysis.
Using the Lookback Period
____________________________
The lookback period determines how much historical data the indicator analyses. Users can select from predefined options:
3 Months
6 Months
1 Year
3 Years
5 Years
A shorter lookback period focuses on recent price action, which may be more relevant for short-term trading strategies. A longer lookback period provides a broader historical context, useful for identifying long-term patterns and behaviors.
Interpreting the Burst Power Score
__________________________________
High Burst Power Score (≥15):
Indicates the stock frequently experiences significant price moves.
Suitable for traders seeking quick momentum bursts and swing trading opportunities.
Stocks with high scores may be more volatile but offer potential for rapid gains.
Moderate Burst Power Score (10 to 14):
Suggests occasional significant price movements.
May suit traders looking for a balance between volatility and stability.
Low Burst Power Score (<10):
Reflects fewer significant price bursts.
Stocks are more likely to exhibit longer, sustainable, but slower price trends.
May be preferred by traders focusing on steady growth or longer-term investments.
Note: Trading involves uncertainties, and the Burst Power score should be considered as one of many factors in a comprehensive trading strategy. It is essential to incorporate broader market analysis and risk management practices.
Customisation Options
_________________________
The indicator offers several customisation settings to tailor the display and functionality to individual preferences:
Display Mode:
Full Mode: Shows the detailed table with all components, including significant move counts, maximum price move, and the Burst Power score.
Mini Mode: Displays only the Burst Power score and its corresponding indicator (green, orange, or red circle).
Show Latest Date Column:
Toggle the display of the "Latest Date" column in the table, which shows the most recent occurrence of each significant move category.
Theme (Dark Mode):
Switch between Dark Mode and Light Mode for better visual integration with your chart's color scheme.
Table Position and Size:
Position: Place the table at various locations on the chart (top, middle, bottom; left, center, right).
Size: Adjust the table's text size (tiny, small, normal, large, huge, auto) for optimal readability.
Header Size: Customise the font size of the table headers (Small, Medium, Large).
Color Settings:
Disable Colors in Table: Option to display the table without background colors, which can be useful for printing or if colors are distracting.
Bullish Closing Filter:
Another customisation here is to count a move only when the closing for the day is strong. For this, we have an additional filter to see if close is within the chosen % of the range of the day. Closing within the top 1/3, for instance, indicates a way more bullish day tha, say, closing within the bottom 25%.
Move Markers on chart:
The indicator also marks out days with significant moves. You can choose to hide or show the markers on the candles/bars.
Practical Applications
________________________
Momentum Trading: High Burst Power scores can help identify stocks that are likely to experience rapid price movements, suitable for momentum traders.
Swing Trading: Traders looking for short- to medium-term opportunities may focus on stocks with moderate to high Burst Power scores.
Positional Trading: Lower Burst Power scores may indicate steadier stocks that are less prone to volatility, aligning with long-term investment strategies.
Risk Management: Understanding a stock's propensity for significant moves can aid in setting appropriate stop-loss and take-profit levels.
Disclaimer: Trading involves significant risk, and past performance is not indicative of future results. The Burst Power indicator is intended for educational purposes and should not be construed as financial advice. Always conduct thorough research and consult with a qualified financial professional before making investment decisions.
Price-Shift Oscillator (PSO)The PSOscillator calculates an oscillator value based on price movements over a specific period. Oscillators like this one are typically used to identify momentum shifts, and trend direction. Here's a breakdown of how the logic behind it works:
Key Concepts for Beginners:
Oscillators:
In this case, the PSOscillator helps indicate whether the market momentum is positive (price might rise) or negative (price might fall).
Input Parameters:
oscPeriod: This is the number of bars (or candles) used to calculate the oscillator. It affects how sensitive the oscillator is to price changes. A lower period makes it more sensitive to short-term movements, while a higher period smoothens it out.
smaPeriod: This is a simple moving average (SMA) applied to the oscillator for additional smoothing, further reducing noise.
Calculation Logic:
The JpOscillator uses recent price data to calculate its value. Specifically, it looks at the closing prices of the current and previous bars (candles). periods ago).
This calculation aims to identify how much recent price action is deviating from past price behavior.
Essentially, it tells us whether the current price is higher or lower relative to the past, and how the trend is evolving over recent periods.
Smoothing:
After calculating the oscillator values, we apply optional smoothing to make it less "jumpy." This is useful in reducing the noise caused by small, insignificant price movements.
The sma_from_array function averages out the recent oscillator values to make the signal smoother, depending on the oscPeriod.
Oscillator Levels:
Above Zero:
If the oscillator is above 0, it means the price is gaining momentum upwards (bullish signal), which is why we color the histogram green.
Below Zero: If the oscillator is below 0, it indicates downward momentum (bearish signal), which is why we color the histogram red.
You can think of the zero line as a "neutral zone." Crossing above it means momentum is shifting to the upside, and crossing below it means momentum is shifting to the downside.
Histogram Plotting:
The values of the oscillator are plotted as a histogram (bars). The color changes based on whether the oscillator is above or below zero (green for positive and red for negative momentum).
The moving average (SMA) of the oscillator is plotted as a line to help identify trends over time.
Using two different coloring methods for a histogram in a trading strategy can provide a trader with distinct, layered information about market conditions, trends, and momentum shifts. Each coloring method can highlight different aspects of the price action or the oscillator behavior. Here’s how a trader might use both methods to their advantage:
ETHUSDT Daily
1. Color Based on Oscillator Position Relative to Zero
This method colors the histogram green when the oscillator value is above zero and red when it's below zero. This coloring strategy is straightforward and helps a trader quickly identify whether the market's momentum is generally bullish or bearish.
Advantages:
Trend Confirmation: When the oscillator remains above zero and green, it can confirm a bullish trend, and vice versa for a bearish trend with red colors below zero.
Quick Visual Reference: Easy to see at a glance, helping in fast decision-making processes.
2. Color Based on the Change of the Oscillator
This method changes the color based on whether the oscillator is increasing or decreasing compared to its previous value. For instance, a darker shade of green might be used if the oscillator value is rising from one period to the next, indicating increasing bullish momentum, and a darker red if declining, indicating increasing bearish momentum.
Advantages:
Momentum Insight: This coloring method gives insights into the strength of the movement. An oscillator that is increasing (even below zero) might suggest a weakening of a bearish trend or the start of a bullish reversal.
Detecting Reversals: Seeing the oscillator rise from negative to less negative or drop from positive to less positive can alert traders to potential early reversals before they cross the zero line.
Strategic Use in Trading:
A trader can use these two methods together by applying a multi-layered approach to analyze the oscillator:
Overall Trend Assessment:
Above Zero (Green): Considered bullish; look for buy opportunities, especially if the color gets brighter (indicating strengthening).
Below Zero (Red): Considered bearish; look for sell opportunities, especially if the color gets darker (indicating strengthening).
Short-Term Momentum and Entries:
Brightening Green: Could indicate a good time to enter or add to long positions as bullish momentum increases.
Darkening Red: Could indicate a good time to enter or add to short positions as bearish momentum increases.
Lightening Color: If red starts to lighten (become less intense), it might suggest a bearish trend is losing steam, which could be an exit signal for shorts or an early warning for a potential long setup.
Risk Management:
Switch in Color Intensity: A sudden change in color intensity can be used as a trigger for tightening stops or taking partial profits, helping manage risk by responding to changes in market momentum.
Market Momentum @MaxMaseratiThe Market Momentum Indicator plots two essential lines on your chart: the Momentum Line and the Momentum Signal, enabling you to visualize price direction and detect potential shifts in that direction.
Momentum Line:
The Momentum Line is calculated by finding the highest and lowest prices over the last 14 periods and then determining the midpoint between them. This midpoint is what we call the Momentum Line.
Momentum Signal:
The Momentum Signal is simply the Momentum Line shifted upward by a small fixed amount called the tick_size, which is set to 0.25 in this script.
Why 0.25?: The 0.25 tick size is a standard increment in many markets. It creates a small but noticeable difference between the Momentum Line and the Momentum Signal, making it easier to spot changes in market momentum. It’s small enough to reflect minor shifts without distorting the indicator’s usefulness.
NB: The indicator was originally created to be use without smoothing, but I add it as an option for smoothing and moving average lovers.
Smoothing:
You have the option to smooth these lines using different types of moving averages, like SMA or EMA. Smoothing makes the lines less jagged and more gradual.
If you apply smoothing, the Momentum Line and Momentum Signal might cross each other depending on the market’s movement.
How to use it:
When both lines are below price, it might indicates a Bullish Momentum
When both lines are above the price, it could suggest a Bearish Momentum.
When the lines are within the price range, it indicates the market is in a consolidation phase, signaling the potential for a move in either direction.
snapshot
Users can view Momentum Line and Momentum Signal for two specific time frames of their choice. Additionally, they have the option to smooth the lines separately for each time frame. For example, if "TF1" is set to 15 minutes and the current chart time frame is 5 minutes, the table will display "TF1: 15" alongside "Current TF: 5." Another option, "TF2," could be set to 60 minutes. Both time frames will be plotted on the chart if selected.
This indicator can be use as a supporting tool alongside your chosen strategy. It’s not designed to be used on its own and should be part of a broader confluence approach.
Aggressor Volume ImbalanceAggressor volume imbalance represents the ratio between market aggressor buy volume (market buy orders) and market aggressor sell volume (market sell orders). This ratio enables traders to evaluate the interest of market aggressors and whether aggressive market activity favours the price's direction.
Analysing aggressor volume is critical in understanding market sentiment and aids in identifying shifts in momentum and potential exhaustion points in the market. When the aggressor buy volume significantly exceeds the sell volume, it typically indicates strong buying interest, driving prices higher if the offer-side liquidity cannot contain it, and vice versa.
How it Works
The imbalance ratio is calculated as follows, according to the selected session timeframe (see settings):
imbalance := ((buyVolumeAccumulator - sellVolumeAccumulator)
/ (buyVolumeAccumulator + sellVolumeAccumulator)) * 100
Aggressive Volume Imbalance uses lower timeframe historical data to calculate Historical Aggressor Volume Imbalances, while live data is used for live aggressor volume imbalances.
How to Use It
You can set the indicator to use any historical data timeframe you prefer. However, it is highly recommended to use lower timeframes (e.g., 1 second), as the lower the timeframe, the more granular the data.
The indicator resets to 0% whenever a new session timeframe begins (e.g., a new day) and calculates new values for the rest of the session. This can be configured in the settings.
NEXT Volatility-Momentum Moving Average (VolMo MA)Overview
Volatility-Momentum Moving Average (VolMo MA) incorporates two key market dynamics into its price averaging formula: volatility and momentum. Traditional MAs, like EMA, often lag in volatile markets or during strong price moves. By integrating volatility (price range variability) and momentum (rate of price change), we developed a more adaptive and responsive MA.
Key Concepts
Volatility Calculation: Average True Range (ATR) used to quantify market volatility. ATR measures the average price range over a specified period.
Momentum Calculation: Relative Strength Index (RSI) applied to assess market momentum. RSI evaluates the speed and magnitude of price movements.
Moving Average Adjustment: Dynamically weight EMA based on volatility and momentum metrics. When volatility is high, the MA's responsiveness increases. Similarly, strong momentum accelerates the MA adjustment.
Input Parameters:
Length - length of Volatility-Momentum Moving Average (VolMo MA). This input also affects how far back momentum and volatility are considered. Experimentation is highly encouraged.
Sensitivity - controls the Volatility-Momentum adjustment rate applied to the MA. Default is 50, but experimentation is highly encouraged.
Source - data used for calculating the MA, typically Close, but can be used with other price formats and data sources as well. A lot of potential here.
Note: The VolMo MA Indicator plots, both, the Volatility-Momentum Moving Average and EMA for base comparison. You can disable EMA by unticking it under Style tab.
NASDAQ 100 Futures ( CME_MINI:NQ1! ) 1-minute
The following example compares VolMo MA (blue) to EMA (green). Length set to 34, Sensitivity to 40. Notice the difference in responsiveness as price action consolidates and breaks out. The VolMo MA can be used for scalping at lower Length values and 40-60 Sensitivity or as a dynamic support/resistance line at higher Length values.
Alerts
Here is how to set price crossing VolMo MA alerts: open a TradingView chart, attach NEXT NEXT Volatility-Momentum Moving Average (VolMo MA), right-click on chart -> Add Alert. Condition: Symbol (e.g. NQ) >> Crossing >> NEXT Volatility-Momentum Moving Average (VolMo MA) >> VolMo MA >> Once Per Bar Close.
Development Roadmap
Our initial research shows plenty of edge potential for the VolMo MA when used, both, by itself, or interacting with other indicators. To that end, we'll be adding the following features over the next few months:
Visual signal generation via interaction with EMA, price action, and other MAs and indicators - you can already do alerts with TradingView's built-in Alert functionality
Addition of a second, fully configurable VolMo MA for a Double VolMo MA cross strategy
VolMo MA MACD
Automation and Backtesting via Strategy
LC: Trend & Momentum IndicatorThe "LC: Trend & Momentum Indicator" was built to provide as much information as possible for traders and investors in order to identify or follow trend and momentum. The indicator is specifically targeted towards the cryptocurrency market. It was designed and developed to present information in an way that is easy to consume for beginner to intermediate traders.
Indicator Overview
While the indicator provides trend data through a number of components, it presents this data in an easy to understand colour coded schema that is consistent across each component; green for an uptrend, red for a downtrend and orange for transition and/or chop. The indicator allows traders to compare price trends when trading altcoins between USD pairs, BTC pairs and the BTC/USDT pair. This is achieved by representing price trends in easy-to-consume trend bars, allowing traders to get as much information as possible in a quick glance. The indicator also includes RSI which is also a useful component in identifying trend and momentum. The RSI component includes a custom RSI divergence detection algorithm to assist traders in identifying changes in trend direction. By providing both Price Trend comparison and RSI components, a full picture is provided when determining trend and momentum of an asset without having to switch between trading pairs. This makes it particularly useful for the beginner to intermediate trader.
The indicator is split into three components:
RSI
The RSI is colour-coded to identify the RSI trend based on when it crosses an EMA. Green indicates that the RSI is in a bullish trend, red indicates a bearish trend and orange indicates a transition between trends. RSI regular divergences are detected using a custom algorithm built from the ground up. The algorithm uses a combination of ATR and candle structure to determine highs and lows for both price action and RSI. Based on this information, divergences are determined making sure to exclude any invalid divergences crossing over highs and lows for both price action and RSI.
Asset Price Trend Bar
The asset price trend is detected using a cross over of a fast EMA (length 8) and slow EMA (length 21) and is displayed as a trend bar (First bar in the indicator). There are additional customised confirmation and invalidation algorithms included to ensure that trends don't switch back and forth too easily if the EMAs cross due to deeper corrections. These algorithms largely use candle structure and momentum to determine if trends should be confirmed or invalidated. For price trends, green represents a bullish trend, red represents a bearish trend and orange can be interpreted as a trend transition, or a period of choppy price action.
BTC Price Trend Bars
When Altcoins are selected, a BTC pair trend bar (Second bar in the indicator) as well as a BTCUSDT trend bar (Third bar in the indicator) is displayed. The algorithm to determine these trends is based on exactly the same logic as the asset price trend. The same colour coding applies to these price trend bars.
Why are these components combined into a single indicator?
There are two primary reasons for this.
1. The colour coded schema employed across both RSI and price trends makes it user-friendly for the beginner to intermediate trader. It can be extremely difficult and overwhelming for a beginner to identify asset price trend, BTC relative price trends and the RSI trend. By providing these components in a single indicator it helps the user to identify these trends quickly while being able to find confluence across these trends by matching the colour coded schema employed across the indicator. For experienced traders this can be seen as convenient. For beginners it can be seen as a method to identify, and learn how to identify these trends.
2. It is not obvious, especially to beginners, the advantage of using the RSI beyond divergences and overbought/oversold when identifying trend and momentum. The trend of the RSI itself as well as it's relative % can be useful in building a picture of the overall price trend as well as the strength of that trend. The colour coded schema applied to the RSI trend makes it difficult to overlook, after which it is up to the trader to decide if this is important or not to their own strategies.
Indicator Usage
NOTE: It is important to always back test and forward test strategies before using capital. While a strategy may look like it is working in the short term, it may not be the case over varying conditions.
This indicator is intended to be used in confluence with trading strategies and ideas. As it was designed to provide easy-to-consume trend and momentum information, the usage of the indicator is based on confluence. It is up to a user to define, test and implement their own strategies based on the information provided in the indicator. The indicator aims to make this easier through the colour coded schema used across the indicator.
For example, using the asset price trend alone may indicate a good time to enter trades. However, adding further trend confluence may make the case stronger to enter the trade. If an asset price is trending up while the BTCUSDT pair is also trending up, it may add strength to the case that it may be a good time to enter long positions. Similarly, extra confluence may be added by looking at RSI, either at divergences, trend or the current RSI % level.
Shadow Range IndexShadow Range Index (SRI) introduces a new concept to calculate momentum, shadow range.
What is range?
Traditionally, True Range (TR) is the current high minus the current low of each bar in the timeframe. This is often used successfully on its own in indicators, or as a moving average in ATR (Average True Range).
To calculate range, SRI uses an innovative calculation of current bar range that also considers the previous bar. It calculates the difference between its maximum upward and maximum downward values over the number of bars the user chooses (by adjusting ‘Range lookback’).
What is shadow range?
True Range (TR) uses elements in its calculation (the highs and lows of the bar) that are also visible on the chart bars. Shadow range does not, though.
SRI calculates shadow range in a similar formula to range, except that this time it works out the difference between the minimum upward and minimum downward movement. This movement is by its nature less than the maximums, hence a shadow of it. Although more subtle, shadow range is significant, because it is quantifiable, and goes in one direction or another.
Finally, SRI smoothes shadow range and plots it as a histogram, and also smoothes and plots range as a signal line. Useful up and down triangles show trend changes, which optionally colour the chart bars.
Here’s an example of a long trade setup:
In summary, Shadow Range Index identifies and traces maximum and minimum bar range movement both up and down, and plots them as centred oscillators. The dynamics between the two can provide insights into the chart's performance and future direction.
Credit to these authors, whose MA or filters form part of this script:
@balipour - Super Smoother MA
@cheatcountry - Hann window smoothing
@AlgoAlpha - Gaussian filter
Bulls VS Bears Momentum IndicatorBulls VS Bears Momentum Indicator
Description:
The Bulls VS Bears Momentum Indicator is a unique TradingView script designed to help traders identify potential momentum shifts in the market. This proprietary indicator uses a fixed Average True Range and a multiplier of to calculate dynamic stop levels that signal bullish or bearish momentum.
Here’s how it operates:
1. Average True Range-Based Stops: The script establishes long and short stop levels based on the half-way point of the high and low (hl2) of the current bar, adjusted by the Average True Range value. The long stop is set below hl2, while the short stop is set above. These levels adapt to market volatility, using the Average True Range to scale the distance from hl2, ensuring that the stops react sensitively to changes in price movement.
2. Directional Assessment: A directional value (dir) is determined by the relationship of the closing price to the previous stop levels. If the price closes above the previous short stop level, a bullish turn is indicated, setting the direction to 1. Conversely, if the price closes below the previous long stop level, a bearish turn is indicated, setting the direction to -1.
3. Momentum Shifts: The script flags bullish momentum when the direction changes from -1 to 1, suggesting a shift in market sentiment from bearish to bullish. Similarly, bearish momentum is flagged when the direction changes from 1 to -1, indicating a potential shift from bullish to bearish sentiment.
4. Visual Cues and Alerts: For ease of use, the indicator plots shapes on the chart: an upward triangle below the bar for bullish momentum and a downward triangle above the bar for bearish momentum. These are color-coded green for bullish and red for bearish signals. Additionally, alert conditions are set for both bullish and bearish momentum to notify traders of potential shifts.
This indicator is intended for traders who want to capture significant shifts in momentum, potentially allowing for timely adjustments to their positions. The concept of using Average True Range-adjusted hl2 as a basis for stop levels introduces an original approach to momentum detection, diverging from traditional moving average or oscillator-based methods.
Remember that no indicator can predict market movements with absolute certainty. As with any trading tool, it's important to use the Bulls VS Bears Momentum Indicator in conjunction with a robust trading strategy and risk management protocols.
Usage Guidelines:
Ideal for mid to long-term trade setups.
Best used in trending markets to detect potential reversals.
Can be combined with other forms of analysis to confirm signals.
This script is a product of extensive market research and personal trading experience, and I am proud to offer it to the TradingView community. For any further queries or clarification on how to integrate this tool into your trading strategy, feel free to reach out.
Disclaimer:
The "Bulls VS Bears Momentum Indicator" is provided for informational purposes only and does not constitute trading advice. As a trader, you assume full responsibility for your trading decisions and the risks associated with financial markets. Past performance is not indicative of future results. Use this tool at your own risk.
Z MomentumOverview
This is a Z-Scored Momentum Indicator. It allows you to understand the volatility of a financial instrument. This indicator calculates and displays the momentum of z-score returns expected value which can be used for finding the regime or for trading inefficiencies.
Indicator Purpose:
The primary purpose of the "Z-Score Momentum" indicator is to help traders identify potential trading opportunities by assessing how far the current returns of a financial instrument deviate from their historical mean returns. This analysis can aid in recognizing overbought or oversold conditions, trend strength, and potential reversal points.
Things to note:
A Z-Score is a measure of how many standard deviations a data point is away from the mean.
EV: Expected Value, which is basically the average outcome.
When the Z-Score Momentum is above 0, there is a positive Z-Score which indicates that the current returns of the financial instrument are above their historical mean returns over the specified return lookback period, which could mean Positive, Momentum, and in a extremely high Z-Score value, like above +2 Standard deviations it could indicate extreme conditions, but keep in mind this doesn't mean price will go down, this is just the EV.
When the Z-Score Momentum is below 0, there is negative Z-Score which indicates that the current returns of the financial instrument are below their historical mean returns which means you could expect negative returns. In extreme Z-Score situations like -2 Standard deviations this could indicate extreme conditions and the negative momentum is coming to an end.
TDLR:
Interpretation:
Positive Z-Score: When the Z-score is positive and increasing, it suggests that current returns are above their historical mean, indicating potential positive momentum.
Negative Z-Score: Conversely, a negative and decreasing Z-score implies that current returns are below their historical mean, suggesting potential negative momentum.
Extremely High or Low Z-Score: Extremely high (above +2) or low (below -2) Z-scores may indicate extreme market conditions that could be followed by reversals or significant price movements.
The lines on the Indicator highlight the Standard deviations of the Z-Score. It shows the Standard deviations 1,2,3 and -1,-2,-3.
Machine Learning Momentum Oscillator [ChartPrime]The Machine Learning Momentum Oscillator brings together the K-Nearest Neighbors (KNN) algorithm and the predictive strength of the Tactical Sector Indicator (TSI) Momentum. This unique oscillator not only uses the insights from TSI Momentum but also taps into the power of machine learning therefore being designed to give traders a more comprehensive view of market momentum.
At its core, the Machine Learning Momentum Oscillator blends TSI Momentum with the capabilities of the KNN algorithm. Introducing KNN logic allows for better handling of noise in the data set. The TSI Momentum is known for understanding how strong trends are and which direction they're headed, and now, with the added layer of machine learning, we're able to offer a deeper perspective on market trends. This is a fairly classical when it comes to visuals and trading.
Green bars show the trader when the asset is in an uptrend. On the flip side, red bars mean things are heading down, signaling a bearish movement driven by selling pressure. These color cues make it easier to catch the sentiment and direction of the market in a glance.
Yellow boxes are also displayed by the oscillator. These boxes highlight potential turning points or peaks. When the market comes close to these points, they can provide a heads-up about the possibility of changes in momentum or even a trend reversal, helping a trader make informed choices quickly. These can be looked at as possible reversal areas simply put.
Settings:
Users can adjust the number of neighbours in the KNN algorithm and choose the periods they prefer for analysis. This way, the tool becomes a part of a trader's strategy, adapting to different market conditions as they see fit. Users can also adjust the smoothing used by the oscillator via the smoothing input.