MA Cross HeatmapThe Moving Average Cross Heatmap Created by Technicator , visualizes the crossing distances between multiple moving averages using a heat map style color coding.
The main purpose of this visualization is to help identify potential trend changes or trading opportunities by looking at where the moving averages cross over each other.
Key Features:
Can plot up to 9 different moving average with their cross lengths you set
Uses a heat map to show crossing distances between the MAs
Adjustable settings like crossing length percentage, color scheme, color ceiling etc.
Overlay style separates the heat map from the price chart
This is a unique way to combine multiple MA analysis with a visual heat map representation on one indicator. The code allows you to fine-tune the parameters to suit your trading style and preferences. Worth checking out if you trade using multiple moving average crossovers as part of your strategy.
Осцилляторы
Oscillator Suite [KFB Quant]Oscillator Suite is a indicator designed to revolutionize your trading strategy. Developed by kikfraben, this innovative tool aggregates eleven powerful oscillators into one intuitive interface, providing you with a comprehensive view of market sentiment like never before.
Originality and Innovation:
Unlike traditional indicators that focus on single aspects of market analysis, Oscillator Suite stands out by integrating multiple oscillators, making it a pioneering solution in technical analysis. This unique approach empowers traders to gain deeper insights into market dynamics and make more informed trading decisions.
Functionality:
Oscillator Suite calculates signals for each selected oscillator based on its specific formula, offering a diverse range of market insights. Whether you're assessing trend strength, market momentum, or price movements, this indicator has you covered.
Aggregated Score:
The indicator combines signals from all chosen oscillators into an aggregated score, providing a holistic assessment of market sentiment. This aggregated score serves as a powerful tool for identifying trends and potential trading opportunities.
Customization and Ease of Use:
With customizable parameters such as colors, smoothing options, and oscillator settings, Oscillator Suite can be tailored to suit your unique trading style and preferences. Its user-friendly interface makes it easy to interpret and act upon the information presented.
How to Use:
Identify Trends: Analyze the aggregated score and individual oscillator signals to identify prevailing market trends.
Confirm Trade Signals: Use multiple oscillator alignments to strengthen the conviction behind trade signals.
Manage Risk: Gain insight into potential reversals or trend continuations to effectively manage risk.
This is not financial advice. Trading is risky & most traders lose money. Past performance does not guarantee future results. This indicator is for informational & educational purposes only.
Dual RSI Differential - Strategy [presentTrading]█ Introduction and How it is Different
The Dual RSI Differential Strategy introduces a nuanced approach to market analysis and trading decisions by utilizing two Relative Strength Index (RSI) indicators calculated over different time periods. Unlike traditional strategies that employ a single RSI and may signal premature or delayed entries, this method leverages the differential between a shorter and a longer RSI. This approach pinpoints more precise entry and exit points, providing a refined tool for traders to exploit market conditions effectively, particularly in overbought and oversold scenarios.
Most important: it is a good eductional code for swing trading.
For beginners, this Pine Script provides a complete function that includes crucial elements such as holding days and the option to configure take profit/stop loss settings:
- Hold Days: This feature ensures that trades are not exited too hastily, helping traders to ride out short-term market volatility. It's particularly valuable for swing trading where maintaining positions slightly longer can lead to capturing significant trends.
- TPSL Condition (None by default): This setting allows traders to focus solely on the strategy's robust entry and exit signals without being constrained by preset profit or loss limits. This flexibility is crucial for learning to adjust strategy settings based on personal risk tolerance and market observations.
BTCUSD 6h LS Performance
█ Strategy, How It Works: Detailed Explanation
🔶 RSI Calculation:
The RSI is a momentum oscillator that measures the speed and change of price movements. It is calculated using the formula:
RSI = 100 - (100 / (1 + RS))
Where RS (Relative Strength) = Average Gain of up periods / Average Loss of down periods.
🔶 Dual RSI Setup:
This strategy involves two RSI indicators:
RSI_Short (RSI_21): Calculated over a short period (21 days).
RSI_Long (RSI_42): Calculated over a longer period (42 days).
Differential Calculation:
The strategy focuses on the differential between these two RSIs:
RSI Differential = RSI_Long - RSI_Short
This differential helps to identify when the shorter-term sentiment diverges from longer-term trends, signaling potential trading opportunities.
BTCUSD Local picuture
🔶 Signal Triggers:
Entry Signal: A buy (long) signal is triggered when the RSI Differential exceeds -5, suggesting strengthening short-term momentum. Conversely, a sell (short) signal occurs when the RSI Differential falls below +5, indicating weakening short-term momentum.
Exit Signal: Trades are generally exited when the RSI Differential reverses past these thresholds, indicating a potential momentum shift.
█ Trade Direction
This strategy accommodates various trading preferences by allowing selections among long, short, or both directions, thus enabling traders to capitalize on diverse market movements and volatility.
█ Usage
The Dual RSI Differential Strategy is particularly suited for:
Traders who prefer a systematic approach to capture market trends.
Those who seek to minimize risks associated with rapid and unexpected market movements.
Traders who value strategies that can be finely tuned to different market conditions.
█ Default Settings
- Trading Direction: Both — allows capturing of upward and downward market movements.
- Short RSI Period: 21 days — balances sensitivity to market movements.
- Long RSI Period: 42 days — smoothens out longer-term fluctuations to provide a clearer market trend.
- RSI Difference Level: 5 — minimizes false signals by setting a moderate threshold for action.
Use Hold Days: True — introduces a temporal element to trading strategy, holding positions to potentially enhance outcomes.
- Hold Days: 5 — ensures that trades are not exited too hastily, helping to ride out short-term volatility.
- TPSL Condition: None — enables traders to focus solely on the strategy's entry and exit signals without preset profit or loss limits.
- Take Profit Percentage: 15% — aims for significant market moves to lock in profits.
- Stop Loss Percentage: 10% — safeguards against large losses, essential for long-term capital preservation.
Price Ratio Indicator [ChartPrime]The Price Ratio Indicator is a versatile tool designed to analyze the relationship between the price of an asset and its moving average. It helps traders identify overbought and oversold conditions in the market, as well as potential trend reversals.
◈ User Inputs:
MA Length: Specifies the length of the moving average used in the calculation.
MA Type Fast: Allows users to choose from various types of moving averages such as Exponential Moving Average (EMA), Simple Moving Average (SMA), Weighted Moving Average (WMA), Volume Weighted Moving Average (VWMA), Relative Moving Average (RMA), Double Exponential Moving Average (DEMA), Triple Exponential Moving Average (TEMA), Zero-Lag Exponential Moving Average (ZLEMA), and Hull Moving Average (HMA).
Upper Level and Lower Level: Define the threshold levels for identifying overbought and oversold conditions.
Signal Line Length: Determines the length of the signal line used for smoothing the indicator's values.
◈ Indicator Calculation:
The indicator calculates the ratio between the price of the asset and the selected moving average, subtracts 1 from the ratio, and then smooths the result using the chosen signal line length.
// 𝙄𝙉𝘿𝙄𝘾𝘼𝙏𝙊𝙍 𝘾𝘼𝙇𝘾𝙐𝙇𝘼𝙏𝙄𝙊𝙉𝙎
//@ Moving Average's Function
ma(src, ma_period, ma_type) =>
ma =
ma_type == 'EMA' ? ta.ema(src, ma_period) :
ma_type == 'SMA' ? ta.sma(src, ma_period) :
ma_type == 'WMA' ? ta.wma(src, ma_period) :
ma_type == 'VWMA' ? ta.vwma(src, ma_period) :
ma_type == 'RMA' ? ta.rma(src, ma_period) :
ma_type == 'DEMA' ? ta.ema(ta.ema(src, ma_period), ma_period) :
ma_type == 'TEMA' ? ta.ema(ta.ema(ta.ema(src, ma_period), ma_period), ma_period) :
ma_type == 'ZLEMA' ? ta.ema(src + src - src , ma_period) :
ma_type == 'HMA' ? ta.hma(src, ma_period)
: na
ma
//@ Smooth of Source
src = math.sum(source, 5)/5
//@ Ratio Price / MA's
p_ratio = src / ma(src, ma_period, ma_type) - 1
◈ Visualization:
The main plot displays the price ratio, with color gradients indicating the strength and direction of the ratio.
The bar color changes dynamically based on the ratio, providing a visual representation of market conditions.
Invisible Horizontal lines indicate the upper and lower threshold levels for overbought and oversold conditions.
A signal line, smoothed using the specified length, helps identify trends and potential reversal points.
High and low value regions are filled with color gradients, enhancing visualization of extreme price movements.
MA type HMA gives faster changes of the indicator (Each MA has its own specifics):
MA type TEMA:
◈ Additional Features:
A symbol displayed at the bottom right corner of the chart provides a quick visual reference to the current state of the indicator, with color intensity indicating the strength of the ratio.
Overall, the Price Ratio Indicator offers traders valuable insights into price dynamics and helps them make informed trading decisions based on the relationship between price and moving averages. Adjusting the input parameters allows for customization according to individual trading preferences and market conditions.
Normalised T3 Oscillator [BackQuant]Normalised T3 Oscillator
The Normalised T3 Oscillator is an technical indicator designed to provide traders with a refined measure of market momentum by normalizing the T3 Moving Average. This tool was developed to enhance trading decisions by smoothing price data and reducing market noise, allowing for clearer trend recognition and potential signal generation. Below is a detailed breakdown of the Normalised T3 Oscillator, its methodology, and its application in trading scenarios.
1. Conceptual Foundation and Definition of T3
The T3 Moving Average, originally proposed by Tim Tillson, is renowned for its smoothness and responsiveness, achieved through a combination of multiple Exponential Moving Averages and a volume factor. The Normalised T3 Oscillator extends this concept by normalizing these values to oscillate around a central zero line, which aids in highlighting overbought and oversold conditions.
2. Normalization Process
Normalization in this context refers to the adjustment of the T3 values to ensure that the oscillator provides a standard range of output. This is accomplished by calculating the lowest and highest values of the T3 over a user-defined period and scaling the output between -0.5 to +0.5. This process not only aids in standardizing the indicator across different securities and time frames but also enhances comparative analysis.
3. Integration of the Oscillator and Moving Average
A unique feature of the Normalised T3 Oscillator is the inclusion of a secondary smoothing mechanism via a moving average of the oscillator itself, selectable from various types such as SMA, EMA, and more. This moving average acts as a signal line, providing potential buy or sell triggers when the oscillator crosses this line, thus offering dual layers of analysis—momentum and trend confirmation.
4. Visualization and User Interaction
The indicator is designed with user interaction in mind, featuring customizable parameters such as the length of the T3, normalization period, and type of moving average used for signals. Additionally, the oscillator is plotted with a color-coded scheme that visually represents different strength levels of the market conditions, enhancing readability and quick decision-making.
5. Practical Applications and Strategy Integration
Traders can leverage the Normalised T3 Oscillator in various trading strategies, including trend following, counter-trend plays, and as a component of a broader trading system. It is particularly useful in identifying turning points in the market or confirming ongoing trends. The clear visualization and customizable nature of the oscillator facilitate its adaptation to different trading styles and market environments.
6. Advanced Features and Customization
Further enhancing its utility, the indicator includes options such as painting candles according to the trend, showing static levels for quick reference, and alerts for crossover and crossunder events, which can be integrated into automated trading systems. These features allow for a high degree of personalization, enabling traders to mold the tool according to their specific trading preferences and risk management requirements.
7. Theoretical Justification and Empirical Usage
The use of the T3 smoothing mechanism combined with normalization is theoretically sound, aiming to reduce lag and false signals often associated with traditional moving averages. The practical effectiveness of the Normalised T3 Oscillator should be validated through rigorous backtesting and adjustment of parameters to match historical market conditions and volatility.
8. Conclusion and Utility in Market Analysis
Overall, the Normalised T3 Oscillator by BackQuant stands as a sophisticated tool for market analysis, providing traders with a dynamic and adaptable approach to gauging market momentum. Its development is rooted in the understanding of technical nuances and the demand for a more stable, responsive, and customizable trading indicator.
Thus following all of the key points here are some sample backtests on the 1D Chart
Disclaimer: Backtests are based off past results, and are not indicative of the future.
INDEX:BTCUSD
INDEX:ETHUSD
BINANCE:SOLUSD
[blackcat] L1 Dynamic Momentum Indicator
**1. Overview**
" L1 Dynamic Momentum Indicator" is a custom TradingView indicator designed to analyze price momentum and market trends. It combines the calculation methods of Stoch (RSV) and Moving Average (SMA) to provide market overbought and oversold signals.
**2. Calculation Method**
- **RSV Value Calculation**: The RSV value is calculated using the relative relationship between the current price and the lowest and highest prices over the past 89 periods.
- **K Value Calculation**: The calculated RSV value is subjected to a 3-period Simple Moving Average (SMA) to obtain the K value.
- **D Value Calculation**: The K value is subjected to a 3-period Simple Moving Average (SMA) to obtain the D value.
- **Momentum Difference Calculation**: The difference between the 13-period Exponential Moving Average (EMA) and the 34-period EMA of closing prices is calculated, and then the moving average of this difference is calculated.
**3. Indicator Display**
- **K and D Lines**: The moving averages of the K value and D value are displayed on the chart, indicating a strong market condition when the K line is above the D line, and a weak market condition when the K line is below the D line.
- **Threshold Line**: A fixed threshold line of 50 is displayed to distinguish the overbought and oversold areas.
- **Green and Red Bars**: Green and red bars are drawn on the chart based on the relationship between the momentum difference and the average value, indicating the market trend.
**4. Usage Suggestions**
- When the market is in a strong condition, a potential reversal may occur in the overbought area after selling. When the market is in a weak condition, a potential bounce may occur in the oversold area after buying.
- Pay attention to the changes in market trends, with the appearance of green bars may indicate that the market is about to rise, and the appearance of red bars may indicate that the market is about to fall.
**5. Caution**
- The indicator is based on the provided code and may require adjustments based on market conditions.
- The accuracy of the indicator depends on the selection of calculation parameters and the reliability of market data.
RSI Momentum Waves [Quantigenics]RSI Momentum Waves Indicator
The RSI Momentum Waves Indicator is your intuitive tool for visualizing market strength and trend persistence. It refines the classic RSI by smoothing the data with Exponential Moving Averages (EMAs), which help clear out the noise to give you a more accurate picture of where the market’s heading. The parameters - RSI Period, Smoothing Period, Overbought, Oversold, Upper Neutral Zone, and Lower Neutral Zone - are all adjustable, so you can tailor the indicator to different market conditions or your trading style.
How It Works:
RSI Period (RsiPer): Adjusts how far back the RSI looks to calculate its value, affecting its sensitivity.
Smoothing Period (SmoothPer): Dictates how smooth the EMA lines are, balancing between sensitivity and noise reduction.
Overbought (OBLevel) / Oversold (OSLevel) Levels: Set the thresholds where the market might be too stretched in either direction and due for a reversal.
Neutral Zones (UpperNZ / LowerNZ): Define the areas where the market is considered neutral, and trend strength is less clear.
Trading Instructions:
Use the RSI Momentum Waves to gain insights into the market’s momentum and make informed decisions:
For Trend Identification: If the waves are consistently above the 50 line and climbing, the market may be bullish; if below and declining, bearish signals are suggested.
Overbought and Oversold Regions: Entering these areas might indicate a potential reversal. A peak and downturn in the overbought region can signal a sell, while a trough and upturn in the oversold region can indicate a buy.
Neutral Zone Caution: In the neutral zones, exercise caution and wait for a breakout in either direction for stronger signals.
Confirm with Other Analysis: Never rely solely on one indicator. Confirm the RSI Momentum Waves signals with other technical indicators or fundamental analysis for best practices.
Remember, the goal is to detect the rhythm of the market’s momentum and act accordingly. Happy trading!
Volume Buyer-Seller [GOODY]This indicator was designed to analyze buying and selling pressure through volume calculations, providing insights into market dynamics. It can be used to determine whether buyers or sellers dominate the market at any given time.
Key Features
1. Volume Calculations: This indicator calculates the volume attributable to buyers and sellers for each bar, then represents it as buying and selling columns on the chart. It also provides the average volume over a specified period for context.
2. Dominance Logic: By comparing the buying and selling volumes, the indicator determines which side (buyers or sellers) has dominance. If the difference between the two is within a specified threshold, the market is considered indecisive.
3. Dominance Marker: Circles or squares appear on the chart to indicate the dominant force, helping traders quickly assess market sentiment. The colors of these markers can be customized.
4. Label Display: The indicator displays a comprehensive label on the chart with information like total volume, buyer/seller percentages, average volume, ratio, and ATR (Average True Range) details. This label can show current or past data depending on user preference.
5. Ratio and Control: A critical component is the ratio, calculated as the proportion of buying volume to selling volume. This ratio is a key indicator of market sentiment, with an appended symbol to denote whether buyers or sellers are in control.
How to Use
• Settings: Adjust the settings to align with your trading strategy. You can modify the length for average volume, ATR, and other parameters to suit your trading style.
• Volume Analysis: Monitor the buying and selling columns to determine market activity. The larger columns indicate higher volume, suggesting a strong buying or selling pressure.
• Dominance: Pay attention to the dominance markers. Green markers indicate buying dominance, while red markers signify selling dominance. If the market is indecisive, the marker will be gray.
• Ratio: A ratio above 1 suggests buying dominance, while a ratio below 1 indicates selling dominance. The ratio's appended color tag helps quickly identify which side is in control.
• Labels: The labels provide a snapshot of key data, including total volume, buyer/seller percentages, average volume, ratio, and ATR. This information is helpful in understanding overall market conditions.
Reading the Indicator
• Buying and Selling Columns: These represent the respective volumes for each side. Positive columns are buying volumes, and negative columns are selling volumes.
• Dominance Circles: A circle appears at the zero baseline to show which side is currently dominant. A blue circle indicates buying dominance, while a red circle indicates selling dominance.
• Ratio with Dominance: The label includes a ratio with a tag showing who is in control. A green tag indicates buyers, and a red tag indicates sellers.
• ATR and Average Volume: The label provides additional context with ATR and average volume, helping you understand volatility and relative volume.
Volume Gauge Addition : Introduced a volume gauge display option to visualize the relative strength of buying vs. selling volumes. Users can toggle this feature on or off according to their analysis needs.
Total Volume
Metric: Displays "Total Vol."
Value: Shows the total trading volume for the current bar, formatted in a human-readable format (K for thousands, M for millions). Additionally, it shows the percentage of this volume relative to the average volume, aiding in understanding volume spikes or drops.
Usage: Compare current volume to historical averages to identify unusual market activity.
Average Volume
Metric: Displays "Avg Vol."
Value: Shows the simple moving average of the volume over a user-defined period, formatted similarly to Total Volume.
Usage: Helps determine if current volume is above or below average, indicating potential interest or disinterest in the asset.
Buyers
Metric: Displays "BUYERS."
Value: Shows the volume of buying calculated from the upward price movements within the bar, along with its percentage of the total volume.
Usage: Spot dominance in buying activity which might suggest bullish conditions.
Sellers
Metric: Displays "SELLERS."
Value: Shows the volume of selling calculated from the downward price movements within the bar, along with its percentage of the total volume.
Usage: Spot dominance in selling activity which might suggest bearish conditions.
Delta
Metric: Displays "Delta."
Value: Shows the difference between buying and selling volumes, providing a quick snapshot of which side of the market is exerting more pressure.
Usage: Use to gauge overall market sentiment and potential price direction.
Ratio
Metric: Displays "Ratio."
Value: Shows the ratio of buying volume to selling volume, providing insight into the relative strength of buyers vs. sellers.
Usage: Ratios significantly above or below 1 can indicate strong market biases.
ATR (Average True Range)
Metric: Displays "ATR."
Value: Shows the current ATR value to gauge volatility, with an arrow indicating the direction of change from the previous bar’s ATR.
Usage: Utilize to assess market volatility and potentially adjust trading strategies or risk management settings.
Dynamic Background Colors
The table employs dynamic background colors for certain metrics to visually represent data intensity or significance:
Total Volume: Changes color based on the percentage relative to the average volume.
Buyers/Sellers: The background color indicates whether buying or selling is dominant.
Delta and Ratio: Colors change based on their calculated values to reflect market conditions quickly.
What is Volume Delta?
Volume delta, also known as volume difference or volume delta divergence, refers to the difference between buying (accumulation) and selling (distribution) volumes within a given time period. It provides a quantitative measure of the net buying or selling pressure in the market.
How to Use Volume Delta:
Identifying Market Sentiment:
Positive delta values indicate that buying volume exceeds selling volume, suggesting bullish sentiment.
Negative delta values indicate that selling volume exceeds buying volume, suggesting bearish sentiment.
Confirming Price Movements:
Volume delta can be used to confirm price movements. For example, if prices are rising and volume delta is positive, it may suggest that the uptrend is supported by strong buying interest.
Conversely, if prices are falling and volume delta is negative, it may suggest that the downtrend is supported by strong selling pressure.
Spotting Divergence:
Divergence between price and volume delta can signal potential trend reversals. For example, if prices are rising but volume delta is declining (or vice versa), it may indicate weakening momentum and a possible reversal in trend.
Confirming Breakouts:
Volume delta can help confirm breakout moves. For instance, a breakout accompanied by increasing positive delta values may suggest strong buying interest and validate the breakout.
In summary, volume delta provides valuable insights into market sentiment and can be used alongside price action analysis to make more informed trading decisions.
Advanced MACD [CryptoSea]Advanced MACD (AMACD) enhances the traditional MACD indicator, integrating innovative features for traders aiming for deeper insights into market momentum and sentiment. It's crafted for those seeking to explore nuanced behaviors of the MACD histogram, thus offering a refined perspective on market dynamics.
Divergence moves can offer insight into continuation or potential reversals in structure, the example below is a clear continuation signal.
Key Features
Enhanced Histogram Analysis: Precisely tracks movements of the MACD histogram, identifying growth or decline periods, essential for understanding market momentum.
High/Low Markers: Marks the highest and lowest points of the histogram within a user-defined period, signaling potential shifts in the market.
Dynamic Averages Calculation: Computes average durations of histogram phases, providing a benchmark against historical performance.
Color-Coded Histogram: Dynamically adjusts the histogram's color intensity based on the current streak's duration relative to its average, offering a visual cue of momentum strength.
Customisable MACD Settings: Enables adjustments to MACD parameters, aligning with individual trading strategies.
Interactive Dashboard: Showcases an on-chart table with average durations for each phase, aiding swift decision-making.
Settings & Customisation
MACD Settings: Customise fast length, slow length, and signal smoothing to tailor the MACD calculations to your trading needs.
Reset Period: Determine the number of bars to identify the histogram's significant high and low points.
Histogram High/Lows: Option to display critical high and low levels of the histogram for easy referencing.
Candle Colours: Select between neutral or traditional candle colors to match your analytical preferences.
When in strong trends, you can use the average table to determine when to look to get into a position. This example we are in a strong downtrend, we then see the histogram growing above the average in these conditions which is where we should look to get into a shorting position.
Strategic Applications
The AMACD serves not just as an indicator but as a comprehensive analytical tool for spotting market trends, momentum shifts, and potential reversal points. It's particularly useful for traders to:
Spot Momentum Changes Utilise dynamic coloring and streak tracking to alert shifts in momentum, helping anticipate market movements.
Identify Market Extremes Use high and low markers to spot potential market turning points, aiding in risk management and decision-making.
Alert Conditions
Above Average Movement Alerts: Triggered when the duration of the MACD histogram's growth or decline is unusually long, these alerts signal sustained momentum:
Above Zero: Alerts for both growing and declining movements above zero, indicating either continued bullish trends or potential bearish reversals.
Below Zero: Alerts for growth and decline below zero, pointing to potential bullish reversals or confirmed bearish trends.
High/Low Break Alerts: Activated when the histogram reaches new highs or falls to new lows beyond the set thresholds, these alerts are crucial for identifying shifts in market dynamics:
Break Above Last High: Indicates a potential upward trend as the histogram surpasses recent highs.
Break Below Last Low: Warns of a possible downward trend as the histogram drops below recent lows.
These alert conditions enable traders to automate part of their market monitoring or potential to automate the signals to take action elsewhere.
Kalman Hull RSI [BackQuant]Kalman Hull RSI
At its core, this indicator uses a Kalman filter of price, put inside of a hull moving average function (replacing the weighted moving averages) and then using that as a price source for the the RSI, very similar to the Kalman Hull Supertrend just processing price for a different indicator.
This also allows it to make it more adaptive to price and also sensitive to recent price action. This indicator is also mainly built for trend-following systems
PLEASE Read the following, knowing what an indicator does at its core before adding it into a system is pivotal. The core concepts can allow you to include it in a logical and sound manner.
1. What is a Kalman Filter
The Kalman Filter is an algorithm renowned for its efficiency in estimating the states of a linear dynamic system amidst noisy data. It excels in real-time data processing, making it indispensable in fields requiring precise and adaptive filtering, such as aerospace, robotics, and financial market analysis. By leveraging its predictive capabilities, traders can significantly enhance their market analysis, particularly in estimating price movements more accurately.
If you would like this on its own, with a more in-depth description please see our Kalman Price Filter.
OR our Kalman Hull Supertrend
2. Hull Moving Average (HMA) and Its Core Calculation
The Hull Moving Average (HMA) improves on traditional moving averages by combining the Weighted Moving Average's (WMA) smoothness and reduced lag. Its core calculation involves taking the WMA of the data set and doubling it, then subtracting the WMA of the full period, followed by applying another WMA on the result over the square root of the period's length. This methodology yields a smoother and more responsive moving average, particularly useful for identifying market trends more rapidly.
3. Combining Kalman Filter with HMA
The innovative combination of the Kalman Filter with the Hull Moving Average (KHMA) offers a unique approach to smoothing price data. By applying the Kalman Filter to the price source before its incorporation into the HMA formula, we enhance the adaptiveness and responsiveness of the moving average. This adaptive smoothing method reduces noise more effectively and adjusts more swiftly to price changes, providing traders with clearer signals for market entries or exits.
The calculation is like so:
KHMA(_src, _length) =>
f_kalman(2 * f_kalman(_src, _length / 2) - f_kalman(_src, _length), math.round(math.sqrt(_length)))
Use Case
The Kalman Hull RSI is particularly suited for traders who require a highly adaptive indicator that can respond to rapid market changes without the excessive noise associated with typical RSI calculations. It can be effectively used in markets with high volatility where traditional indicators might lag or produce misleading signals.
Application in a Trading System
The Kalman Hull RSI is versatile in application, suitable for:
Trend Identification: Quickly identify potential reversals or confirmations of existing trends.
Overbought/Oversold Conditions: Utilize the dynamic RSI thresholds to pinpoint potential entry and exit points, adapting to current market conditions.
Risk Management: Enhance trading strategies by integrating a more reliable measure of momentum, which can lead to improved stop-loss placements and exit strategies.
Core Calculations and Benefits
Dynamic State Estimation: By applying the Kalman Filter, the indicator continually adjusts its calculations based on incoming price data, providing a real-time, smoothed response to price movements.
Reduced Lag: The integration with HMA significantly reduces lag, offering quicker responses to price changes than traditional moving averages or RSI alone.
Increased Accuracy: The dual filtering effect minimizes the impact of price spikes and noise, leading to more accurate signaling for trades.
Thus following all of the key points here are some sample backtests on the 1D Chart
Disclaimer: Backtests are based off past results, and are not indicative of the future.
INDEX:BTCUSD
INDEX:ETHUSD
BINANCE:SOLUSD
Crypto Realized Profits/Losses Extremes [AlgoAlpha]🌟🚀 Introducing the Crypto Realized Profits/Losses Extremes Indicator by AlgoAlpha 🚀🌟
Unlock the potential of cryptocurrency markets with our cutting-edge On-Chain Pine Script™ indicator, designed to highlight extreme realized profit and loss zones! 🎯📈
Key Features:
✨ Realized Profits/Losses Calculation: Uses real-time data from the blockchain to monitor profit and loss realization events.
📊 Multi-Crypto Compatibility: The Indicator is compatible on other Crypto tickers besides Bitcoin.
⚙️ Customizable Sensitivity: Adjust the look-back period, normalization period, and deviation thresholds to tailor the indicator to your trading style.
🎨 Visual Enhancements: Choose from a variety of colors for up and down trends, and toggle extreme profit/loss overlay for easy viewing.
🔔 Integrated Alerts: Set up alerts for high and extreme profit or loss conditions, helping you stay ahead of significant market movements.
🔍 How to Use:
🛠 Add the Indicator: Add the indicator to favorites. Customize settings like period lengths and deviation thresholds according to your needs.
📊 Market Analysis: Monitor the main oscillator and the bands to understand current profit and loss extremes in the market. When the oscillator is at the upper band, this means that the market is doing really well and traders/investors will be likely to take profit and cause a reversal. The opposite is true when the oscillator reaches the lower band. The main oscillator can also be used for trend analysis.
🔔 Set Alerts: Configure alerts to notify you when the market enters a zone of high profit or loss, or during trend changes, enabling timely decisions without constant monitoring.
How It Works:
The indicator calculates a normalized area under the RSI curve applied on on-chain data regarding the number of wallets in profit. It employs a custom "src" variable that aggregates data from the blockchain about profit and loss addresses, adapting to intraday or longer timeframes as needed. The main oscillator plots this normalized area, while the upper and lower bands are plotted based on a deviation metric to identify extreme conditions. Colored fills between these bands visually denote these zones. For interaction, the indicator plots bubbles for extreme profits or losses and provides optional bar coloring to reflect the current market trend.
🚀💹 Enjoy a comprehensive, customizable, and visually engaging tool that helps you stay ahead in the fast-paced crypto market!
panpanXBT BTC Risk Metric OscillatorThis is the Bitcoin Risk Metric. Inspired by many power law analysts, this script assigns a risk value to the price of Bitcoin. The model uses regression of 'fair value' data to assign risk values and residual analysis to account for diminishing returns as time goes on. This indicator is for long-term investors looking to maximise their returns by highlighting periods of under and overvaluation for Bitcoin.
This is a companion script for panpanXBT BTC Risk Metric . Use this indicator in tandem to achieve the view shown in the chart above.
Please note, this indicator will only work on BTCUSD charts but will work on any timeframe.
DISCLAIMER: The product on offer presents a novel way to view the price history of Bitcoin. It should not be relied upon solely to inform financial decisions. What you do with the information is entirely up to you. Please thoroughly consider your decisions and consult many different sources to make sure you're making the most well-informed decision.
### How to Interpret
The risk scale goes from 0 to 100,
Blue - 0 being low risk, and
Red - 100 being high risk.
Low risk values represent periods of historical undervaluation, while high values represent overvaluation. These periods are marked by a colourscale from blue to red.
### Use Cases and Best Practice
A dynamic DCA strategy would work best with this indicator, whereby an amount of capital is deployed/retired on a regular basis. This amount deployed grows or shrinks depending on the proximity of the risk level to the extremes (0 and 100).
Let's say you have a maximum of $500 to deploy per month.
When risk is between 0 and 10, you could deploy the full $500.
When risk is between 10 and 20, you could deploy $400.
When risk is between 20 and 30, you could deploy $300.
When risk is between 30 and 40, you could deploy $200.
When risk is between 40 and 50, you could deploy $100.
Conversely, when risk is above 50, you could:
Sell 1/15th of your BTC stack when risk is between 50 and 60.
Sell 2/15th of your BTC stack when risk is between 60 and 70.
Sell 3/15th of your BTC stack when risk is between 70 and 80.
Sell 4/15th of your BTC stack when risk is between 80 and 90.
Sell 5/15th of your BTC stack when risk is between 90 and 100.
This framework allows the user to accumulate during periods of undervaluation and derisk during periods of overvaluation, capturing returns in the process.
In contrast, simply setting limit orders at 0 and 100 would yield the absolute maximum returns, however there is no guarantee price will reach these levels (see 2018 where the bear market bottomed out at 20 risk, or 2021 where price topped out at 97 risk).
### Caveats
"All models are wrong, some are useful"
No model is perfect. No model can predict exactly what price will do as there are too many factors at play that determine the outcome. We use models as a guide to make better-informed decisions, as opposed to shooting in the dark. This model is not a get rich quick scheme, but rather a tool to help inform decisions should you consider investing. This model serves to highlight price extremities, which could present opportune times to invest.
### Conclusion
This indicator aims to highlight periods of extreme values for Bitcoin, which may provide an edge in the market for long-term investors.
Thank you for your interest in this indicator. If you have any questions, recommendations or feedback, please leave a comment or drop me a message on TV or twitter. I aim to be as transparent as possible with this project, so please seek clarification if you are unsure about anything.
RSI w/Hann WindowingThis RSI by John Ehlers of "Yet Another" Improved RSI. Taking advantage of the Hann windowing. As seen on PRC and published by John Ehlers, it has a zero mean and appears smoother than the classic RSI. In his own words " I prefer oscillator-type indicators to have a zero mean. We can achieve this simply by multiplying the classic RSI by 2 so it swings from 0 to 2, and then subtract 1 from the product so the indicator swings from -1 to +1." Ehlers goes on to say " Bear in mind 14 may not be the best length to analysis. So, the best length to use for the RSIH indicator is on the order of the dominant cycle period of the data."
This indicator works well with both bullish and bearish divergences. It also works well with oversold and overbought indications. Shown by the Red zone on top (Overbought) and the green zone on the bottom(oversold). Each which have an adjustable buffer zone. You may need to adjust the length of the RSIH to suit your asset. There are also multiply signal line's to choose from. Also take note of when the RSIH crosses up or down on the signal line.
None of this is financial advice.
SMT/Divergence Suite (any Indicator)Hello Traders!
The TRN SMT/Divergence Suite detects divergences for any given indicator, even custom ones and divergences any two given instruments (SMT – smart money technique/tool). The indicator finds with unrivaled precision bullish and bearish as well as regular and hidden divergences. The main difference compared to other SMT/divergences indicators is that this indicator finds rigorously the extreme peaks of each swing, both in price and in the corresponding indicator/instrument. This precision is unmatched and therefore this is one of the best SMT/divergences detectors. The indicator helps traders to identify potential changes in trend before they occur.
Feature List
Works with any given custom oscillators or indicator
SMT (Smart Money Technique)/Divergence detecting for any given instruments
11 different build-in oscillators (incl. Cumulative Delta)
Customizable look and feel
The TRN SMT/Divergence Suite works with any given indicator, even custom ones. In addition, there are 11 built-in indicators. We have chosen a selection of different momentum, trend following and volume oscillators that gives you maximum flexibility. Most noticeable is the cumulative delta indicator, which works astonishingly well as a divergence indicator.
Following is the full list of the build in indicators/oscillators:
Awesome Oscillator (AO)
Commodity Channel Index (CCI)
Cumulative Delta Volume (CDV)
Chaikin Money Flow (CMF)
Moving Average Convergence Divergence (MACD)
Money Flow Index (MFI)
Momentum
On Balance Volume (OBV)
Relative Strength Index (RSI)
Stochastic
Williams Percentage Range (W%R)
The divergences are colored with vivid lines and labels. Bullish divergences are distinguished with luminous blue lines, while bearish divergences are denoted by striking red lines. Upon detecting a divergence, the colored lines act as a visual indicator for traders, signaling an imminent possibility of a trend reversal. In response, traders can leverage this valuable insight to make informed decisions in their trading activities.
Choose Your Custom Divergence Indicator
Handpick your custom indicator, and the TRN SMT/Divergence Suite will hunt for divergences in your preferred market and timeframe. Importantly, you must add the indicator to your chart. Afterwards, simply go to the “Parameters” section in the indicator settings and choose "External Indicator/SMT". If the custom indicator has one reference value, then choose this value in the “External Indicator/SMT (High)” field. If there are high and low values (e.g. candles), then you also must set the “External Indicator Low/SMT” field.
In the provided graphic, we've chosen the stochastic RSI as our example, and as you can see, the TRN SMT/Divergence Suite instantly identifies and plots bullish and bearish divergences on your chart.
Make sure that the TRN SMT/Divergence Suite is in the same panel as the custom divergence indicator and that both indicators are pinned to the same scale of your chart.
Smart Money Technique (SMT)/Divergence detecting in Relation to other Instruments
Smart Money Technique/Tool (SMT) means the divergence detection between two related instruments. The TRN SMT/Divergence Suite finds divergences in relation to other instruments, e.g. NQ vs. ES or BTCUSDT vs. ETHUSDT. Just add another instrument to the chart. As representation style you can choose lines or candles/bars. Afterwards, simply go to the “Parameters” section in the indicator settings and choose "External Indicator/SMT". If the second instrument is represented as line, then choose this value in the “External Indicator/SMT (High)” field. If there are high and low values (e.g. candles/bars), then you also must set the “External Indicator/SMT Low” field.
The detection of SMTs can help traders to decide whether the trend continues, or a reversal is imminent. E.g. if the NQ makes a new higher high but the ES fails to do so and makes a new lower high, then the TRN SMT/Divergence Suite shows a divergence. As a result, the probability is high that the trend will not continue, and the trader can make an informed decision about what to do next.
How to set Parameters for Divergence Indicators
To begin, access the indicator settings. Look for the "Parameters" section where you can fine-tune Parameters 1-3. The default settings are already optimized for the oscillators AO, RSI, CDV, W%R, MFI and Stochastic. For other divergence indicators, you might want to adjust the settings to your liking. The parameter order is the same as in the corresponding divergence indicator.
What are Divergences?
When the price of an asset moves in one direction, but its indicators move in the opposite direction, this is called a divergence. Divergences can be a powerful signal that a trend reversal is about to occur.
There are two types of regular divergences: bullish and bearish. A bullish divergence occurs when the price of an asset makes a lower low, but its indicators make a higher low. This can be a sign that the asset is oversold and that a reversal is imminent. A bearish divergence, on the other hand, occurs when the price of an asset makes a higher high, but its indicators (such as Relative Strength Index - RSI) make a lower high. This can be a sign that the asset is overbought and that a reversal is imminent.
Next to regular divergences there are hidden divergences. These divergences occur when the price of an asset moves in the opposite direction of an indicator, suggesting a possible shift in the underlying trend. In trading, hidden bearish and hidden bullish divergences are patterns that traders often look for on price charts to identify potential trend reversals or continuation patterns.
Conclusion
While signals from TRN SMT/Divergence Suite can be informative, it is important to recognize that their reliability may vary. Bearish and bullish divergences are not foolproof indicators and should be used in conjunction with other analysis techniques and risk management strategies.
Risk Disclaimer
The content, tools, scripts, articles, and educational resources offered by TRN Trading are intended solely for informational and educational purposes. Remember, past performance does not ensure future outcomes.
Dynamic Cycle Oscillator [Quantigenics]This script is designed to navigate through the ebbs and flows of financial markets. At its core, this script is a sophisticated yet user-friendly tool that helps you identify potential market turning points and trend continuations.
How It Works:
The script operates by plotting two distinct lines and a central histogram that collectively form a band structure: a center line and two outer boundaries, indicating overbought and oversold conditions. The lines are calculated based on a blend of exponential moving averages, which are then refined by a root mean square (RMS) over a specified number of bars to establish the cyclic envelope.
The input parameters:
Fast and Slow Periods:
These determine the sensitivity of the script. Shorter periods react quicker to price changes, while longer periods offer a smoother view.
RMS Length:
This parameter controls the range of the cyclic envelope, influencing the trigger levels for trading signals.
Using the Script:
On your chart, you’ll notice how the Dynamic Cycle Oscillator’s lines and histogram weave through the price action. Here’s how to interpret the movements.
Breakouts and Continuations:
Buy Signal: Consider a long position when the histogram crosses above the upper boundary. This suggests a possible strong bullish run.
Sell Signal: Consider a short position when the histogram crosses below the lower boundary. This suggests a possible strong bearish run.
Reversals:
Buy Signal: Consider a long position when the histogram crosses above the lower boundary. This suggests an oversold market turning bullish.
Sell Signal: Consider a short position when the histogram crosses below the upper boundary. This implies an overbought market turning bearish.
The script’s real-time analysis can serve as a robust addition to your trading strategy, offering clarity in choppy markets and an edge in trend-following systems.
Thanks! Hope you enjoy!
Support Resistance base Volume RSIThe indicator displays support and resistance levels based on volume and the Relative Strength Index (RSI).
Variable and Input Assignment:
lookback: Determines the period for data lookback.
RsiVisible, RsilabelSize, OversoldForRsi, OverboughtForRsi: Various inputs to adjust RSI indicator parameters.
Indicator Calculation:
highestVol: Finds the highest volume within a certain period.
Rsi: Calculates the RSI value with a period of 14.
roc: Calculates the Rate of Change.
Support and Resistance Level Determination:
Uses a comparison between price change (roc) and RSI value to determine whether the price is rising or falling.
If the price is rising and the current volume is greater than the previous highest volume, a new resistance level is established.
If the price is falling and the current volume is greater than the previous highest volume, a new support level is established.
Support and Resistance Lines:
Creates lines indicating the latest support and resistance levels.
These lines are updated whenever there is a change in support or resistance levels.
RSI Labels:
Displays the RSI value above or below the price chart depending on whether the RSI is above or below the overbought or oversold levels.
If the RSI value is above the overbought level, the label is displayed above the price.
If the RSI value is below the oversold level, the label is displayed below the price.
Labels are removed if the corresponding conditions are not met.
Additional RSI Label:
Adds an additional label displaying the RSI value next to the price chart on the last bar.
The main purpose of this script is to assist traders in identifying support and resistance levels based on price movement, volume, and the RSI indicator. Thus, traders can use this information to make better trading decisions.
Multiple Non-Linear Regression [ChartPrime]This Pine Script indicator is designed to perform multiple non-linear regression analysis using four independent variables: close, open, high, and low prices. Here's a breakdown of its components and functionalities:
Inputs:
Users can adjust several parameters:
Normalization Data Length: Length of data used for normalization.
Learning Rate: Rate at which the algorithm learns from errors.
Smooth?: Option to smooth the output.
Smooth Length: Length of smoothing if enabled.
Define start coefficients: Initial coefficients for the regression equation.
Data Normalization:
The script normalizes input data to a range between 0 and 1 using the highest and lowest values within a specified length.
Non-linear Regression:
It calculates the regression equation using the input coefficients and normalized data. The equation used is a weighted sum of the independent variables, with coefficients adjusted iteratively using gradient descent to minimize errors.
Error Calculation:
The script computes the error between the actual and predicted values.
Gradient Descent: The coefficients are updated iteratively using gradient descent to minimize the error.
// Compute the predicted values using the non-linear regression function
predictedValues = nonLinearRegression(x_1, x_2, x_3, x_4, b1, b2, b3, b4)
// Compute the error
error = errorModule(initial_val, predictedValues)
// Update the coefficients using gradient descent
b1 := b1 - (learningRate * (error * x_1))
b2 := b2 - (learningRate * (error * x_2))
b3 := b3 - (learningRate * (error * x_3))
b4 := b4 - (learningRate * (error * x_4))
Visualization:
Plotting of normalized input data (close, open, high, low).
The indicator provides visualization of normalized data values (close, open, high, low) in the form of circular markers on the chart, allowing users to easily observe the relative positions of these values in relation to each other and the regression line.
Plotting of the regression line.
Color gradient on the regression line based on its value and bar colors.
Display of normalized input data and predicted value in a table.
Signals for crossovers with a midline (0.5).
Interpretation:
Users can interpret the regression line and its crossovers with the midline (0.5) as signals for potential buy or sell opportunities.
This indicator helps users analyze the relationship between multiple variables and make trading decisions based on the regression analysis. Adjusting the coefficients and parameters can fine-tune the model's performance according to specific market conditions.
LONG/SHORT PIFRO que esse indicador faz?
Esse indicador tem o objetivo de plotar o valor de Premium Index e Funding Rate de qualquer token que seja negociado nos futuros da Binance. Basta acessar o token, por exemplo "BTCUSDT" ou "BTCUSDT.P" e o indicador funcionará de forma automática.
A ideia de leitura desse indicador é verificar as maiores oscilações e aliar a analise técnica para tomar uma decisão de compra ou venda.
What does this indicator do?
This indicator aims to plot the Premium Index and Funding Rate value of any token that is traded on Binance futures. Just access the token, for example "BTCUSDT" or "BTCUSDT.P" and the indicator will work automatically.
The idea of reading this indicator is to check the biggest fluctuations and combine technical analysis to make a buy or sell decision.
=============
O que é o Índice Bitcoin Premium?
O índice Bitcoin Premium rastreia o prêmio ou desconto dos contratos perpétuos de Bitcoin em relação ao preço do índice à vista por minuto. O Índice de prêmio é baseado na diferença de preço entre o último preço negociado de um contrato perpétuo e o preço do índice à vista. O preço do índice à vista é um índice à vista ponderado pelo volume, o que significa um preço médio obtido em várias bolsas.
Basicamente, ele mostra para cada criptomoeda se o mercado à vista está negociando acima ou abaixo do contrato perpétuo. O valor pode ser superior, inferior ou igual a 0. Quando o valor está acima de 0, o contrato perpétuo está sendo negociado acima do “preço de referência”, quando o valor está abaixo de 0, o índice à vista está negociando acima do contrato perpétuo .
Como ler o índice premium do Bitcoin?
Existem várias maneiras de visualizar o Índice Bitcoin Premium. Você pode observar o valor (acima ou abaixo de 0) semelhante às taxas de financiamento ou pode observar certos extremos. Esta informação pode ser muito útil na sua estratégia de negociação. O gráfico é exibido como um gráfico de velas com um corpo e o pavio (também conhecido como sombra) da vela. O pavio pode mostrar um certo extremo, enquanto o fechamento da vela mostra o valor.
O valor acima ou abaixo de 0 mostra se o preço dos contratos perpétuos de Bitcoin está sendo negociado acima ou abaixo do índice à vista. Quando o índice à vista está sendo negociado em alta, o prêmio cai abaixo de 0 e fica negativo, geralmente, isso é conhecido como um sinal de alta. Quando o valor está sendo negociado acima de 0 e fica positivo, significa que o contrato perpétuo do Bitcoin está sendo negociado acima do índice à vista, geralmente isso é visto como um sinal de baixa.
Os mercados são um reflexo das emoções humanas e muitas vezes, antes que o preço possa mudar, vemos um certo extremo nas emoções. Esse extremo pode ser identificado no Índice Premium. Quando temos um sinal extremo no Índice Bitcoin Premium as chances de uma reversão aumentam. Esta pode ser uma reversão de curto prazo ou uma reversão maior.
Resumindo, um prêmio de índice à vista é geralmente de alta e um prêmio de derivativos é geralmente um sinal de baixa.
Mas, tal como acontece com as taxas de financiamento, por vezes demora um pouco para que essa pressão de compra ou venda seja expressa no preço e, portanto, é sempre importante combinar esta métrica com outras métricas, como a estrutura de preços.
Por exemplo, aqui na imagem abaixo podemos ver uma leitura extrema no índice premium do Bitcoin. Embora várias horas após o evento ainda vejamos a subida do preço, vemos que está bastante perto de uma reversão e, eventualmente, o preço muda.
Descrição por whaleportal
What is the Bitcoin Premium Index?
The Bitcoin Premium index tracks the premium or discount of Bitcoin perpetual contracts relative to the spot index price per minute. The premium Index is based on the difference in price between the last traded price of a perpetual contract and the spot index price. The spot index price is a volume- weighted spot index, which means an average price taken from multiple exchanges.
Basically, it shows you for each cryptocurrency whether the spot market is trading higher or lower than the perpetual contract. The value can either be above, below, or equal to 0. When the value is above 0, the perpetual contract is trading higher than the “mark price”, when the value is below 0 the spot index is trading higher than the perpetual contract.
How to read the Bitcoin premium index?
There are multiple ways to view the Bitcoin Premium Index. You can either look at the value (above or below 0) similar to the funding rates or you can look at certain extremes. This information can be very helpful in your trading strategy. The chart is displayed as a candlestick chart with a body and the wick (also known as shadow) of the candle. The wick can show a certain extreme, while the close of the candle shows the value.
The value, either above or below 0 shows whether the price of Bitcoin perpetual contracts is trading higher or lower than the spot index. When the spot index is trading higher, the premium will go below 0 and turns negative, usually, this is known to be a bullish sign. When the value is trading higher than 0 and turns positive, it means the Bitcoin perpetual contract is trading higher than the spot index, usually, this is seen as a bearish signal.
The markets are a reflection of human emotions and often before the price can shift we are seeing a certain extreme in emotions. That extreme can be spotted in the Premium Index. When we have an extreme signal in the Bitcoin Premium Index the chances of a reversal increase. This can be either a short-term reversal or a bigger reversal.
In short, a spot index premium is usually bullish and a derivatives premium is usually a bearish signal.
But as with funding rates, it sometimes takes a moment for that buying or selling pressure to be expressed in the price and therefore it is always important to combine this metric with other metrics like the price structure.
For example, here in the image below we can see an extreme reading in the premium index on Bitcoin. Although in several hours after the event we still see the price climb, we do see that it’s rather close to a reversal and eventually the price turns around.
Description by whaleportal
Swing Suite (SMT/Divergences + Gann Swings)Hello Traders!
TRN Swing Suite (SMT/Divergences + Gann Swings) is an indicator which identifies, and highlights pivot points (swings) and prints a lot of information about the swings in the chart (e.g. length, duration, cumulative Delta, ...). Furthermore, it detects divergences in connection with any given indicator, even custom ones. In addition to this, you can choose the algorithm to compute the swings. The famous Gann-Swing algorithm and the extremely precise TRN Swing algorithm (called Standard) are available for selection, as well as two other variants. Compared to other swing or zig-zag indicators it works in real-time, does not need a look-a-head to find swings and is not repainting. Moreover, equal (double) highs and lows are detected and displayed. The TRN Swing Suite helps traders to visualize the pure price action and identify key turning points or trends. The indicator comes with the following features:
Precise real-time swing detection without repainting
Divergence detecting for any given (custom) indicator - with 11 different preset indicators
SMT (Smart Money Technique)/Divergence detecting in relation to other instruments
Swing Performance Statistics
Swing support and resistance levels
Swing trend for multiple swing sizes
Equal/double high and low detection
4 different swing computation styles
Displaying of swing labels, values and information
Customizable settings as well as look and feel
It's important to note that the TRN Swing Suite is a visual tool and does not provide specific buy or sell signals. It serves as a guide for traders to analyze market structure in depth and make well-informed trading decisions based on their trading strategy and additional technical analysis.
Divergence Detection for any given (Custom) Indicator
The divergence detector finds with unrivaled precision bullish and bearish as well as regular and hidden divergences. The main difference compared to other divergences indicators is that this indicator finds rigorously the extreme peaks of each swing, both in price and in the corresponding indicator. This precision is unmatched and therefore this is one of the best divergences detectors.
The build in divergence detector works with any given indicator, even custom ones. In addition, there are 11 built-in indicators. Most noticeable is the cumulative delta indicator, which works astonishingly well as a divergence indicator. Full list:
External Indicator (see next section for the setup)
Awesome Oscillator (AO)
Commodity Channel Index (CCI)
Cumulative Delta Volume (CDV)
Chaikin Money Flow (CMF)
Moving Average Convergence Divergence (MACD)
Money Flow Index (MFI)
Momentum
On Balance Volume (OBV)
Relative Strength Index (RSI)
Stochastic
Williams Percentage Range (W%R)
The divergences are colored with vivid lines and labels. Bullish divergences are distinguished with luminous blue lines, while bearish divergences are denoted by striking red lines. Upon detecting a divergence, the colored lines act as a visual indicator for traders, signaling an imminent possibility of a trend reversal. In response, traders can leverage this valuable insight to make informed decisions in their trading activities.
Choose Your Custom Divergence Indicator
Handpick your custom indicator, and the TRN Swing Suite will hunt for divergences on your preferred market and timeframe. Importantly, you must add the indicator to your chart. Afterwards, simply go to the “Divergence Detection” section in the TRN Swing Suite indicator settings and choose "External Indicator". If the custom indicator has one reference value, then choose this value in the “External Indicator (High)” field. If there are high and low values (e.g. candles), then you also must set the “External Indicator Low” field.
In the provided graphic, we've chosen the stochastic RSI as our example, and as you can see, the TRN Swing Suite instantly identifies and plots bullish and bearish divergences on your chart.
Smart Money Technique (SMT)/Divergence detecting in Relation to other Instruments
Smart Money Technique/Tool (SMT) means the divergence detection between two related instruments. The TRN Swing Suite finds divergence in relation to other instruments, e.g. NQ vs ES or BTCUSDT vs ETHUSDT. Just add another instrument to the chart. As representation style you can choose lines or candles/bars. Afterwards, simply go to the “Divergence Detection” section in the TRN Swing Suite indicator settings and choose "External Indicator". If the second instrument is represented as line, then choose this value in the “External Indicator (High)” field. If there are high and low values (e.g. candles/bars), then you also must set the “External Indicator Low” field.
The detection of SMTs can help traders to decide whether the trend continues, or a reversal is imminent. E.g. if the NQ makes a new higher high but the ES fails to do so and makes a new lower high, then the TRN Swing Suite shows a divergence. As a result, the probability is high that the trend will not continue, and the trader can make an informed decision about what to do next.
How to Set Parameters for Divergence Indicators
To begin, access the indicator settings and find the “Divergence Detection”. Look for the "Parameters" sections where you can fine-tune Parameters 1-3. The default settings are already optimized for the oscillators AO, RSI, CDV, W%R, MFI and Stochastic. For other divergence indicators, you might want to adjust the settings to your liking. The parameter order is the same as in the corresponding divergence indicator.
TRN Swing Suite Statistics
Unveil the untapped potential of advanced Swing Statistics! Gain invaluable insights into historical swings and turning points. Elevate your expertise by harnessing this treasure trove of data to supercharge signal reliability, while masterfully planning stop loss and take profit strategies with unrivaled accuracy. Within the TRN Swing Suite lie two powerful statistics, each offering distinct insights to empower your trading prowess.
Swing Statistic
The Swing Statistic comprises of two series, one for up swings (Up) and one for down swings (Down), with values given in points. The columns have the following meaning:
Up or down
# - total number of analyzed swings
Overall ∅ Length - average length of all swings in points
Overall ∅ Duration - average duration of swings in bars
∅ Length - average lengths for custom-defined swing counts
∅ Duration - average durations for custom-defined swing counts
The custom-defined swing count is used to determine the swing length/duration for the last x swings. Note, in the case of well-established assets like Microsoft or Nvidia, which have undergone one or more stock splits, the overall average in column three may deviate significantly from those in column five. That is why column 5 is useful.
Relation Statistic
The Relation Statistic highlights percentages representing the historical occurrence of specific high and low sequences. In the first column (in %), various types of highs and lows are listed as reference points.
For example, the first row corresponds to "HH followed by", where the second column (#) displays the total count of higher highs (HH) considered. The subsequent columns showcase the percentages of how often certain patterns follow the initial HH.
Fields marked in blue represent sequences that occurred in over 50% of cases. The darker the shade of blue in each field, the higher the percentage.
Use Swing Statistics to Validate Stop-Loss and Take-Profit Levels
No matter which signals you choose to trade, consulting Swing Statistics can significantly enhance the reliability of these signals.
For example, when looking for a long entry after a lower low (LL), you can examine the likelihood of a subsequent lower high (LH) or even a higher high (HH). Combining this valuable information with your predetermined Take Profit level allows you to better assess whether your target can be achieved successfully. Additionally, you can add the average up swing length to the lower low for an alternative Take Profit level. Similarly, you can verify the probability of the next low being a higher low (HL) or another lower low (LL) to determine the likelihood of your Stop Loss being triggered. Align the length of the last down swing with the average down swing length for an alternative Stop Loss.
Swing Support and Resistance Levels
Swing support and resistance levels are horizontal lines starting from a swing high or swing low and representing natural support and resistance levels. Price tends to respect this levels one way or another. In most cases, old swing highs and swing lows provide a lot of liquidity to the market. For example, for a swing high there are at least three different market players at work:
Traders put there stop loss above the swing high
Breakout traders go long above the swing high
Turtle soup (reverse) trader go short above the swing high
Swing Trend (Multiple Sizes)
The TRN Swing Suite can display either at the top or at the bottom the prevailing swing trends for the main trend seen in the chart and for two additional swing sizes. This is useful to see the swing trend for medium and bigger swings to get a clear picture of the market.
Getting an Edge with the TRN Swing Suite
The indicator clearly displays up trends, defined as a sequence of higher highs (HH) and higher lows (HL), with green labels and down trends, defined as a sequence of lower lows (LL) and lower highs (LH), with red labels. Equal highs/double tops (DT) and equal lows/ double bottoms (DB) are highlighted in gold.
In addition, the labels show a full stack of valuable information about the swings to maximize your accuracy.
Length
Length percentage in relation to the last swing length
Duration
Time
Volume
Cumulative Delta
In an uptrend the up swings should have higher volume und higher cumulative delta than the down swings. The duration and time for down swings in an uptrend should be shorter than for the up swings.
Use Cases for Swing Detection
Trend Identification
By connecting the swing highs and lows, traders can identify and analyze the prevailing trend in the market. An uptrend is characterized by higher swing highs and lows, while a downtrend is characterized by lower highs and lower lows. The indicator helps traders visually assess the strength and continuity of the trend.
Support And Resistance Levels
The swing highs and lows can act as support and resistance levels. Swing highs may act as resistance levels where selling pressure increases, while swing lows may act as support levels where buying pressure increases. Traders often pay attention to these levels as potential areas for trade entries, exits, or placing stop-loss orders.
Pattern Recognition
The swings identified by the indicator can help traders recognize chart patterns, such as equal high/lows, consolidations, wedges, triangles or more complex patterns like Gartley or Head and Shoulders. These patterns can provide insights into potential trend continuation or reversal.
Trade Entry and Exit
Traders may use TRN Swing to determine potential trade entry and exit points. For example, in an uptrend, traders may look for opportunities to enter long positions near swing lows or on pullbacks to support levels. Conversely, in a downtrend, traders may consider short positions near swing highs or on retracements to resistance levels.
Swing Styles
In addition to the standard swings, you have the flexibility to choose between various swing styles, including ticks, percent, or even the famous Gann swings.
Standard
Gann
Ticks
Percent
Conclusion
While signals from TRN Swings can be informative, it is important to recognize that their reliability may vary. Various external factors can impact market prices, and it is essential to consider your risk tolerance and investment goals when executing trades.
Risk Disclaimer
The content, tools, scripts, articles, and educational resources offered by TRN Trading are intended solely for informational and educational purposes. Remember, past performance does not ensure future outcomes.
Multi Timeframe RSI Buy Sell Strategy [TradeDots]The "Multi Timeframe RSI Buy/Sell Strategy" is a trading strategy that utilizes Relative Strength Index (RSI) indicators from multiple timeframes to provide buy and sell signals.
This strategy allows for extensive customization, supporting up to three distinct RSIs, each configurable with its own timeframe, length, and data source.
HOW DOES IT WORK
This strategy integrates up to three RSIs, each selectable from different timeframes and customizable in terms of length and source. Users have the flexibility to define the number of active RSIs. These selections visualize as plotted lines on the chart, enhancing interpretability.
Users can also manage the moving average of the selected RSI lines. When multiple RSIs are active, the moving average is calculated based on these active lines' average value.
The color intensity of the moving average line changes as it approaches predefined buying or selling thresholds, alerting users to potential signal generation.
A buy or sell signal is generated when all active RSI lines simultaneously cross their respective threshold lines. Concurrently, a label will appear on the chart to signify the order placement.
For those preferring not to display order information or activate the strategy, an "Enable backtest" option is provided in the settings for toggling activation.
APPLICATION
The strategy leverages multiple RSIs to detect extreme market conditions across various timeframes without the need for manual timeframe switching.
This feature is invaluable for identifying divergences across timeframes, such as detecting potential short-term reversals within broader trends, thereby aiding traders in making better trading decisions and potentially avoiding losses.
DEFAULT SETUP
Commission: 0.01%
Initial Capital: $10,000
Equity per Trade: 60%
RISK DISCLAIMER
Trading entails substantial risk, and most day traders incur losses. All content, tools, scripts, articles, and education provided by TradeDots serve purely informational and educational purposes. Past performances are not definitive predictors of future results.
TradeDots Stochastic Z-Score
Enhanced Predictive ModelThe "Enhanced Predictive Model" is a sophisticated TradingView indicator designed for traders looking for advanced predictive insights into market trends. This model leverages smoothed price data through an Exponential Moving Average (EMA) to ensure a more stable trend analysis and mitigate the effects of price volatility.
**Features of the Enhanced Predictive Model:**
- **Linear Regression Analysis**: Calculates a regression line over the smoothed price data to determine the prevailing market trend.
- **Predictive Trend Line**: Projects future market behavior by extending the current trend line based on the linear regression analysis.
- **EMA Smoothing**: Utilizes a dynamic smoothing mechanism to provide a clear view of the trend without the noise typically associated with raw price data.
- **Visual Trend Indicators**: Offers immediate visual cues through bar coloring, which changes based on the trend direction detected by the regression slope. Green indicates an uptrend, while red suggests a downtrend.
**Key Inputs:**
- **Regression Length**: Determines the number of bars used for the regression analysis, allowing customization based on the user's trading strategy.
- **EMA Length**: Sets the smoothing parameter for the EMA, balancing responsiveness and stability.
- **Future Bars Prediction**: Defines how many bars into the future the predictive line should extend, providing foresight into potential price movements.
- **Smoothing Length**: Adjusts the sensitivity of the trend detection, ideal for different market conditions.
This tool is ideal for traders focusing on medium to long-term trends and can be used across various markets, including forex, stocks, and cryptocurrencies. Whether you are a day trader or a long-term investor, the "Enhanced Predictive Model" offers valuable insights to help anticipate market moves and enhance your trading decisions.
**Usage Tips:**
- Best used in markets with moderate volatility for clearer trend identification.
- Combine with volume indicators or oscillators for a comprehensive trading strategy.
**Recommended for:**
- Trend Following
- Market Prediction
- Volatility Assessment
By employing this indicator, traders can not only follow the market trend but also anticipate changes, giving them a strategic edge in their trading activities.
Multiple Indicators Screener v2After taking the approval of Mr. QuantNomad
Multiple Indicators Screener by QuantNomad
New lists have been modified and added
Built-in indicators:
RSI (Relative Strength Index): Provides trading opportunities based on overbought or oversold market conditions.
MFI (Cash Flow Index): Measures the flow of cash into or from assets, which helps in identifying buying and selling areas.
Williams Percent Range (WPR): Measures how high or low the price has been in the last time period, giving signals of periods of saturation.
Supertrend: Used to determine market direction and potential entry and exit locations.
Volume Change Percentage: Provides an analysis of the volume change percentage, which helps in identifying demand and supply changes for assets.
How to use:
Users can choose which symbols they want to monitor and analyze using a variety of built-in indicators.
The indicator provides visual signals that help traders identify potential trading opportunities based on the selected settings.
RSI in purple = buy weak liquidity (safe entry).
MFI in yellow = Liquidity
WPR in blue = RSI, MFI and WPR in oversold areas for all.
Allows users to customize the display locations and appearance of the cursor to their personal preferences.
Disclaimer
Please remember that past performance may not be indicative of future results.
Due to various factors, including changing market conditions, the strategy may no longer perform as well as in historical backtesting.
This post and the script don’t provide any financial advice.
=========================================================================
فاحص لمؤشرات متعددة مع مخرجات جدول شاملة لتسهيل مراقبة الكثير من العملات تصل الى 99 في وقت واحد
بختصر الشرح
ظهور اللون البنفسجي يعني كمية الشراء ضعف السيولة .
ظهور اللون الازرق جميع المؤشرات وصلة الى مرحلة التشبع البيعي ( دخول آمن )
ظهور اللون الاصفر يعني السيولة ضعفين الشراء ( عكس اتجاه قريب ) == ركزو على هاللون خصوصا مع عملات الخفيفة
Slow Volume Strength Index (SVSI)The Slow Volume Strength Index (SVSI), introduced by Vitali Apirine in Stocks & Commodities (Volume 33, Chapter 6, Page 28-31), is a momentum oscillator inspired by the Relative Strength Index (RSI). It gauges buying and selling pressure by analyzing the disparity between average volume on up days and down days, relative to the underlying price trend. Positive volume signifies closes above the exponential moving average (EMA), while negative volume indicates closes below. Flat closes register zero volume. The SVSI then applies a smoothing technique to this data and transforms it into an oscillator with values ranging from 0 to 100.
Traders can leverage the SVSI in several ways:
1. Overbought/Oversold Levels: Standard thresholds of 80 and 20 define overbought and oversold zones, respectively.
2. Centerline Crossovers and Divergences: Signals can be generated by the indicator line crossing a midline or by divergences from price movements.
3. Confirmation for Slow RSI: The SVSI can be used to confirm signals generated by the Slow Relative Strength Index (SRSI), another oscillator developed by Apirine.
🔹 Algorithm
In the original article, the SVSI is calculated using the following formula:
SVSI = 100 - (100 / (1 + SVS))
where:
SVS = Average Positive Volume / Average Negative Volume
* Volume is considered positive when the closing price is higher than the six-day EMA.
* Volume is considered negative when the closing price is lower than the six-day EMA.
* Negative volume values are expressed as absolute values (positive).
* If the closing price equals the six-day EMA, volume is considered zero (no change).
* When calculating the average volume, the indicator utilizes Wilder's smoothing technique, as described in his book "New Concepts In Technical Trading Systems."
Note that this indicator, the formula has been simplified to be
SVSI = 100 * Average Positive Volume / (Average Positive Volume + Average Negative Volume)
This formula achieves the same result as the original article's proposal, but in a more concise way and without the need for special handling of division by zero
🔹 Parameters
The SVSI calculation offers configurable parameters that can be adjusted to suit individual trading styles and goals. While the default lookback periods are 6 for the EMA and 14 for volume smoothing, alternative values can be explored. Additionally, the standard overbought and oversold thresholds of 80 and 20 can be adapted to better align with the specific security being analyzed.