Stage Market V4This script provides a comprehensive tool for identifying market stages based on exponential moving averages (EMAs), market performance metrics, and additional price statistics. Below is a summary of its functionality and instructions on how to use it:
1. Inputs and Configuration
Fast and Slow EMA:
Fast EMA Length: Determines the period for the fast EMA.
Slow EMA Length: Determines the period for the slow EMA.
Additional EMAs:
Enable or disable three additional EMAs (EMA 1, EMA 2, and EMA 3) with customizable lengths.
52-Week High Display:
Optionally display the percentage distance from the 52-week high.
2. Market Stages
The indicator identifies six market stages based on the relationship between the price, fast EMA, and slow EMA:
Recovery: Price is above the fast EMA, and the slow EMA is above both the price and the fast EMA.
Accumulation: Price is above both the fast EMA and slow EMA, but the slow EMA is still above the fast EMA.
Bull Market: Price, fast EMA, and slow EMA are all aligned in a rising trend.
Warning: Price is below the fast EMA, but still above the slow EMA, signaling potential weakness.
Distribution: Price is below both EMAs, but the slow EMA remains below the fast EMA.
Bear Market: Price, fast EMA, and slow EMA are all aligned in a falling trend.
The current stage is displayed in a table along with the number of bars spent in that stage.
3. Performance Metrics
The script calculates additional metrics to gauge the stock's performance:
30-Day Change: The percentage price change over the last 30 days.
90-Day Change: The percentage price change over the last 90 days.
Year-to-Date (YTD) Change: The percentage change from the year's first closing price.
Distance from 52-Week High (if enabled): The percentage difference between the current price and the highest price over the past 52 weeks.
These values are color-coded:
Green for positive changes.
Red for negative changes.
4. Table Display
The indicator uses a table in the bottom-right corner of the chart to show:
Current market stage and bars spent in the stage.
30-day, 90-day, and YTD changes.
Distance from the 52-week high (if enabled).
5. EMA Plotting
The script plots the following EMAs on the chart:
Fast EMA (default: 50-period) in yellow.
Slow EMA (default: 200-period) in orange.
Optional EMAs (EMA 1, EMA 2, and EMA 3) in blue, green, and purple, respectively.
6. Using the Indicator
Add the indicator to your chart via the Pine Editor in TradingView.
Customize the input parameters to fit your trading style or the asset's characteristics.
Use the table to quickly assess the current market stage and key performance metrics.
Observe the plotted EMAs to understand trend alignments and potential crossovers.
This script is particularly useful for identifying market trends, understanding price momentum, and aligning trading decisions with broader market conditions.
Трендовый анализ
No Wick Setup Indicator
**No Wick Setup Indicator**
This is a custom trading indicator designed to identify and signal potential buy and sell opportunities based on candlestick patterns with no wicks. Specifically, it looks for candles with no wicks at the bottom (bullish setup) or no wicks at the top (bearish setup). Here's how it works:
**Key Features:**
- **Bullish Setup**: A green candlestick with no bottom wick (i.e., the open price is equal to the low price of the candle) is considered a potential bullish signal. A trendline is drawn at the bottom of this candle. When the market price returns to this trendline, a buy signal is generated.
- **Bearish Setup**: A red candlestick with no top wick (i.e., the open price is equal to the high price of the candle) is considered a potential bearish signal. A trendline is drawn at the top of this candle. When the market price returns to this trendline, a sell signal is generated.
- **Timeframe**: This indicator works exclusively on the **30-minute timeframe**.
**How It Works:**
1. When a candlestick pattern with no bottom wick (bullish setup) is identified, a trendline is drawn at the low of the candlestick.
2. When a candlestick pattern with no top wick (bearish setup) is identified, a trendline is drawn at the high of the candlestick.
3. The indicator then tracks the market price and waits for it to return to the respective trendline level.
4. **Buy Signal**: When the market price touches or goes below the bullish trendline, a **Buy** signal is displayed on the chart with an upward arrow.
5. **Sell Signal**: When the market price touches or goes above the bearish trendline, a **Sell** signal is displayed on the chart with a downward arrow.
**Visual Elements:**
- **Trendlines**: Horizontal lines drawn at the bottom (bullish) or top (bearish) of the candlesticks with no wick.
- **Buy/Sell Labels**: Labels indicating "Buy" or "Sell" appear when the market price returns to the trendline.
**Why Use This Indicator?**
- This indicator helps identify specific price levels where the market might reverse or consolidate based on candlestick structure, offering potential entry points for trades.
- It allows traders to focus on price action and market behavior without relying on more complex indicators.
Heat Map Trend (VIDYA MA) [BigBeluga]The Heat Map Trend (VIDYA MA) - BigBeluga indicator is a multi-timeframe trend detection tool based on the Volumetric Variable Index Dynamic Average (VIDYA). This indicator calculates trends using volume momentum, or volatility if volume data is unavailable, and displays the trends across five customizable timeframes. It features a heat map to visualize trends, color-coded candles based on an average of the five timeframes, and a dashboard that shows the current trend direction for each timeframe. This tool helps traders identify trends while minimizing market noise and is particularly useful in detecting faster market changes in shorter timeframes.
🔵 KEY FEATURES & USAGE
◉ Volumetric Variable Index Dynamic Average (VIDYA):
The core of the indicator is the VIDYA moving average, which adjusts dynamically based on volume momentum. If volume data isn't available, the indicator uses volatility instead to smooth the moving average. This allows traders to assess the trend direction with more accuracy, using either volume or volatility, if volume data is not provided, as the basis for the trend calculation.
// VIDYA CALCULATION -----------------------------------------------------------------------------------------
// ATR (Average True Range) and volume calculation
bool volume_check = ta.cum(volume) <= 0
float atrVal = ta.atr(1)
float volVal = volume_check ? atrVal : volume // Use ATR if volume is not available
// @function: Calculate the VIDYA (Volumetric Variable Index Dynamic Average)
vidya(src, len, cmoLen) =>
float cmoVal = ta.sma(ta.cmo(volVal, cmoLen), 10) // Calculate the CMO and smooth it with an SMA
float absCmo = math.abs(cmoVal) // Absolute value of CMO
float alpha = 2 / (len + 1) // Alpha factor for smoothing
var float vidyaVal = 0.0 // Initialize VIDYA
vidyaVal := alpha * absCmo / 100 * src + (1 - alpha * absCmo / 100) * nz(vidyaVal ) // VIDYA formula
◉ Multi-Timeframe Trend Analysis with Heat Map Visualization:
The indicator calculates VIDYA across five customizable timeframes, allowing traders to analyze trends from multiple perspectives. The resulting trends are displayed as a heat map below the chart, where each timeframe is represented by a gradient color. The color intensity reflects the distance of the moving average (VIDYA) from the price, helping traders to identify trends on different timeframes visually. Shorter timeframes in the heat map are particularly useful for detecting faster market changes, while longer timeframes help to smooth out market noise and highlight the general trend.
Trend Direction:
Heat Map Reading:
◉ Dashboard for Multi-Timeframe Trend Directions:
The built-in dashboard displays the trend direction for each of the five timeframes, showing whether the trend is up or down. This quick overview provides traders with valuable insights into the current market conditions across multiple timeframes, helping them to assess whether the market is aligned or if there are conflicting trends. This allows for more informed decisions, especially during volatile periods.
◉ Color-Coded Candles Based on Multi-Timeframe Averages:
Candles are dynamically colored based on the average of the VIDYA across all five timeframes. When the price is in an uptrend, the candles are colored blue, while in a downtrend, they are colored red. If the VIDYA averages suggest a possible trend shift, the candles are displayed in orange to highlight a potential change in momentum. This color coding simplifies the process of identifying the dominant trend and spotting potential reversals.
BTC:
SP500:
◉ UP and DOWN Signals for Trend Direction Changes:
The indicator provides clear UP and DOWN signals to mark trend direction changes. When the average VIDYA crosses above a certain threshold, an UP signal is plotted, indicating a shift to an uptrend. Conversely, when it crosses below, a DOWN signal is shown, highlighting a transition to a downtrend. These signals help traders to quickly identify shifts in market direction and respond accordingly.
🔵 CUSTOMIZATION
VIDYA Length and Momentum Settings:
Adjust the length of the VIDYA moving average and the period for calculating volume momentum. These settings allow you to fine-tune how sensitive the indicator is to market changes, helping to match it with your preferred trading style.
Timeframe Selection:
Select five different timeframes to analyze trends simultaneously. This gives you the flexibility to focus on short-term trends, long-term trends, or a combination of both depending on your trading strategy.
Candle and Heat Map Color Customization:
Change the colors of the candles and heat map to fit your personal preferences. This customization allows you to align the visuals of the indicator with your overall chart setup, making it easier to analyze market conditions.
🔵 CONCLUSION
The Heat Trend (VIDYA MA) - BigBeluga indicator provides a comprehensive, multi-timeframe view of market trends, using VIDYA moving averages that adapt to volume momentum or volatility. Its heat map visualization, combined with a dashboard of trend directions and color-coded candles, makes it an invaluable tool for traders looking to understand both short-term market fluctuations and longer-term trends. By showing the overall market direction across multiple timeframes, it helps traders avoid market noise and focus on the bigger picture while being alert to faster shifts in shorter timeframes.
Monest Value Indicator (MVI)
Description
The Monest Value Indicator (MVI) is a modern oscillator designed to address common issues in traditional oscillators like RSI or MACD. Unlike classical oscillators, the MVI dynamically adjusts to relative price movements and market volatility, providing a transparent and reliable valuation for short-term trading decisions.
This indicator normalizes price data around a consensus line and accounts for market volatility using the Average True Range (ATR). It highlights overbought and oversold conditions, offering a unique perspective for traders.
Key Features
Dynamic Overbought/Oversold Levels : Highlights significant price extremes for better entry and exit signals. Volatility Normalization : Adapts to market conditions, ensuring consistent readings across various assets. Consensus-Based Valuation : Uses a moving average of the midrange price for baseline calculations. No Lag or Stickiness : Reacts promptly to price movements without getting stuck in extreme zones.
How It Works
Consensus Line :
Calculated as a 5-day moving average of the midrange:
Consensus = SMA((High + Low) / 2, 5) .
Offset OHLC Data :
All prices are adjusted relative to the consensus line:
Offset Price = Price - Consensus .
Volatility Normalization :
Adjusted prices are normalized using a 5-day ATR divided by 5:
Normalized Price = Offset Price / (ATR / 5) .
MVI Calculation :
The normalized closing price is plotted as the MVI.
Overbought/Oversold Levels :
Default levels are set at +8 (overbought) and -8 (oversold).
How to Use
Identifying Overbought/Oversold Conditions :
When the MVI crosses above +8 , the asset is overbought, signaling a potential reversal or pullback.
When the MVI drops below -8 , the asset is oversold, indicating a potential bounce or upward move.
Trend Confirmation :
Use the MVI to confirm trends by observing sustained movements above or below zero.
Combine with other trend indicators (e.g., Moving Averages) for robust analysis.
Alerts :
Set alerts for when the MVI crosses overbought or oversold levels to stay informed about potential trading opportunities.
Inputs
ATR Length : Default is 5. Adjust to modify the sensitivity of volatility normalization. Consensus Length : Default is 5. Change to tweak the baseline calculation.
Example
Overbought Signal : MVI exceeds +8 , indicating the asset may reverse from an overvalued position. Oversold Signal : MVI drops below -8 , suggesting the asset may recover from an undervalued state. Flat Market : MVI hovers near zero, indicating price consolidation.
Sentiment Divergence IndicatorThe Sentiment Divergence Indicator (SDI) is a sophisticated tool that combines sentiment analysis with price action to identify potential trade opportunities. By detecting divergences between sentiment data and price movements, the SDI provides early signals of possible trend reversals, helping traders make informed decisions.
How It Works
Sentiment Data Integration:
Utilizes sentiment data from sources such as social media sentiment or news sentiment to gauge market mood.
Analyzes sentiment trends to provide insights into trader psychology.
Price Action Analysis:
Uses indicators like RSI to evaluate price movements.
Detects divergences between sentiment and price to signal potential market reversals.
Divergence Highlighting:
Bullish Divergence: Occurs when sentiment is strong, but the price is weak, indicating a potential upward reversal.
Bearish Divergence: Occurs when sentiment is weak, but the price is strong, indicating a potential downward reversal.
Customization Options:
Lookback Period: Customizable period for sentiment and price analysis.
Divergence Threshold: Adjustable threshold to detect significant divergences.
Signal Colors: Customizable colors for bullish and bearish divergence signals.
Line Thickness: Adjustable line thickness for better visualization.
Visual Representation:
Plots sentiment and price data as oscillators on the chart, similar to RSI.
Highlights bullish and bearish divergences with clear markers.
Alerts:
Custom alerts notify traders when significant divergences are detected, helping them act promptly.
How to Use It
Set Up: Customize the lookback period, divergence threshold, signal colors, and line thickness according to your preference.
Interpret Signals:
Bullish Divergence: Look for buying opportunities when bullish divergences are detected.
Bearish Divergence: Look for selling opportunities when bearish divergences are detected.
Utilize Alerts: Set up alerts to be notified of significant divergences, ensuring you never miss important market signals.
Benefits
Early Reversal Signals: Helps identify potential trend reversals before they occur.
Comprehensive Analysis: Combines sentiment and price action for robust trading insights.
Customizable: Fully customizable to fit individual trading strategies and preferences.
Ideal For
The SDI is ideal for traders looking to leverage sentiment analysis and price action to detect potential market reversals and enhance their trading strategies..
[EmreKb] Supertrend FakeoutSupertrend Fakeout
This script is an enhanced version of the classic Supertrend indicator. It incorporates an additional feature that ensures trend reversals are more reliable by introducing a Fakeout Index Limit and a Fakeout ATR Mult. This helps avoid false trend changes that could occur due to short-term price fluctuations or market noise.
How It Works:
The Supertrend indicator uses Average True Range (ATR) and a multiplier to determine the direction of the trend. When the price is above the Supertrend line, it indicates an uptrend; when the price is below the Supertrend line, it signals a downtrend.
This version goes a step further by adding the following checks before confirming a trend reversal:
The script will monitor if the price moves "Fakeout ATR Mult" ATR away from the Supertrend line after a potential breach. This distance helps ensure that the trend change is significant and not just a minor fluctuation.
In addition, the script checks the price action for a specific number of bars, which is controlled by the Fakeout Index Limit. This limit determines how many bars the price must remain below (for a downtrend) or above (for an uptrend) the Supertrend line before the trend is officially reversed.
PrimeMomentum 1.1The PrimeMomentum indicator is not just an adaptation of classic tools like MA, BB, RSI, or WaveTrend. It is an innovative tool that combines several key elements and offers a unique methodology for market analysis. Its primary goal is to help traders avoid false entries and provide signals for making trading decisions.
What Makes PrimeMomentum Unique?
Integration of Multi-Timeframe Data with a Unique Signal Filtering Approach
PrimeMomentum processes data from four timeframes simultaneously, not merely to display trends but to assess the synchronization of momentum across each timeframe. This allows traders to receive signals only when all intervals confirm the direction. This approach minimizes the risk of false signals often encountered with standard tools.
PrimeMomentum analyzes the market across four timeframes:
TF1 (long-term): Displays the overall market direction.
TF2 (medium-term): Refines the current dynamics.
TF3 (short-term): Provides detailed analysis.
TF4 (very short-term): Confirms entry or exit points.
The combination of data from these timeframes allows traders to avoid frequent switching between intervals, simplifying analysis.
Innovative Reversal Logic
PrimeMomentum features a specialized algorithm for identifying trend reversals. Its uniqueness lies in the interaction between dynamic smoothing (EMA) and multi-level momentum assessment, enabling accurate identification of potential trend reversal points.
Dynamic Adaptation to Market Conditions
The indicator automatically adjusts smoothing parameters and threshold values based on market volatility. This enables it to adapt effectively to both calm and volatile markets.
Signals for entering Long or Short positions are generated only when the following conditions are met:
- Momentum shifts from negative to positive (for Long) or from positive to negative (for Short).
- Dynamic smoothing confirms the trend.
- Defined thresholds are reached.
Trend Strength Assessment
Unlike traditional indicators, PrimeMomentum evaluates not only the direction but also the strength of a trend by analyzing the relationship between momentum across each timeframe. This helps traders understand how stable the current market movement is.
The indicator analyzes price changes over a specific period, determining how much current prices deviate from previous ones. This data allows for assessing the strength of market movements.
Combination of Classic Elements with Proprietary Logic
While PrimeMomentum may utilize some widely known components like EMA, its algorithm is built on proprietary logic for evaluating market conditions. This sets it apart from standard solutions that merely display basic indicators without deeper analysis.
Added Value of PrimeMomentum
Trend Visualization with Concept Explanations
PrimeMomentum provides traders with clear visual signals, simplifying market analysis. Each element (color, line direction) is based on momentum and trend-smoothing concepts, enabling traders to make decisions quickly.
Results are displayed as color-coded lines:
- Dark violet: Long-term trend.
- Blue: Medium-term trend.
- Turquoise and light blue: Short-term trends.
If all momentum lines reach a peak and begin turning downward, it may indicate an approaching bearish trend.
If all lines reach a bottom and start turning upward, it may signal the beginning of a bullish trend.
Reversals can also serve as signals for exiting positions.
MoneyFlow
The PrimeMomentum indicator includes a visualization of MoneyFlow, allowing traders to assess capital flows within the selected timeframe. This functionality helps to analyze market trends more accurately and make well-informed decisions.
MoneyFlow Features:
Dynamic MoneyFlow Visualization:
MoneyFlow is displayed as an area that changes color based on its value:
- Green (with transparency) when MoneyFlow is above zero (positive flow).
- Red (with transparency) when MoneyFlow is below zero (negative flow).
Automatic Scaling:
MoneyFlow values automatically adjust to the chart’s scale to ensure visibility alongside the Momentum lines.
Double Smoothing:
To ensure a smoother and more representation, MoneyFlow uses double smoothing based on EMA.
Customizable Colors and Transparency:
Traders can customize the colors for positive and negative MoneyFlow and adjust the transparency level to fit their preferences.
How MoneyFlow Works:
- MoneyFlow calculations are based on the MFI (Money Flow Index), which considers both price and volume.
- MoneyFlow values are integrated into the overall PrimeMomentum chart and combined with other signals for deeper analysis.
Advantages of the New Functionality:
- Helps quickly identify capital flows into or out of the market.
- Complements Momentum analysis to provide a more comprehensive view of market conditions.
- Enhances decision-making efficiency through flexible visualization settings.
Note: MoneyFlow adapts to the selected timeframe and displays data corresponding to the current interval on the price chart.
Simplicity for Beginners and Depth for Professionals
The indicator is designed to be user-friendly for traders of all experience levels. Beginners benefit from intuitive signals, while experienced traders can leverage in-depth analysis for more complex strategies.
PrimeMomentum Usage Modes
PrimeMomentum adapts to various strategies and supports three modes:
Short-term: Recommended to use a 2H timeframe. Optimal for intraday trading with small TakeProfit levels.
Medium-term: Recommended to use a 1D timeframe for trades lasting several days.
Long-term: Use the 1W timeframe for analyzing global trends.
Support for Different Strategies
Thanks to its flexible settings and support for multiple timeframes, PrimeMomentum is suitable for both day trading and long-term analysis.
Why Is PrimeMomentum Worth Your Attention?
Unlike standard indicators, which often rely solely on basic mathematical models or publicly available components, PrimeMomentum offers a comprehensive approach to market analysis. It combines unique momentum assessment algorithms, multi-timeframe analysis, and volatility adaptation. This not only provides traders with signals but also helps them understand the underlying market processes, making it a truly innovative solution.
Disclaimer
The PrimeMomentum indicator is designed to assist traders in market analysis but does not guarantee future profitability. Its use should be combined with traders' own research and informed decision-making.
Supply and Demand Plus [tambangEA]The Supply and Demand Plus is an advanced version of the highly-regarded Supply and Demand indicator
Designed to offer additional functionality for professional traders. Building on the core features of the original script, the "Plus" version incorporates enhanced zone selection capabilities and multi-timeframe Exponential Moving Averages (EMAs). This makes it a versatile tool for those who seek to refine their trading strategies using supply and demand principles while integrating trend-following techniques.
🔹 New Capabilities in Supply and Demand Plus
1. Customizable Zone Selection:
Users can now choose which specific zones to display on the chart:
Continuation Trader
-Rally-Base-Rally (RBR): Bullish continuation zones.
-Drop-Base-Drop (DBD): Bearish continuation zones.
Contrarian Trader
-Drop-Base-Rally (DBR): Bullish reversal zones.
-Rally-Base-Drop (RBD): Bearish reversal zones.
This feature allows traders to filter the zones relevant to their strategy, reducing chart clutter and enhancing focus.
2. Multi-Timeframe EMAs:
🔹 The Meeting Zone: "Base"
-The meeting zone is where supply meets demand, often referred to as the equilibrium price range. In this range:
-Sellers are willing to sell at prices buyers are willing to pay.
-Trading volume is usually higher as transactions occur more frequently.
-On the candle chart, this area may appear as sideways movement (consolidation) or regions with balanced candle sizes and wicks, signaling relative agreement between buyers and sellers.
🔹 Key Observations in Candle Charts
-Breakouts: When prices break out of a meeting zone, they indicate that one side (buyers or sellers) has gained significant control. This can lead to new supply or demand zones.
-Retests: Often, prices return to test these zones (called pullbacks) before continuing in the dominant direction. Retests confirm the strength of a supply or demand zone.
-Volume Spikes: High trading volumes near these zones signify active participation and can validate the importance of the zone.
The indicator includes five Exponential Moving Averages (EMAs) that can be plotted across different timeframes simultaneously. This enables traders to:
Track trend strength and direction across multiple timeframes.
Identify dynamic support and resistance levels.
Combine EMA signals with supply and demand zones for confluence-based trading decisions.
EMA Settings:
Fully customizable periods (e.g., EMA 20, 50, 100, etc.).
Adjustable colors and thickness for each EMA.
Multi-timeframe capability to analyze higher or lower timeframes without changing the chart.
🔹 How It Works :
The script works through a series of processes:
1.Zone Identification:
-Uses historical price patterns and pivot levels to map out supply and demand zones.
-Zones dynamically adjust to reflect market conditions, staying relevant to current price action.
-The color of the Zone can be set individually
2.Volume and Market Context:
-Integrates volume analysis to filter out weaker zones.
-Highlights zones with confluence between high volume and price rejections, signaling areas of strong institutional interest.
3.Trend Integration:
-Employs proprietary logic to assess market trends, ensuring that traders only act on zones aligned with broader momentum.
-This feature minimizes counter-trend trades, which are inherently riskier.
4.User Customization:
-Fully customizable zone sensitivity, timeframe settings, and visual preferences allow traders to adapt the tool to their strategy.
Four EMAs in sequence from Chart EMAs to Daily EMA are indicators of a strong trend
The "Base" zone of RBR and DBD supported by Daily EMAs within the zone,
is a strong meeting of buyers and sellers in the past.
Zone can be calibrated how many percent comparison of open close candle to high low candle
the number of candles in Base can be set to the maximum number of candles
🔹 Utility for Traders
The indicator provides a clear roadmap for traders by:
-Identifying high-probability trade zones.
-Confirming entries with volume and trend data.
-Offering actionable insights in both trending and ranging markets.
🔹 Why It Stands Out
Unlike generic supply and demand indicators or trend-following tools, Supply and Demand Plus incorporates an original approach by:
-Seamlessly combining zone identification, volume analysis, and trend confirmation into a single cohesive tool.
-Adapting dynamically to changing market conditions.
-Supporting advanced traders with MTFA, while remaining accessible to beginners with its intuitive design.
Example : Continuation Trader + Retests
The idea is when the "Base" zone occurs, then there is a meeting between buyers and sellers with a large enough volume and will leave a trace in the past.
In accordance with one of the principles in Dow Theory, namely History Repeats Itself, the price will return to the "Base" zone, before continuing the trend
Before
After
🔹 Update and Versioning
This script is an evolution of previous Supply and Demand tools, incorporating valuable user feedback and innovative features. All future updates, including improvements and new functionalities, will be integrated within this script under the Update feature, ensuring continuity and ease of access for users.
🔹 Conclusion
We believe that success lies in the association of the user with the indicator, opposed to many traders who have the perspective that the indicator itself can make them become profitable. The reality is much more complicated than that.
The aim is to provide an indicator comprehensive, customizable, and intuitive enough that any trader can be led to understand this truth and develop an actionable perspective of technical indicators as support tools for decision making.
🔹 DISCLAIMER/RISK WARNING
Trading foreign exchange on margin carries a high level of risk, and may not be suitable for all investors.
All content, tools, scripts, articles, & education provided by are purely for informational & educational purposes only. Past performance does not guarantee future results.
TTM Grid StrategyThis strategy uses a TTM (based on EMAs of highs and lows) to determine the market's trend direction.
It then deploys a grid trading system around a dynamically updated base price, with the grid's direction and levels adjusting based on the trend.
Trades are executed as the price crosses the predefined grid levels, with the strategy risking a set percentage of equity per trade.
Core Strategy Logic:
TTM State Calculation (ttmState() function):
* Calculates two EMAs based on the `ttmPeriod`: one for the lows (`lowMA`) and one for the highs (`highMA`).
* Defines two threshold levels: `lowThird` (1/3 from the bottom) and `highThird` (2/3 from the bottom) of the range between `highMA` and `lowMA`.
* Returns the current TTM state as an integer:
+ `1` if the close price is above `highThird` (indicating an uptrend).
+ `0` if the close price is below `lowThird` (indicating a downtrend).
+ `-1` if the close price is between `lowThird` and `highThird` (indicating a neutral state).
Highest Volume EverOverview:
The Highest Volume Ever (HVE) indicator highlights the highest volume bar in the visible chart history. It visually emphasizes significant volume spikes, helping traders identify key moments of market activity, such as breakout signals or accumulation phases.
Key Features:
Automatic Detection of Highest Volume:
The indicator dynamically scans the entire chart history to identify the bar with the highest trading volume, marking it with a clearly visible label.
Volume in Millions:
The label displays the highest volume in millions, providing a concise and readable format for better interpretation.
Adaptive Positioning:
The label is positioned slightly above the volume bar, ensuring it doesn't obstruct other chart elements while remaining close to the bar for easy reference.
Use Cases:
Identify Significant Market Activity: Detect periods of unusually high volume, often indicating the start of strong trends or the end of consolidations.
Confirm Breakouts: High volume often confirms the strength of breakout moves.
Spot Accumulation or Distribution: Unusually high volume can signal institutional buying or selling.
How to Use:
Add the indicator to your chart on TradingView.
The highest volume bar will be highlighted with a green bar and an "HVE" label above it.
Adjust the chart range to see how the indicator dynamically updates.
Perfect for:
Traders who rely on volume analysis to confirm price movements and detect significant market events.
BTC Price Percentage Difference( Bitfinex - Coinbase)Introduction:
The BTC Price Percentage Difference Histogram Indicator is a powerful tool designed to help traders visualize and capitalize on the price discrepancies of Bitcoin (BTC) between two major exchanges: Bitfinex and Coinbase. By calculating the real-time percentage difference of BTC-USD prices and displaying it as a color-coded histogram, this indicator enables you to quickly spot potential arbitrage opportunities and gain deeper insights into market dynamics.
Features:
• Real-Time Percentage Difference Calculation:
• Computes the percentage difference between BTC-USD prices on Bitfinex and Coinbase.
• Color-Coded Histogram Visualization:
• Green Bars: Indicate that the BTC price on Bitfinex is higher than on Coinbase.
• Red Bars: Indicate that the BTC price on Bitfinex is lower than on Coinbase.
• User-Friendly and Intuitive:
• Simple setup with no additional inputs required.
• Automatically adapts to the chart’s timeframe for seamless integration.
Why Bitfinex Whales Matter:
Bitfinex is renowned for hosting some of the largest Bitcoin traders, often referred to as “whales.” These influential players have the capacity to move the market, and historically, they’ve demonstrated a high success rate in buying at market bottoms and selling at market tops. By tracking the price discrepancies between Bitfinex and other exchanges like Coinbase, you can gain valuable insights into the sentiment and actions of these key market participants.
Adaptive Supertrend with Dynamic Optimization [EdgeTerminal]The Enhanced Adaptive Supertrend represents a significant evolution of the traditional Supertrend indicator, incorporating advanced mathematical optimization, dynamic volatility adjustment, intelligent signal filtering, reduced noise and false positives.
Key Features
Dynamic volatility-adjusted bands
Self-optimizing multiplier
Intelligent signal filtering system
Cooldown period to prevent signal clustering
Clear buy/sell signals with optimal positioning
Smooth trend visualization
RSI and MACD integration for confirmation
Performance-based optimization
Dynamic Band Calculation
Dynamic Band Calculation automatically adapts to market volatility, generates wider bands in volatile periods, reducing false signals. It also generates tighter bands in stable periods, capturing smaller moves and smooth transitions between different volatility regimes.
RSI Integration
The RSI and MACD play multiple crucial roles in the Adaptive Supertrend.
It first helps with momentum factor calculation. This dynamically adjusts band width based on momentum conditions. When the RSI is oversold, bands widen by 20% to prevent false signals during strong downtrends and provide more room for price movements in extreme conditions.
When the RSI is overbought, brands tighten by 20% and they become more sensitive to potential reversals to help catch trend changes earlier.
This reduces false signals in strong trends, helps detect potential reversals earlier than the usual, create adaptive band width based on market conditions and finally, better protection against whipsaws.
MACD Integration
The MACD in this supertrend indicator serves as a trend confirmation tool. The idea is to use MACD crossovers to confirm trend changes to reduce false trend change signals and enhance the signal quality.
For this to become a signal, MACD crossovers must align with price movement to help filter out weak or false signals, which acts as an additional layer of trend confirmation.
Additionally, MACD line position relative to signal line indicates trend strength, helps maintain positions in strong trends and assists in early detection of trend weakening.
Momentum Integration
Momentum Integration prevents false signals in extreme conditions, It adjusts dynamic bands based on market momentum, improves trend confirmation in strong moves and reduces whipsaws during consolidations.
Improved signals
There are a few systems to generate better signals, allowing for generally faster signals compared to original supertrend, such as:
Enforced cooldown period between signals
Prevents signal clustering
Clearer entry/exit points
Reduced false signals during choppy markets
Performance Optimization
This script implements a Sharpe ratio-inspired optimization algorithm to balance returns against risk, penalize large drawdowns, adapt parameters in real-time and improve risk-adjusted performance
Parameter Settings
ATR Period: 10 (default) - adjust based on timeframe
Initial Multiplier: 3.0 (default) - will self-optimize
Optimization Period: 50 (default) - longer periods for more stability
Smoothing Period: 3 (default) - adjust for signal smoothness
Best Practices
Use on multiple timeframes for confirmation
Allow the optimization process to run for at least 50 bars
Monitor the adaptive multiplier for trend strength indication
Consider RSI and MACD alignment for stronger signals
Did it move?That is the eternal question in trading.: Is the price moving? This indicators aims to answer that question. It is based on concepts from 2 Bars from "The Strat". This indicator measures the distance the current price is above the previous high or below the previous low and on two timeframes. The assumption is that the price is moving as long as the price is above or below the previous bar.
The distance the price moved is normalized by the standard deviation. This serves the trader in two ways: 1) you can quickly determine if a price movement is significant (score > 1), and 2) you can plan exits when the score falls below 1 (e.g., movement become insignificant). Movement upwards are colored green and down movements are red. When the price is also above the higher timeframe high (below the HTF low), the color are more intense. When the price is not moving, the background is highlighted.
Finally, there are two alert setting. One is for then the price stops moving (movement score falls below a threshold. The other is a exit/reversal warning. For example if there is a strong move in the opposite it will trigger that alert.
WVAD (Optimized Log Scaled)The WVAD (Optimized Log Scaled) indicator is a refined version of the classic Williams' Volume Accumulation/Distribution (WVAD). This version introduces logarithmic scaling for better visualization and usability, especially when dealing with large value ranges. It also includes EMA smoothing to highlight trends and reduce noise, providing traders with a more precise and clear representation of market dynamics.
Key Features:
1.Logarithmic Scaling:
Applies a log-based transformation to the WVAD values, ensuring extreme values are compressed while maintaining the overall structure of the data.
The log scaling allows better readability and interpretation, particularly for volatile or high-volume markets.
2.EMA Smoothing:
Uses an exponential moving average (EMA) to smooth the logarithmic WVAD values.
Helps reduce noise while preserving short-term trends, making it suitable for both trend-following and reversal strategies.
3.Customizable Parameters:
N (Lookback Period): Defines the accumulation period for calculating WVAD.
EMA Smoothing Period: Controls the sensitivity of the EMA applied to the logarithmic WVAD.
Decimal Places: Adjusts the precision of the displayed values for clearer visualization.
Line Colors: Fully customizable colors for both the raw WVAD line and the smoothed EMA.
4.Directional Preservation:
Keeps the positive and negative signs of WVAD to reflect accumulation (buying pressure) or distribution (selling pressure) in the market.
5.Zero Line Reference:
A horizontal zero line is plotted to help traders easily identify bullish (above 0) or bearish (below 0) market conditions.
How to Use:
Identify Trends: The smoothed WVAD line (EMA) can help detect trends or shifts in buying/selling pressure.
Crossovers: Use crossovers of the WVAD with the zero line as potential buy or sell signals.
Divergence: Spot divergences between price and the WVAD for early indications of reversals.
Applications:
Suitable for intraday, swing, or longer-term trading strategies.
Works across various asset classes, including stocks, commodities, and cryptocurrencies.
1 Percent Range TrackerThis indicator is a simple yet effective tool designed to calculate and display ±1% levels relative to the current market price. These levels are dynamically updated in real time, providing clear horizontal lines on the chart to visualize the 1% range above and below the current price.
The indicator also displays the precise numerical values of these levels on the right-hand price axis, making it easy to monitor critical thresholds at a glance.
Breakaway Fair Value Gaps [LuxAlgo]The Breakaway Fair Value Gap (FVG) is a typical FVG located at a point where the price is breaking new Highs or Lows.
🔶 USAGE
In the screenshot above, the price range is visualized by Donchian Channels.
In theory, the Breakaway FVGs should generally be a good indication of market participation, showing favor in the FVG's breaking direction. This is a combination of buyers or sellers pushing markets quickly while already at the highest high or lowest low in recent history.
While this described reasoning seems conventional, looking into it inversely seems to reveal a more effective use of these formations.
When the price is pushed to the extremities of the current range, the price is already potentially off balance and over-extended. Then an FVG is created, extending the price further out of balance.
With this in consideration, After identifying a Breakaway FVG, we could logically look for a reversion to re-balance the gap.
However, it would be illogical to believe that the FVG will immediately mitigate after formation. Because of this, the dashboard display for this indicator shows the analysis for the mitigation likelihood and timeliness.
In the example above, the information in the dashboard would read as follows (Bearish example):
Out of 949 Bearish Breakaway FVGs, 80.19% are shown to be mitigated within 60 bars, with the average mitigation time being 13 bars.
The other 19.81% are not mitigated within 60 bars. This could mean the FVG was mitigated after 60 bars, or it was never mitigated.
The unmitigated FVGs within the analysis window will extend their mitigation level to the current bar. We can see the number of bars since the formation is represented to the right of the live mitigation level.
Utilizing the current distance readout helps to better judge the likelihood of a level being mitigated.
Additionally, when considering these mitigation levels as targets, an additional indicator or analysis can be used to identify specific entries, which would further aid in a system's reliability.
🔶 SETTINGS
Trend Length: Sets the (DC) Trend length to use for Identifying Breakaway FVGs.
Show Mitigation Levels: Optionally hide mitigation levels if you would prefer only to see the Breakaway FVGs.
Maximum Duration: Sets the analysis duration for FVGs, Past this length in bars, the FVG is counted as "Un-Mitigated".
Show Dashboard: Optionally hide the dashboard.
Use Median Duration: Display the Median of the Bar Length data set rather than the Average.
Fancy Oscillator Screener [Daveatt]⬛ OVERVIEW
Building upon LeviathanCapital original RSI Screener (), this enhanced version brings comprehensive technical analysis capabilities to your trading workflow. Through an intuitive grid display, you can monitor multiple trading instruments simultaneously while leveraging powerful indicators to identify market opportunities in real-time.
⬛ FEATURES
This script provides a sophisticated visualization system that supports both cross rates and heat map displays, allowing you to track exchange rates and percentage changes with ease. You can organize up to 40 trading pairs into seven customizable groups, making it simple to focus on specific market segments or trading strategies.
If you overlay on any circle/asset on the chart, you'll see the accurate oscillator value displayed for that asset
⬛ TECHNICAL INDICATORS
The screener supports the following oscillators:
• RSI - the oscillator from the original script version
• Awesome Oscillator
• Chaikin Oscillator
• Stochastic RSI
• Stochastic
• Volume Oscillator
• CCI
• Williams %R
• MFI
• ROC
• ATR Multiple
• ADX
• Fisher Transform
• Historical Volatility
• External : connect your own custom oscillator
⬛ DYNAMIC SCALING
One of the key improvements in this version is the implementation of dynamic chart scaling. Unlike the original script which was optimized for RSI's 0-100 range, this version automatically adjusts its scale based on the selected oscillator.
This adaptation was necessary because different indicators operate on vastly different numerical ranges - for instance, CCI typically ranges from -200 to +200, while Williams %R operates from -100 to 0.
The dynamic scaling ensures that each oscillator's data is properly displayed within its natural range, making the visualization both accurate and meaningful regardless of which indicator you choose to use.
⬛ ALERTS
I've integrated a comprehensive alert system that monitors both overbought and oversold conditions.
Users can now set custom threshold levels for their alerts.
When any asset in your monitored group crosses these thresholds, the system generates an alert, helping you catch potential trading opportunities without constant manual monitoring.
em will help you stay informed of market movements and potential trading opportunities.
I hope you'll find this tool valuable in your trading journey
All the BEST,
Daveatt
DNSE VN301!, SMA & EMA Cross StrategyDiscover the tailored Pinescript to trade VN30F1M Future Contracts intraday, the strategy focuses on SMA & EMA crosses to identify potential entry/exit points. The script closes all positions by 14:25 to avoid holding any contracts overnight.
HNX:VN301!
www.tradingview.com
Setting & Backtest result:
1-minute chart, initial capital of VND 100 million, entering 4 contracts per time, backtest result from Jan-2024 to Nov-2024 yielded a return over 40%, executed over 1,000 trades (average of 4 trades/day), winning trades rate ~ 30% with a profit factor of 1.10.
The default setting of the script:
A decent optimization is reached when SMA and EMA periods are set to 60 and 15 respectively while the Long/Short stop-loss level is set to 20 ticks (2 points) from the entry price.
Entry & Exit conditions:
Long signals are generated when ema(15) crosses over sma(60) while Short signals happen when ema(15) crosses under sma(60). Long orders are closed when ema(15) crosses under sma(60) while Short orders are closed when ema(15) crosses over sma(60).
Exit conditions happen when (whichever came first):
Another Long/Short signal is generated
The Stop-loss level is reached
The Cut-off time is reached (14:25 every day)
*Disclaimers:
Futures Contracts Trading are subjected to a high degree of risk and price movements can fluctuate significantly. This script functions as a reference source and should be used after users have clearly understood how futures trading works, accessed their risk tolerance level, and are knowledgeable of the functioning logic behind the script.
Users are solely responsible for their investment decisions, and DNSE is not responsible for any potential losses from applying such a strategy to real-life trading activities. Past performance is not indicative/guarantee of future results, kindly reach out to us should you have specific questions about this script.
---------------------------------------------------------------------------------------
Khám phá Pinescript được thiết kế riêng để giao dịch Hợp đồng tương lai VN30F1M trong ngày, chiến lược tập trung vào các đường SMA & EMA cắt nhau để xác định các điểm vào/ra tiềm năng. Chiến lược sẽ đóng tất cả các vị thế trước 14:25 để tránh giữ bất kỳ hợp đồng nào qua đêm.
Thiết lập & Kết quả backtest:
Chart 1 phút, vốn ban đầu là 100 triệu đồng, vào 4 hợp đồng mỗi lần, kết quả backtest từ tháng 1/2024 tới tháng 11/2024 mang lại lợi nhuận trên 40%, thực hiện hơn 1.000 giao dịch (trung bình 4 giao dịch/ngày), tỷ lệ giao dịch thắng ~ 30% với hệ số lợi nhuận là 1,10.
Thiết lập mặc định của chiến lược:
Đạt được một mức tối ưu ổn khi SMA và EMA periods được đặt lần lượt là 60 và 15 trong khi mức cắt lỗ được đặt thành 20 tick (2 điểm) từ giá vào.
Điều kiện Mở và Đóng vị thế:
Tín hiệu Long được tạo ra khi ema(15) cắt trên sma(60) trong khi tín hiệu Short xảy ra khi ema(15) cắt dưới sma(60). Lệnh Long được đóng khi ema(15) cắt dưới sma(60) trong khi lệnh Short được đóng khi ema(15) cắt lên sma(60).
Điều kiện đóng vị thể xảy ra khi (tùy điều kiện nào đến trước):
Một tín hiệu Long/Short khác được tạo ra
Giá chạm mức cắt lỗ
Lệnh chưa đóng nhưng tới giờ cut-off (14:25 hàng ngày)
*Tuyên bố miễn trừ trách nhiệm:
Giao dịch hợp đồng tương lai có mức rủi ro cao và giá có thể dao động đáng kể. Chiến lược này hoạt động như một nguồn tham khảo và nên được sử dụng sau khi người dùng đã hiểu rõ cách thức giao dịch hợp đồng tương lai, đã đánh giá mức độ chấp nhận rủi ro của bản thân và hiểu rõ về logic vận hành của chiến lược này.
Người dùng hoàn toàn chịu trách nhiệm về các quyết định đầu tư của mình và DNSE không chịu trách nhiệm về bất kỳ khoản lỗ tiềm ẩn nào khi áp dụng chiến lược này vào các hoạt động giao dịch thực tế. Hiệu suất trong quá khứ không chỉ ra/cam kết kết quả trong tương lai, vui lòng liên hệ với chúng tôi nếu bạn có thắc mắc cụ thể về chiến lược giao dịch này.
Trend Stability Index (TSI)Overview
The Trend Stability Index (TSI) is a technical analysis tool designed to evaluate the stability of a market trend by analyzing both price movements and trading volume. By combining these two crucial elements, the TSI provides traders with insights into the strength and reliability of ongoing trends, assisting in making informed trading decisions.
Key Features
• Dual Analysis: Integrates price changes and volume fluctuations to assess trend stability.
• Customizable Periods: Allows users to set evaluation periods for both trend and volume based on their trading preferences.
• Visual Indicators: Displays the Trend Stability Index as a line chart, highlights neutral zones, and uses background colors to indicate trend stability or instability.
Configuration Settings
1. Trend Length (trendLength)
• Description: Determines the number of periods over which the price stability is evaluated.
• Default Value: 15
• Usage: A longer trend length smooths out short-term volatility, providing a clearer picture of the overarching trend.
2. Volume Length (volumeLength)
• Description: Sets the number of periods over which trading volume changes are assessed.
• Default Value: 15
• Usage: Adjusting the volume length helps in capturing significant volume movements that may influence trend strength.
Calculation Methodology
The Trend Stability Index is calculated through a series of steps that analyze both price and volume changes:
1. Price Change Rate (priceChange)
• Calculation: Utilizes the Rate of Change (ROC) function on the closing prices over the specified trendLength.
• Purpose: Measures the percentage change in price over the trend evaluation period, indicating the direction and momentum of the price movement.
2. Volume Change Rate (volumeChange)
• Calculation: Applies the Rate of Change (ROC) function to the trading volume over the specified volumeLength.
• Purpose: Assesses the percentage change in trading volume, providing insight into the conviction behind price movements.
3. Trend Stability (trendStability)
• Calculation: Multiplies priceChange by volumeChange.
• Purpose: Combines price and volume changes to gauge the overall stability of the trend. A higher positive value suggests a strong and stable trend, while negative values may indicate trend weakness or reversal.
4. Trend Stability Index (TSI)
• Calculation: Applies a Simple Moving Average (SMA) to the trendStability over the trendLength period.
• Purpose: Smooths the trend stability data to create a more consistent and interpretable index.
Trend/Ranging Determination
• Stable Trend (isStable)
• Condition: When the TSI value is greater than 0.
• Interpretation: Indicates that the current trend is stable and likely to continue in its direction.
• Unstable Trend / Range-bound Market
• Condition: When the TSI value is less than or equal to 0.
• Interpretation: Suggests that the trend may be weakening, reversing, or that the market is moving sideways without a clear direction.
Visualization
The TSI indicator employs several visual elements to convey information effectively:
1. TSI Line
• Representation: Plotted as a blue line.
• Purpose: Displays the Trend Stability Index values over time, allowing traders to observe trend stability dynamics.
2. Neutral Horizontal Line
• Representation: A gray horizontal line at the 0 level.
• Purpose: Serves as a reference point to distinguish between stable and unstable trends.
3. Background Color
• Stable Trend: Green background with 80% transparency when isStable is true.
• Unstable Trend: Red background with 80% transparency when isStable is false.
• Purpose: Provides an immediate visual cue about the current trend’s stability, enhancing the interpretability of the indicator.
Usage Guidelines
• Identifying Trend Strength: Utilize the TSI to confirm the strength of existing trends. A consistently positive TSI suggests strong trend momentum, while a negative TSI may signal caution or a potential reversal.
• Volume Confirmation: The integration of volume changes helps in validating price movements. Significant price changes accompanied by corresponding volume shifts can reinforce the reliability of the trend.
• Entry and Exit Signals: Traders can use crossovers of the TSI with the neutral line (0 level) as potential entry or exit points. For instance, a crossover from below to above 0 may indicate a bullish trend initiation, while a crossover from above to below 0 could suggest bearish momentum.
• Combining with Other Indicators: To enhance trading strategies, consider using the TSI in conjunction with other technical indicators such as Moving Averages, RSI, or MACD for comprehensive market analysis.
Example Scenario
Imagine analyzing a stock with the following observations using the TSI:
• The TSI has been consistently above 0 for the past 30 periods, accompanied by increasing trading volume. This scenario indicates a strong and stable uptrend, suggesting that buying opportunities may be favorable.
• Conversely, if the TSI drops below 0 while the price remains relatively flat and volume decreases, it may imply that the current trend is losing momentum, and the market could be entering a consolidation phase or preparing for a trend reversal.
Conclusion
The Trend Stability Index is a valuable tool for traders seeking to assess the reliability and strength of market trends by integrating price and volume dynamics. Its customizable settings and clear visual indicators make it adaptable to various trading styles and market conditions. By incorporating the TSI into your trading analysis, you can enhance your ability to identify and act upon stable and profitable trends.
Momentum BBPCT Z-Score [QuantAlgo]Momentum BBPCT Z-Score 💫📈
The Momentum BBPCT Z-Score by QuantAlgo is an advanced indicator designed to identify statistical extremes and momentum shifts in price action across various timeframes and market conditions. This system combines Bollinger Bands percentage analysis with Z-score calculations and Statistical Momentum evaluation to help traders and investors identify overbought/oversold conditions and trend strength. By evaluating both statistical extremes and momentum together, this tool empowers users to make data-driven decisions, whether they aim to follow trends or capture mean reversion opportunities.
💫 Conceptual Foundation and Innovation
The Momentum BBPCT Z-Score by QuantAlgo provides a unique framework for assessing price action and momentum through a blend of statistical analysis and momentum evaluation. Unlike traditional Bollinger Band indicators that only reflect price position, this system incorporates Z-score normalization to reveal statistically significant deviations, helping users determine whether price movements are extreme relative to historical norms. By combining high-quality momentum analysis with Z-scores of Bollinger Band positioning, it evaluates both statistical probabilities and momentum quality, while Z-scores standardize deviations from historical trends, enabling traders and investors to spot extreme conditions. This dual approach allows users to better identify mean reversion opportunities while respecting strong momentum conditions, enhancing both counter-trend and trend-following strategies.
📊 Technical Composition and Calculation
The Momentum BBPCT Z-Score is composed of several statistical and momentum components that create a dynamic dual scoring model:
Bollinger Bands Percentage (BBPCT) : Measures the relative position of price between bands on a 0-100 scale, providing a normalized view of price extremes relative to the bands.
Z-Score Normalization : Applies statistical normalization to BBPCT values to identify significant deviations from historical means, helping traders and investors quantify the extremity of current market conditions.
Statistical Momentum Analysis : Evaluates price action across multiple periods to determine momentum strength and persistence, adding depth to the analysis beyond simple price positioning.
📈 Key Indicators and Features
The Momentum BBPCT Z-Score combines various statistical and technical tools to deliver a well-rounded analysis of market conditions.
The indicator utilizes dynamic Bollinger Bands with customizable length and standard deviation multipliers to adapt to market volatility. Z-score calculations are applied to normalize the percentage position within these bands, providing clear statistical context for price movements. The Statistical Momentum component evaluates price action across user-defined periods, helping validate trends and identify potential reversals.
The indicator also incorporates multi-layered visualization with gradient color coding to signal both statistical extremes and momentum conditions. These adaptive visual cues, combined with threshold-based alerts for overbought and oversold zones, help traders and investors track both statistical extremes and momentum shifts, adding reliability to both mean-reversion and trend-following strategies.
⚡️ Practical Applications and Examples
✅ Add the Indicator: Add the indicator to your TradingView chart by clicking on the star icon to add it to your favorites ⭐️
👀 Monitor Z-Scores and Momentum: Watch the Z-score values and momentum state to identify statistically significant price movements. During extreme readings, consider mean reversion opportunities, while strong momentum readings may signal trend-following opportunities.
🔔 Set Alerts: Configure alerts for Z-score extremes and momentum shifts, ensuring you can act on significant statistical and trend changes promptly.
🌟 Summary
The Momentum BBPCT Z-Score by QuantAlgo is a highly adaptable tool, designed to support both statistical and momentum analysis across different market environments. By combining Z-score normalized Bollinger Band positioning with Statistical Momentum Analysis, it helps traders and investors identify statistically significant price movements while measuring momentum quality, providing more reliable trading signals. The tool's flexibility across timeframes makes it ideal for both mean reversion and trend-following strategies, allowing users to capture opportunities while maintaining statistical rigor in their analysis.
Top-Down Trend and Key Levels with Swing Points//by antaryaami0
Overview
The “Top-Down Trend and Key Levels with Swing Points” indicator is a comprehensive tool designed to enhance your technical analysis by integrating multiple trading concepts into a single, easy-to-use script. It combines higher timeframe trend analysis, key price levels, swing point detection, and ranging market identification to provide a holistic view of market conditions. This indicator is particularly useful for traders who employ multi-timeframe analysis, support and resistance levels, and price action strategies.
Key Features
1. Higher Timeframe Trend Background Shading:
• Purpose: Identifies the prevailing trend on a higher timeframe to align lower timeframe trading decisions with the broader market direction.
• How it Works: The indicator compares the current higher timeframe close with the previous one to determine if the trend is up, down, or ranging.
• Customization:
• Trend Timeframe: Set your preferred higher timeframe (e.g., Daily, Weekly).
• Up Trend Color & Down Trend Color: Customize the background colors for uptrends and downtrends.
• Ranging Market Color: A separate color to indicate when the market is moving sideways.
2. Key Price Levels:
• Previous Day High (PDH) and Low (PDL):
• Purpose: Identifies key support and resistance levels from the previous trading day.
• Visualization: Plots horizontal lines at PDH and PDL with labels.
• Customization: Option to show or hide these levels and customize their colors.
• Pre-Market High (PMH) and Low (PML):
• Purpose: Highlights the price range during the pre-market session, which can indicate potential breakout levels.
• Visualization: Plots horizontal lines at PMH and PML with labels.
• Customization: Option to show or hide these levels and customize their colors.
3. First 5-Minute Marker (F5H/F5L):
• Purpose: Marks the high or low of the first 5 minutes after the market opens, which is significant for intraday momentum.
• How it Works:
• If the first 5-minute high is above the Pre-Market High (PMH), an “F5H” label is placed at the first 5-minute high.
• If the first 5-minute high is below the PMH, an “F5L” label is placed at the first 5-minute low.
• Visualization: Labels are placed at the 9:35 AM candle (closing of the first 5 minutes), colored in purple by default.
• Customization: Option to show or hide the marker and adjust the marker color.
4. Swing Points Detection:
• Purpose: Identifies significant pivot points in price action to help recognize trends and reversals.
• How it Works: Uses left and right bars to detect pivot highs and lows, then determines if they are Higher Highs (HH), Lower Highs (LH), Higher Lows (HL), or Lower Lows (LL).
• Visualization: Plots small markers (circles) with labels (HH, LH, HL, LL) at the corresponding swing points.
• Customization: Adjust the number of left and right bars for pivot detection and the size of the markers.
5. Ranging Market Detection:
• Purpose: Identifies periods when the market is consolidating (moving sideways) within a defined price range.
• How it Works: Calculates the highest high and lowest low over a specified period and determines if the price range is within a set percentage threshold.
• Visualization: Draws a gray box around the price action during the ranging period and labels the high and low prices at the end of the range.
• Customization: Adjust the range detection period and threshold, as well as the box color.
6. Trend Coloring on Chart:
• Purpose: Provides a visual cue for the short-term trend based on a moving average.
• How it Works: Colors the candles green if the price is above the moving average and red if below.
• Customization: Set the moving average length and customize the uptrend and downtrend colors.
How to Use the Indicator
1. Adding the Indicator to Your Chart:
• Copy the Pine Script code provided and paste it into the Pine Script Editor on TradingView.
• Click “Add to Chart” to apply the indicator.
2. Configuring Inputs and Settings:
• Access Inputs:
• Click on the gear icon next to the indicator’s name on your chart to open the settings.
• Customize Key Levels:
• Show Pre-Market High/Low: Toggle on/off.
• Show Previous Day High/Low: Toggle on/off.
• Show First 5-Minute Marker: Toggle on/off.
• Set Trend Parameters:
• Trend Timeframe for Background: Choose the higher timeframe for trend analysis.
• Moving Average Length for Bar Color: Set the period for the moving average used in bar coloring.
• Adjust Ranging Market Detection:
• Range Detection Period: Specify the number of bars to consider for range detection.
• Range Threshold (%): Set the maximum percentage range for the market to be considered ranging.
• Customize Visuals:
• Colors: Adjust colors for trends, levels, markers, and ranging market boxes.
• Label Font Size: Choose the size of labels displayed on the chart.
• Level Line Width: Set the thickness of the lines for key levels.
3. Interpreting the Indicator:
• Background Shading:
• Green Shade: Higher timeframe is in an uptrend.
• Red Shade: Higher timeframe is in a downtrend.
• Gray Box: Market is ranging (sideways movement).
• Key Levels and Markers:
• PDH and PDL Lines: Represent resistance and support from the previous day.
• PMH and PML Lines: Indicate potential breakout levels based on pre-market activity.
• F5H/F5L Labels: Early indication of intraday momentum after market open.
• Swing Point Markers:
• HH (Higher High): Suggests bullish momentum.
• LH (Lower High): May indicate a potential bearish reversal.
• HL (Higher Low): Supports bullish continuation.
• LL (Lower Low): Indicates bearish momentum.
• Ranging Market Box:
• Gray Box Around Price Action: Highlights consolidation periods where breakouts may occur.
• Range High and Low Labels: Provide the upper and lower bounds of the consolidation zone.
4. Applying the Indicator to Your Trading Strategy:
• Trend Alignment:
• Use the higher timeframe trend shading to align your trades with the broader market direction.
• Key Levels Trading:
• Watch for price reactions at PDH, PDL, PMH, and PML for potential entry and exit points.
• Swing Points Analysis:
• Identify trend continuations or reversals by observing the sequence of HH, HL, LH, and LL.
• Ranging Market Strategies:
• During ranging periods, consider range-bound trading strategies or prepare for breakout trades when the price exits the range.
• Intraday Momentum:
• Use the F5H/F5L marker to gauge early market sentiment and potential intraday trends.
Practical Tips
• Adjust Settings to Your Trading Style:
• Tailor the indicator’s inputs to match your preferred timeframes and trading instruments.
• Combine with Other Indicators:
• Use in conjunction with volume indicators, oscillators, or other technical tools for additional confirmation.
• Backtesting:
• Apply the indicator to historical data to observe how it performs and refine your settings accordingly.
• Stay Updated on Market Conditions:
• Be aware of news events or economic releases that may impact market behavior and the effectiveness of technical levels.
Customization Options
• Time Zone Adjustment:
• The script uses “America/New_York” time zone by default. Adjust the timezone variable in the script if your chart operates in a different time zone.
var timezone = "Your/Timezone"
• Session Times:
• Modify the Regular Trading Session and Pre-Market Session times in the indicator settings to align with the trading hours of different markets or exchanges.
• Visual Preferences:
• Colors: Personalize the indicator’s colors to suit your visual preferences or to enhance visibility.
• Label Sizes: Adjust label sizes if you find them too intrusive or not prominent enough.
• Marker Sizes: Further reduce or enlarge the swing point markers by modifying the swing_marker_size variable.
Understanding the Indicator’s Logic
1. Higher Timeframe Trend Analysis:
• The indicator retrieves the closing prices of a higher timeframe using the request.security() function.
• It compares the current higher timeframe close with the previous one to determine the trend direction.
2. Key Level Calculation:
• Previous Day High/Low: Calculated by tracking the highest and lowest prices of the previous trading day.
• Pre-Market High/Low: Calculated by monitoring price action during the pre-market session.
3. First 5-Minute Marker Logic:
• At 9:35 AM (end of the first 5 minutes after market open), the indicator evaluates whether the first 5-minute high is above or below the PMH.
• It then places the appropriate label (F5H or F5L) on the chart.
4. Swing Points Detection:
• The script uses ta.pivothigh() and ta.pivotlow() functions to detect pivot points.
• It then determines the type of swing point based on comparisons with previous swings.
5. Ranging Market Detection:
• The indicator looks back over a specified number of bars to find the highest high and lowest low.
• It calculates the percentage difference between these two points.
• If the difference is below the set threshold, the market is considered to be ranging, and a box is drawn around the price action.
Limitations and Considerations
• Indicator Limitations:
• Maximum Boxes and Labels: Due to Pine Script limitations, there is a maximum number of boxes and labels that can be displayed simultaneously.
• Performance Impact: Adding multiple visual elements (boxes, labels, markers) can affect the performance of the script on lower-end devices or with large amounts of data.
• Market Conditions:
• False Signals: Like any technical tool, the indicator may produce false signals, especially during volatile or erratic market conditions.
• Not a Standalone Solution: This indicator should be used as part of a comprehensive trading strategy, including risk management and other forms of analysis.
Conclusion
The “Top-Down Trend and Key Levels with Swing Points” indicator is a versatile tool that integrates essential aspects of technical analysis into one script. By providing insights into higher timeframe trends, highlighting key price levels, detecting swing points, and identifying ranging markets, it equips traders with valuable information to make more informed trading decisions. Whether you are a day trader looking for intraday opportunities or a swing trader aiming to align with the broader trend, this indicator can enhance your chart analysis and trading strategy.
Disclaimer
Trading involves significant risk, and it’s important to understand that past performance is not indicative of future results. This indicator is a tool to assist in analysis and should not be solely relied upon for making trading decisions. Always conduct thorough research and consider seeking advice from financial professionals before engaging in trading activities.
Icaro [VekiSeba]
Icaro Indicator: Monitoring Price Extensions
Overview
The Icarus Indicator is a tool designed to help traders identify critical points in the price movements of financial assets. Inspired by the Greek myth of Icarus , this indicator alerts on potential exhaustions in bullish movements or significant price extensions. It is ideal for traders looking to optimize profitability and make strategic decisions on when to exit a position, thereby minimizing the risk of dramatic price reversals.
How the Indicator Works: The Icarus Indicator combines various volatility and trend metrics to provide signals:
ATR (Average True Range): Measures the asset’s volatility, providing insight into the intensity of price movements. This component is crucial for understanding the strength behind the asset’s fluctuations.
Gain from Average Trend: This metric calculates how much the current price has deviated from an average trend line. It helps identify how extended or overvalued the price might be in relation to its overall trend.
ATR Acceleration: Assesses how the pace of volatility change compares to its recent average, indicating rapid changes in volatility that might suggest an increase in momentum or an early warning of overextension.
Visual Signals:
Wing Momentum (Purple Cross): Indicates a significant increase in volatility acceleration, suggesting that the price may be entering a phase of unusual momentum. There is also the potential that this signal could lead to a correction.
Solar Roof (Red Circle): Activates when the price reaches an exhaustion level as defined by the user’s threshold, indicating a possible turning point or correction.
NASDAQ:SMCI
Configuration and Use: Users can customize the "Flight Threshold" to adjust the sensitivity of the indicator to their specific trading strategies. Modifying this threshold allows the indicator to be less or more reactive to the asset’s fluctuations.
Originality and Utility of the Indicator: Icarus stands out from other indicators with its unique focus on measuring volatility, offering a dynamic perspective on the asset's conditions. A notable feature of Icarus is its ability to reduce the number of false signals through its specialized formula, which prioritizes accuracy over the frequency of alerts. Although this may mean that the indicator does not react to all price extensions and might occasionally overlook some, it is intentionally designed to provide a higher percentage of correct signals when it does issue an alert. This "lower frequency, higher accuracy" approach is particularly valuable for traders who prefer the quality of signals over quantity, thus minimizing reactions to incorrect market movements and optimizing trading decisions based on highly reliable indicators. However, it is important to note that no indicator, including Icarus, can guarantee 100% effectiveness. Indeed, we cannot quantify the exact success rate of Icarus, as its performance can vary widely depending on the volatility of each asset and the market context at any given time.
True Range Trend StrengthThis script is designed to analyze trend strength using True Range calculations alongside Donchian Channels and smoothed moving averages. It provides a dynamic way to interpret market momentum, trend reversals, and anticipate potential entry points for trades.
Key Functionalities:
Trend Strength Oscillator:
Calculates trend strength based on the difference between long and short momentum derived from ATR (Average True Range) adjusted stop levels.
Smooths the trend strength using a simple moving average for better readability.
Donchian Channels on Trend Strength Oscillator:
Plots upper and lower Donchian Channels on the smoothed trend strength oscillator.
Traders can use these levels to anticipate breakout points and determine the strength of a trend.
Zero-Cross Shading:
Highlights bullish and bearish zones with shaded backgrounds:
Green for bullish zones where smoothed trend strength is above zero.
Red for bearish zones where smoothed trend strength is below zero.
Moving Averages for Oscillator:
Overlays fast and slow moving averages on the oscillator to provide crossover signals:
Fast MA Cross Above Slow MA: Indicates bullish momentum.
Fast MA Cross Below Slow MA: Indicates bearish momentum.
Alerts:
Alerts are available for MA crossovers, allowing traders to receive timely notifications about potential trend reversals or continuation signals.
Anticipating Entries with Donchian Channels:
The integration of Donchian Channels offers an edge in anticipating excellent trade entries.
Traders can use the oscillator's position relative to the channels to gauge oversold/overbought conditions or potential breakouts.
Use Case:
This script is particularly useful for traders looking to:
Identify the strength and direction of market trends.
Time entries and exits based on dynamic Donchian Channel levels and trend strength analysis.
Incorporate moving averages and visual cues for better decision-making.