AadTrend [InvestorUnknown]The AadTrend indicator is an experimental trading tool that combines a user-selected moving average with the Average Absolute Deviation (AAD) from this moving average. This combination works similarly to the Supertrend indicator but offers additional flexibility and insights. In addition to generating Long and Short signals, the AadTrend indicator identifies RISK-ON and RISK-OFF states for each trade direction, highlighting areas where taking on more risk may be considered.
Core Concepts and Features
Moving Average (User-Selected Type)
The indicator allows users to select from various types of moving averages to suit different trading styles and market conditions:
Simple Moving Average (SMA)
Exponential Moving Average (EMA)
Hull Moving Average (HMA)
Double Exponential Moving Average (DEMA)
Triple Exponential Moving Average (TEMA)
Relative Moving Average (RMA)
Fractal Adaptive Moving Average (FRAMA)
Average Absolute Deviation (AAD)
The Average Absolute Deviation measures the average distance between each data point and the mean, providing a robust estimation of volatility.
aad(series float src, simple int length, simple string avg_type) =>
avg = // Moving average as selected by the user
abs_deviations = math.abs(src - avg)
ta.sma(abs_deviations, length)
This provides a volatility measure that adapts to recent market conditions.
Combining Moving Average and AAD
The indicator creates upper and lower bands around the moving average using the AAD, similar to how the Supertrend indicator uses Average True Range (ATR) for its bands.
AadTrend(series float src, simple int length, simple float aad_mult, simple string avg_type) =>
// Calculate AAD (volatility measure)
aad_value = aad(src, length, avg_type)
// Calculate the AAD-based moving average by scaling the price data with AAD
avg = switch avg_type
"SMA" => ta.sma(src, length)
"EMA" => ta.ema(src, length)
"HMA" => ta.hma(src, length)
"DEMA" => ta.dema(src, length)
"TEMA" => ta.tema(src, length)
"RMA" => ta.rma(src, length)
"FRAMA" => ta.frama(src, length)
avg_p = avg + (aad_value * aad_mult)
avg_m = avg - (aad_value * aad_mult)
var direction = 0
if ta.crossover(src, avg_p)
direction := 1
else if ta.crossunder(src, avg_m)
direction := -1
A chart displaying the moving average with upper and lower AAD bands enveloping the price action.
Signals and Trade States
1. Long and Short Signals
Long Signal: Generated when the price crosses above the upper AAD band,
Short Signal: Generated when the price crosses below the lower AAD band.
2. RISK-ON and RISK-OFF States
These states provide additional insight into the strength of the current trend and potential opportunities for taking on more risk.
RISK-ON Long: When the price moves significantly above the upper AAD band after a Long signal.
RISK-OFF Long: When the price moves back below the upper AAD band, suggesting caution.
RISK-ON Short: When the price moves significantly below the lower AAD band after a Short signal.
RISK-OFF Short: When the price moves back above the lower AAD band.
Highlighted areas on the chart representing RISK-ON and RISK-OFF zones for both Long and Short positions.
A chart showing the filled areas corresponding to trend directions and RISK-ON zones
Backtesting and Performance Metrics
While the AadTrend indicator focuses on generating signals and highlighting risk areas, it can be integrated with backtesting frameworks to evaluate performance over historical data.
Integration with Backtest Library:
import InvestorUnknown/BacktestLibrary/1 as backtestlib
Customization and Calibration
1. Importance of Calibration
Default Settings Are Experimental: The default parameters are not optimized for any specific market condition or asset.
User Calibration: Traders should adjust the length, aad_mult, and avg_type parameters to align the indicator with their trading strategy and the characteristics of the asset being analyzed.
2. Factors to Consider
Market Volatility: Higher volatility may require adjustments to the aad_mult to avoid false signals.
Trading Style: Short-term traders might prefer faster-moving averages like EMA or HMA, while long-term traders might opt for SMA or FRAMA.
Alerts and Notifications
The AadTrend indicator includes built-in alert conditions to notify traders of significant market events:
Long and Short Alerts:
alertcondition(long_alert, "LONG (AadTrend)", "AadTrend flipped ⬆LONG⬆")
alertcondition(short_alert, "SHORT (AadTrend)", "AadTrend flipped ⬇Short⬇")
RISK-ON and RISK-OFF Alerts:
alertcondition(risk_on_long, "RISK-ON LONG (AadTrend)", "RISK-ON LONG (AadTrend)")
alertcondition(risk_off_long, "RISK-OFF LONG (AadTrend)", "RISK-OFF LONG (AadTrend)")
alertcondition(risk_on_short, "RISK-ON SHORT (AadTrend)", "RISK-ON SHORT (AadTrend)")
alertcondition(risk_off_short, "RISK-OFF SHORT (AadTrend)", "RISK-OFF SHORT (AadTrend)")
Important Notes and Disclaimer
Experimental Nature: The AadTrend indicator is experimental and should be used with caution.
No Guaranteed Performance: Past performance is not indicative of future results. Backtesting results may not reflect real trading conditions.
User Responsibility: Traders and investors should thoroughly test and calibrate the indicator settings before applying it to live trading.
Risk Management: Always use proper risk management techniques, including stop-loss orders and position sizing.
Analisis Trend
Fibonacci Bands [BigBeluga]The Fibonacci Band indicator is a powerful tool for identifying potential support, resistance, and mean reversion zones based on Fibonacci ratios. It overlays three sets of Fibonacci ratio bands (38.2%, 61.8%, and 100%) around a central trend line, dynamically adapting to price movements. This structure enables traders to track trends, visualize potential liquidity sweep areas, and spot reversal points for strategic entries and exits.
🔵 KEY FEATURES & USAGE
Fibonacci Bands for Support & Resistance:
The Fibonacci Band indicator applies three key Fibonacci ratios (38.2%, 61.8%, and 100%) to construct dynamic bands around a smoothed price. These levels often act as critical support and resistance areas, marked with labels displaying the percentage and corresponding price. The 100% band level is especially crucial, signaling potential liquidity sweep zones and reversal points.
Mean Reversion Signals at 100% Bands:
When price moves above or below the 100% band, the indicator generates mean reversion signals.
Trend Detection with Midline:
The central line acts as a trend-following tool: when solid, it indicates an uptrend, while a dashed line signals a downtrend. This adaptive midline helps traders assess the prevailing market direction while keeping the chart clean and intuitive.
Extended Price Projections:
All Fibonacci bands extend to future bars (default 30) to project potential price levels, providing a forward-looking perspective on where price may encounter support or resistance. This feature helps traders anticipate market structure in advance and set targets accordingly.
Liquidity Sweep:
--
-Liquidity Sweep at Previous Lows:
The price action moves below a previous low, capturing sell-side liquidity (stop-losses from long positions or entries for breakout traders).
The wick suggests that the price quickly reversed, leaving a failed breakout below support.
This is a classic liquidity grab, often indicating a bullish reversal .
-Liquidity Sweep at Previous Highs:
The price spikes above a prior high, sweeping buy-side liquidity (stop-losses from short positions or breakout entries).
The wick signifies rejection, suggesting a failed breakout above resistance.
This is a bearish liquidity sweep , often followed by a mean reversion or a downward move.
Display Customization:
To declutter the chart, traders can choose to hide Fibonacci levels and only display overbought/oversold zones along with the trend-following midline and mean reversion signals. This option enables a clearer focus on key reversal areas without additional distractions.
🔵 CUSTOMIZATION
Period Length: Adjust the length of the smoothed moving average for more reactive or smoother bands.
Channel Width: Customize the width of the Fibonacci channel.
Fibonacci Ratios: Customize the Fibonacci ratios to reflect personal preference or unique market behaviors.
Future Projection Extension: Set the number of bars to extend Fibonacci bands, allowing flexibility in projecting price levels.
Hide Fibonacci Levels: Toggle the visibility of Fibonacci levels for a cleaner chart focused on overbought/oversold regions and midline trend signals.
Liquidity Sweep: Toggle the visibility of Liquidity Sweep points
The Fibonacci Band indicator provides traders with an advanced framework for analyzing market structure, liquidity sweeps, and trend reversals. By integrating Fibonacci-based levels with trend detection and mean reversion signals, this tool offers a robust approach to navigating dynamic price action and finding high-probability trading opportunities.
Weis Wave Max█ Overview
Weis Wave Max is the result of my weis wave study.
David Weis said,
"Trading with the Weis Wave involves changes in behavior associated with springs, upthrusts, tests of breakouts/breakdowns, and effort vs reward. The most common setup is the low-volume pullback after a bullish/bearish change in behavior."
THE STOCK MARKET UPDATE (February 24, 2013)
I inspired from his sentences and made this script.
Its Main feature is to identify the largest wave in Weis wave and advantageous trading opportunities.
█ Features
This indicator includes several features related to the Weis Wave Method.
They help you analyze which is more bullish or bearish.
Highlight Max Wave Value (single direction)
Highlight Abnormal Max Wave Value (both directions)
Support and Resistance zone
Signals and Setups
█ Usage
Weis wave indicator displays cumulative volume for each wave.
Wave volume is effective when analyzing volume from VSA (Volume Spread Analysis) perspective.
The basic idea of Weis wave is large wave volume hint trend direction. This helps identify proper entry point.
This indicator highlights max wave volume and displays the signal and then proper Risk Reward Ratio entry frame.
I defined Change in Behavior as max wave volume (single direction).
Pullback is next wave that does not exceed the starting point of CiB wave (LH sell entry, HL buy entry).
Change in Behavior Signal ○ appears when pullback is determined.
Change in Behavior Setup (Entry frame) appears when condition of Min/Max Pullback is met and follow through wave breaks end point of CiB wave.
This indicator has many other features and they can also help a user identify potential levels of trade entry and which is more bullish or bearish.
In the screenshot below we can see wave volume zones as support and resistance levels. SOT and large wave volume /delta price (yellow colored wave text frame) hint stopping action.
█ Settings
Explains the main settings.
-- General --
Wave size : Allows the User to select wave size from ① Fixed or ② ATR. ② ATR is Factor x ATR(Length).
Display : Allows the User to select how many wave text and zigzag appear.
-- Wave Type --
Wave type : Allows the User to select from Volume or Volume and Time.
Wave Volume / delta price : Displays Wave Volume / delta price.
Simplified value : Allows the User to select wave text display style from ① Divisor or ② Normalized. Normalized use SMA.
Decimal : Allows the User to select the decimal point in the Wave text.
-- Highlight Abnormal Wave --
Highlight Max Wave value (single direction) : Adds marks to the Wave text to highlight the max wave value.
Lookback : Allows the User to select how many waves search for the max wave value.
Highlight Abnormal Wave value (both directions) : Changes wave text size, color or frame color to highlight the abnormal wave value.
Lookback : Allows the User to select SMA length to decide average wave value.
Large/Small factor : Allows the User to select the threshold large wave value and small wave value. Average wave value is 1.
delta price : Highlights large delta price by large wave text size, small by small text size.
Wave Volume : Highlights large wave volume by yellow colored wave text, small by gray colored.
Wave Volume / delta price : highlights large Wave Volume / delta price by yellow colored wave text frame, small by gray colored.
-- Support and Resistance --
Single side Max Wave Volume / delta price : Draws dashed border box from end point of Max wave volume / delta price level.
Single side Max Wave Volume : Draws solid border box from start point of Max wave volume level.
Bias Wave Volume : Draws solid border box from start point of bias wave volume level.
-- Signals --
Bias (Wave Volume / delta price) : Displays Bias mark when large difference in wave volume / delta price before and after.
Ratio : Decides the threshold of become large difference.
3Decrease : Displays 3D mark when a continuous decrease in wave volume.
Shortening Of the Thrust : Displays SOT mark when a continuous decrease in delta price.
Change in Behavior and Pullback : Displays CiB mark when single side max wave volume and pullback.
-- Setups --
Change in Behavior and Pullback and Breakout : Displays entry frame when change in behavior and pullback and then breakout.
Min / Max Pullback : Decides the threshold of min / max pullback.
If you need more information, please read the indicator's tooltip.
█ Conclusion
Weis Wave is powerful interpretation of volume and its tell us potential trend change and entry point which can't find without weis wave.
It's not the holy grail, but improve your chart reading skills and help you trade rationally (at least from VSA perspective).
Take Double Action PriceThe "Take Double Action Price" (TakeDAP) indicator is a comprehensive tool designed for TradingView, offering a wide range of features to help traders identify key price action patterns, trend directions, and potential trading opportunities. This indicator combines multiple technical analysis methods, including Exponential Moving Averages (EMAs), cloud trends, super trends, and various price action patterns, to provide a holistic view of the market.
Key Features:
Price Action Settings:
Position Loss %: Allows traders to set the potential loss of a position as a percentage, which is used to calculate the required leverage.
Fixed Leverage: Option to enable or disable fixed leverage.
Set Leverage: Specify the total capital when using fixed leverage.
Total Capital: Define the total capital for leverage calculations.
Price Action Patterns:
Pin Bars: Identify pin bars with customizable colors.
Outside Bars: Detect outside bars with customizable colors.
Inside Bars: Recognize inside bars with customizable colors.
PPR Bars: Identify PPR bars with customizable colors.
Candle and Line Customization:
Customize the colors of candles, wicks, borders, and labels.
Adjust the length of label lines, take lines, and stop lines.
Trend Settings:
Show Cloud Trend: Option to display the cloud trend.
Cloud Lookback Period: Define the lookback period for the cloud trend.
Cloud Highligher Colors: Customize the colors for uptrend and downtrend highlights.
Cloud Trend Transparence: Adjust the transparency of the cloud trend.
Exponential Moving Average (EMA):
Show EMA: Option to display EMAs.
Fill EMA: Option to fill the area between EMAs.
EMA Source: Select the source for EMA calculations.
EMA Lengths and Colors: Customize the lengths and colors for up to nine EMAs.
Offset and Transparency: Adjust the offset and transparency of EMAs.
Super Trend:
Show Super Trend: Option to display the super trend.
ATR Lengths and Factors: Customize the ATR lengths and factors for the super trend.
Super Trend Colors: Customize the colors for uptrend and downtrend highlights.
Super Trend Transparence: Adjust the transparency of the super trend.
EMA Trend Bands:
Show EMA Trend Bands: Option to display EMA trend bands.
EMA Trend Deviation: Customize the deviation for EMA trend bands.
EMA Trend Highligter Colors: Customize the colors for uptrend and downtrend highlights.
EMA Trend Transparence: Adjust the transparency of EMA trend bands.
ATR Trend Bands:
Show ATR Trend Bands: Option to display ATR trend bands.
ATR Length and Smoothing: Customize the ATR length and smoothing method.
ATR Take Multipliers: Customize the take multipliers for ATR trend bands.
ATR Trend Highligter Colors: Customize the colors for uptrend and downtrend highlights.
Price Action Signals Source:
Select the source for displaying price action signals based on the price position.
Alerts:
All Price Actions: Alert for any price action pattern formed.
Only Pin-bar: Alert specifically for pin-bar patterns.
Usage:
The "Take Double Action Price" indicator is designed to be a versatile tool for traders, providing multiple layers of analysis to help identify potential trading opportunities. By combining price action patterns with trend analysis and moving averages, traders can gain a comprehensive understanding of market conditions and make more informed trading decisions.
Customization:
The indicator offers extensive customization options, allowing traders to tailor the settings to their specific trading strategies and preferences. From adjusting the colors and lengths of various elements to selecting the sources for trend and price action signals, traders can fine-tune the indicator to suit their needs.
Explanation
Pin Bar Detection
The function shouldColorCandle takes the open, close, high, and low prices of a candle as inputs.
It calculates the body size (A), the upper wick size (B), and the lower wick size (C) of the candle.
conditionpinDN: A downward pin bar is detected if the upper wick (B) is at least twice the size of the body (A) and the lower wick (C).
conditionpinUP: An upward pin bar is detected if the lower wick (C) is at least twice the size of the body (A) and the upper wick (B).
The function returns two boolean values: conditionpinDN and conditionpinUP, indicating whether the current candle is a downward or upward pin bar, respectively.
PPR Bar Detection
The function isPPR takes the open, high, low, close prices of the current candle and the previous candle (openPrev, highPrev, lowPrev, closePrev) as inputs.
It checks if the current close price is greater than the previous high price and if the previous open price is greater than the previous close price for a bullish PPR.
It checks if the current close price is less than the previous low price and if the previous open price is less than the previous close price for a bearish PPR.
Outside Bar Detection
The function isOutsideBarAbsorption takes the open, high, low, close prices of the current candle and the previous candle (openPrev, highPrev, lowPrev, closePrev) as inputs.
It checks if the current close price is greater than the previous high price and if the current low price is less than the previous low price for a bullish outside bar.
It checks if the current close price is less than the previous low price and if the current high price is greater than the previous high price for a bearish outside bar.
Line Plotting:
The script builds lines for stop and take profit levels, the multiplier of which can be changed in the settings.
For PPR and outside bars, it builds lines based on previous highs or lows with take profit and stop factors.
For Pin bars, it builds lines based on the long wick of the candle with take profit and stop factors.
Leverage Calculation:
The script calculates the stop value based on the high and low prices of the previous and current candles.
It then calculates the leverage value as a percentage of the stop value (the "X:" on the label).
The leverage value is calculated based on the leverage percentage or the fixed leverage value if enabled.
The position value is calculated based on the capital, shoulder percentage, stop value, and set leverage.
EMA Trend Calculation:
Calculates the standard deviation of the selected EMA multiplied by the deviation multiplier and calculates the upper and lower deviation bands and displays the required ones relative to the current price and the short term EMA.
ATR Bands Calculation:
Calculate the upper and lower ATR bands around the selected ATR source and multipliers and determine which ATR band to plot based on the position of the closing price relative to the ATR source.
EMA Extension:
Calculates the absolute difference between the 3rd EMA and the 5th EMA and store previous values when there is a change
A bullish extension is detected if the current difference is greater than the previous difference and 3rd EMA is above 5th EMA.
A bearish extension is detected if the current difference is greater than the previous difference and 3rd EMA is below 5th EMA.
Plots shapes (triangles) on the chart to indicate the detected extensions.
Ultra Market StructureThe Ultra Market Structure indicator detects key market structure breaks, such as Break of Structure (BoS) and Change of Character (CHoCH), to help identify trend reversals. It plots lines and labels on the chart to visualize these breakpoints with alerts for important signals.
Introduction
This script is designed to help traders visualize important market structure events, such as trend breaks and reversals, using concepts like Break of Structure (BoS) and Change of Character (CHoCH). The indicator highlights internal and external price levels where the market shifts direction. It offers clear visual signals and alerts to keep traders informed of potential changes in the market trend.
Detailed Description
The indicator focuses on detecting "market structure breaks," which occur when the price moves past significant support or resistance levels, suggesting a potential reversal or continuation of the trend.
.........
Type of structure
Internal Structure: Focuses on smaller, shorter-term price levels within the current market trend.
External Structure: Focuses on larger, longer-term price levels that may indicate more significant shifts in the market.
.....
Key events
Break of Structure (BoS): A market structure break where the price surpasses a previous high (bullish BoS) or low (bearish BoS).
Change of Character (CHoCH): A shift in market behavior when the price fails to continue in the same direction, indicating a possible trend reversal.
Once a break or shift is detected, the script plots lines and labels on the chart to visually mark the breakpoints.
It also provides alerts when a BoS or CHoCH occurs, keeping traders informed in real-time.
The indicator can color the background and candles based on the market structure, making it easy to identify the current trend.
.....
Special feature
At news events or other momentum pushes most structure indicators will go into "sleep mode" because of too far away structure highs/lows. This indicator has a structure reset feature to solve this issue.
.........
Detects Break of Structure (BoS) and Change of Character (CHoCH) signals.
Marks internal and external support/resistance levels where market trends change.
Provides visual cues (lines, labels) and real-time alerts for structure breaks.
Offers background and candle color customization to highlight market direction.
Pivots+BB+EMA+TSPiviot Ponts
Bollinger Bands
EMA`s
Trend Strenght
Good combination for Scalping with Hiken Ashi Candels in low Time Frames
Price Above 50 and 200 EMA with Smiley faces and 200 ema slope
Overview
This advanced indicator provides a comprehensive multi-timeframe analysis of price positioning relative to 50 and 200 Exponential Moving Averages (EMAs), offering traders a quick and intuitive view of market trends across different timeframes.
Key Features
Multi-Timeframe Analysis: Simultaneously evaluates price behavior across 5m, 15m, and other selected timeframes
EMA Trend Visualization: Instantly shows whether price is above or below 50 and 200 EMAs
Slope Direction Indicator: Tracks the directional momentum of the 200 EMA
Customizable Distance Metrics: Option to display distances as absolute values or percentages
Emoji-Based Indicators: Quick visual representation of price positioning
Functionality
The indicator uses color-coded and emoji-based signals to represent:
😊 (Blue): Price is above the EMA
☹️ (Red): Price is below the EMA
⬆️ (Blue): EMA slope is positive
⬇️ (Red): EMA slope is negative
Customization Options
Adjustable EMA periods
Togglable distance display
Distance representation (percentage or absolute value)
Best Used For
Trend identification
Multi-timeframe analysis
Quick market sentiment assessment
Supplementing other technical analysis tools
Recommended Timeframes
Intraday trading
Swing trading
Trend following strategies
Risk Disclaimer
This indicator is a tool for analysis and should not be used in isolation for trading decisions. Always combine with other technical and fundamental analysis, and proper risk management.
Ultra Liquidity HeatmapThe Ultra Liquditiy Heatmap is a unique visualization tool designed to map out areas of high liquidity on the chart using a dynamic heatmap, helping traders identify significant price zones effectively.
Introduction
The Ultra Liquidity Heatmap is an advanced indicator for visualizing key liquidity areas on your chart. Whether you're a scalper, swing trader, or long-term investor, understanding liquidity dynamics can offer a powerful edge in market analysis. This tool provides a straightforward visual representation of these zones directly on your chart.
Detailed Description
The Ultra Liquidity Heatmap identifies high and low liquidity zones by dynamically marking price ranges with heatmap-like boxes.
.........
Dynamic Zone Creation
For low liquidity zones, the script draws boxes extending from the low to the high of the bar. If the price breaks below a previously defined zone, that box is removed.
Similarly, for high liquidity zones, the script tracks and highlights price ranges above the current high, removing boxes if the price exceeds the zone.
.....
Customizable Visuals
Users can adjust the transparency and color of the heatmap, tailoring the visualization to their preference.
.....
Real-Time Updates
The indicator constantly updates as new price data comes in, ensuring that the heatmap reflects the most current liquidity zones.
.....
Efficiency and Scalability
The script uses optimized arrays and a maximum box limit of 500 to ensure smooth performance even on higher timeframes or during high-volatility periods.
.........
The Ultra Liquidity Heatmap bridges the gap between raw price data and actionable market insight. Add it to your toolbox and elevate your trading strategy today!
Kalman Trend Strength Index (K-TSI)The Kalman Trend Strength Index (K-TSI) is an innovative technical indicator that combines the Kalman filter with correlation analysis to measure trend strength in financial markets. This sophisticated tool aims to provide traders with a more refined method for trend analysis and market dynamics interpretation.
The use of the Kalman filter is a key feature of the K-TSI. This advanced algorithm is renowned for its ability to extract meaningful signals from noisy data. In financial markets, this translates to smoothing out price action while maintaining responsiveness to genuine market movements. By applying the Kalman filter to price data before performing correlation analysis, the K-TSI potentially offers more stable and reliable trend signals.
The synergy between the Kalman-filtered price data and correlation analysis creates an oscillator that attempts to capture market dynamics more effectively. The correlation component contributes by measuring the strength and consistency of price movements relative to time, while the Kalman filter adds robustness by reducing the impact of market noise. Basing these calculations on Kalman-filtered data may help reduce false signals and provide a clearer picture of underlying market trends.
A notable aspect of the K-TSI is its normalization process. This approach adjusts the indicator's values to a standardized range (-1 to 1), allowing for consistent interpretation across different market conditions and timeframes. This flexibility, combined with the noise-reduction properties of the Kalman filter, positions the K-TSI as a potentially useful tool for various market environments.
In practice, traders might find that the K-TSI offers several potential benefits:
Smoother trend identification, which could aid in detecting the start and end of trends more accurately.
Possibly reduced false signals, particularly in choppy or volatile markets.
Potential for improved trend strength assessment, which might lead to more confident trading decisions.
Consistent performance across different timeframes, due to the adaptive nature of the Kalman filter and the normalization process.
The K-TSI's visual representation as a color-coded histogram further enhances its utility. The changing colors and intensities provide an intuitive way to gauge both the direction and strength of trends, making it easier for traders to quickly assess market conditions.
While the K-TSI builds upon existing concepts in technical analysis, its integration of the Kalman filter with correlation analysis offers traders an interesting tool for market analysis. It represents an attempt to address common challenges in technical analysis, such as noise reduction and trend strength quantification.
As with any technical indicator, the K-TSI should be used as part of a broader trading strategy rather than in isolation. Its effectiveness will depend on how well it aligns with a trader's individual approach and market conditions. For traders looking to explore a more refined trend strength oscillator, the Kalman Trend Strength Index could be a worthwhile addition to their analytical toolkit.
Adapted RSI w/ Multi-Asset Regime Detection v1.1The relative strength index (RSI) is a momentum indicator used in technical analysis. RSI measures the speed and magnitude of an asset's recent price changes to detect overbought or oversold conditions in the price of said asset.
In addition to identifying overbought and oversold assets, the RSI can also indicate whether your desired asset may be primed for a trend reversal or a corrective pullback in price. It can signal when to buy and sell.
The RSI will oscillate between 0 and 100. Traditionally, an RSI reading of 70 or above indicates an overbought condition. A reading of 30 or below indicates an oversold condition.
The RSI is one of the most popular technical indicators. I intend to offer a fresh spin.
Adapted RSI w/ Multi-Asset Regime Detection
Our Adapted RSI makes necessary improvements to the original Relative Strength Index (RSI) by combining multi-timeframe analysis with multi-asset monitoring and providing traders with an efficient way to analyse market-wide conditions across different timeframes and assets simultaneously. The indicator automatically detects market regimes and generates clear signals based on RSI levels, presenting this data in an organised, easy-to-read format through two dynamic tables. Simplicity is key, and having access to more RSI data at any given time, allows traders to prepare more effectively, especially when trading markets that "move" together.
How we calculate the RSI
First, the RSI identifies price changes between periods, calculating gains and losses from one look-back period to the next. This look-back period averages gains and losses over 14 periods, which in this case would be 14 days, and those gains/losses are calculated based on the daily closing price. For example:
Average Gain = Sum of Gains over the past 14 days / 14
Average Loss = Sum of Losses over the past 14 days / 14
Then we calculate the Relative Strength (RS):
RS = Average Gain / Average Loss
Finally, this is converted to the RSI value:
RSI = 100 - (100 / (1 + RS))
Key Features
Our multi-timeframe RSI indicator enhances traditional technical analysis by offering synchronised Daily, Weekly, and Monthly RSI readings with automatic regime detection. The multi-asset monitoring system allows tracking of up to 10 different assets simultaneously, with pre-configured major pairs that can be customised to any asset selection. The signal generation system provides clear market guidance through automatic regime detection and a five-level signal system, all presented through a sophisticated visual interface with dynamic RSI line colouring and customisable display options.
Quick Guide to Use it
Begin by adding the indicator to your chart and configuring your preferred assets in the "Asset Comparison" settings.
Position the two information tables according to your preference.
The main table displays RSI analysis across three timeframes for your current asset, while the asset table shows a comparative analysis of all monitored assets.
Signals are colour-coded for instant recognition, with green indicating bullish conditions and red for bearish conditions. Pay special attention to regime changes and signal transitions, using multi-timeframe confluence to identify stronger signals.
How it Works (Regime Detection & Signals)
When we say 'Regime', a regime is determined by a persistent trend or in this case momentum and by leveraging this for RSI, which is a momentum oscillator, our indicator employs a relatively simple regime detection system that classifies market conditions as either Bullish (RSI > 50) or Bearish (RSI < 50). Our benchmark between a trending bullish or bearish market is equal to 50. By leveraging a simple classification system helps determine the probability of trend continuation and the weight given to various signals. Whilst we could determine a Neutral regime for consolidating markets, we have employed a 'neutral' signal generation which will be further discussed below...
Signal generation occurs across five distinct levels:
Strong Buy (RSI < 15)
Buy (RSI < 30)
Neutral (RSI 30-70)
Sell (RSI > 70)
Strong Sell (RSI > 85)
Each level represents different market conditions and probability scenarios. For instance, extreme readings (Strong Buy/Sell) indicate the highest probability of mean reversion, while neutral readings suggest equilibrium conditions where traders should focus on the overall regime bias (Bullish/Bearish momentum).
This approach offers traders a new and fresh spin on a popular and well-known tool in technical analysis, allowing traders to make better and more informed decisions from the well presented information across multiple assets and timeframes. Experienced and beginner traders alike, I hope you enjoy this adaptation.
MinhV ICT Trading V.1ICT Trading from MinhV.
i- Usually, when EMAs are under 200 EMA, it is downtrend. I purposely make 200 EMA as an area instead of line is too always
easily read at a glance whether we are in downtrend or uptrend. As long EMA 7 and 20 still inside the 200 area, it's still
going down. The further the downtrend it is. The closer, we can see the reversal thing, but wait the market to decide this.
High Probability BreakoutThis indicator calculates the level importance by binning the historical price range and then aggregates occurrence of fractals weighted by the power of the trend the reversal point stopped. Later the indicator detects blocks of high importanc levels, and the action zones between them. When price crosses trough a block of high importance levels aka Support or Resistance zones, the indicator filters out the signal based on the breaker and verification candle structure, the ratios in the settings are out of 1.
Kolojo Scalping - EMA, ST, FVGDieses Skript wurde speziell für präzises Scalping entwickelt und eignet sich besonders gut für den Handel mit Gold. Es kombiniert mehrere leistungsstarke Werkzeuge, um optimale Trading-Entscheidungen zu unterstützen:
- Zwei anpassbare EMA-Linien: Ermöglichen eine flexible Anpassung an unterschiedliche Marktbedingungen.
- Supertrend-Indikator: Ein bewährtes Tool zur Erkennung von Trends und potenziellen Ein- und Ausstiegspunkten.
- Deutlich hervorgehobene Bullishe und Bearishe FVG (Fair Value Gaps): Unterstützen bei der Identifikation von Marktineffizienzen und potenziellen Umkehrzonen.
Dieses Skript ist ideal für Trader, die schnellen und präzisen Entscheidungen auf Basis klarer Signale treffen möchten.
(Persönlich bevorzugte TF: 15)
Ahr999 Index Buy/Sell Signals【Little_Turtle】
===== 📊 AHR999 HODL Indicator 📊 =====
█ Overview
The AHR999 indicator is designed as an auxiliary tool for Bitcoin dollar-cost averaging (DCA) users, aimed at helping users make rational investment decisions by combining timing strategies. This indicator reflects the potential short-term returns of Bitcoin DCA and reveals the deviation between the market price and the expected valuation of Bitcoin, providing users with clearer buy signals.
In the long term, there is a certain positive correlation between Bitcoin prices and block height. Through DCA, users can effectively control short-term investment costs, allowing the average cost of their holdings to be lower than the current market price in most cases.
The core function of the AHR999 indicator is to help users identify different market value zones and buy within reasonable price ranges, thereby optimizing investment costs and increasing returns.
The AHR999 indicator is especially suitable for long-term value investors in Bitcoin.
When the indicator is above 1, it indicates that Bitcoin's price is in a bull market and is rising.
When the indicator is below 1, it indicates a reasonable cost averaging interval for investment.
When the indicator is below 0.5, it suggests that Bitcoin's price is undervalued and in a relatively high-certainty bottoming zone.
█ Concepts
The AHR999 indicator consists of two sub-indicators:
Bitcoin's 200-day average price cost
The average cost is the geometric mean of Bitcoin's price over the past 200 days.
Price estimate based on Bitcoin's age
The estimated price is calculated using a logarithmic function based on Bitcoin's price history since 2010.
The final formula is:
AHR999 Indicator = (Close / GMA200) * (Close / Estimate Price)
===== ⚙️ Usage Instructions ⚙️ =====
High Value Zone (AHR999 < 0.5)
When the AHR999 indicator is below 0.5, it indicates that the market price is at a relatively low level, which is considered the "high value zone." At this point, Bitcoin's price is relatively cheap, and it may be a good time to continuously buy on dips, gradually increasing the position and lowering the average cost.
Investment Strategy : Buy on dips, accumulate more Bitcoin, and profit when the price rises in the future.
DCA Zone (0.5 ≤ AHR999 < 1)
When AHR999 crosses above 0.5 and is below 1, it indicates that the market price has returned above 0.5, falling within a more reasonable DCA range. At this point, regular and fixed investments can be made to further average out the buying cost.
Investment Strategy : Make regular, fixed investments to keep long-term holding costs at a relatively reasonable level.
Cautious Buying Zone (1 ≤ AHR999 < 2)
When AHR999 crosses above 1 and is below 2, market sentiment starts to warm up, and caution is required. The price is gradually approaching or exceeding its long-term average level, which increases the risk. It is advisable to avoid large purchases and instead adopt a more conservative strategy, reducing new position expansion.
Investment Strategy : Remain cautious, avoid blindly chasing prices, and wait for better buying opportunities.
Bubble Zone (AHR999 ≥ 2)
When AHR999 crosses above 1 and is greater than 2, market sentiment is extremely high, and the market may be in a bubble phase. At this point, Bitcoin's price has far exceeded its expected valuation, and the market is driven by FOMO (fear of missing out). Investors should avoid chasing prices and wait for the market to cool down before making decisions.
Investment Strategy : Avoid chasing prices, refrain from over-speculating, and reduce new purchases or temporarily hold the position. Consider selling some low-cost holdings at an appropriate time.
===== 📄 Summary 📄 =====
The AHR999 indicator provides a relatively scientific framework for Bitcoin dollar-cost averaging (DCA), helping investors identify optimal buying opportunities across different market zones. By considering the specific performance of the market, investors can reasonably diversify risk, control investment costs, and avoid impulsive decisions during periods of market euphoria, thereby improving the probability of long-term investment success.
========== ⚠️ Usage Notes ⚠️ ==========
Limitations of Historical Data:
This model is based on historical price patterns and is intended to provide investors with some reference. However, historical data does not fully reflect future market trends, as the market is influenced by various complex factors such as policies, macroeconomics, and market sentiment. Therefore, this model should be used as a reference tool and not the sole basis for investment decisions.
Thorough Research and Multi-Dimensional Decision-Making:
Before making trading decisions, it is crucial to conduct thorough market research. It is recommended to combine technical analysis, fundamental analysis, and market trends to form a strategy. Relying on a single tool may lead to one-sided judgments, especially in uncertain market conditions. Always consider multiple sources of information.
Errors and Uncertainty in Predictive Tools:
All data-driven predictive tools, including the AHR999 indicator, have inherent errors. Market movements are not only influenced by historical patterns but can also be affected by unforeseen events, external economic changes, and other factors. Therefore, the results from this model should be approached with caution, and excessive reliance on them should be avoided.
Risk Awareness and Management:
All investments carry risk, especially in high-volatility markets. Predictive tools can help identify trends and opportunities, but they may also mislead decisions and lead to losses. When using this model, maintain a high level of risk awareness, properly allocate funds, and implement risk management measures such as setting stop-loss and take-profit orders to protect capital.
Dynamic Adjustments and Changing Market Conditions:
The market environment is dynamic and may change over time. Past patterns may not necessarily adapt to future volatility. Therefore, it is recommended that investors stay flexible when using this model, adjusting strategies according to real-time market changes. Avoid blindly following the signals provided by the indicator and refrain from over-relying on a single tool for decision-making.
YGR ENTRY MODEL 1.0Este indicador combina el oscilador estocástico con una confirmación adicional basada en el volumen. Se utiliza para identificar condiciones de sobrecompra y sobreventa en el mercado, filtrando señales falsas mediante el análisis del volumen.
%K y %D del estocástico se trazan con líneas de color amarillo y negro, respectivamente.
Señales de compra (verde) cuando el estocástico está en sobreventa (por debajo de 20) y el volumen actual es superior al volumen promedio.
Señales de venta (roja) cuando el estocástico está en sobrecompra (por encima de 80) y el volumen actual es superior al volumen promedio.
Líneas horizontales en los niveles de sobrecompra (80) y sobreventa (20) para facilitar la visualización.
Ideal para traders que buscan un enfoque más robusto para confirmar las señales del estocástico con un filtro de volumen.
Super ScriptIdentifies opening 10 minute opening range via white box
Identifies middle bollinger band via blue trend line
plots ATR pivot points via Buy/SELL signals.
Identifies strong/weak ADX signals via white triangles.
I use on 5 minute chart and enter once BLUE trend line crosses Above or Below white opening range horizontal lines.
Venmo @Matt-Hierseman for donations. Happy trading and lets make some money!
TSI + MMTrend Strength Index (TSI):
O TSI é baseado na correlação de Pearson entre os preços de fechamento e o índice de barras do gráfico. A correlação reflete a relação linear entre o movimento do preço e uma linha reta. Quanto mais alto for o valor do TSI, mais forte é a tendência de alta, e quanto mais baixo for, mais forte é a tendência de queda.
Valores do TSI:
Próximo de 1: Indica uma forte tendência de alta, com preços subindo de forma constante.
Próximo de -1: Indica uma forte tendência de queda, com preços descendo de forma constante.
Próximo de 0: Indica falta de uma tendência consistente, com o mercado se movendo de forma errática ou lateral.
Média Móvel (MM) do TSI:
A média móvel de 3 períodos (configurável pelo usuário) é aplicada ao TSI para suavizar os movimentos de curto prazo e ajudar a identificar mudanças na tendência de forma mais precisa.
A média móvel pode ser habilitada ou desabilitada diretamente nas configurações do indicador, permitindo ao trader decidir se deseja ver a linha suavizada ou trabalhar apenas com o TSI puro.
Linhas de Referência:
Linha de Referência (0): Serve como uma linha central que indica a ausência de tendência.
Linha de 50% (0.5) e Linha de -50% (-0.5): Essas linhas ajudam a visualizar quando o TSI está alcançando níveis de força significativa, o que pode indicar um momento de transição entre tendências fortes e fracas.
Cores de Alta/Baixa:
O indicador utiliza cores para identificar e destacar a força da tendência:
Cor verde (Bullish): Indica uma tendência de alta.
Cor vermelha (Bearish): Indica uma tendência de queda.
A intensidade dessas cores é controlada por um gradiente que reflete a proximidade dos valores do TSI de 1 ou -1.
Preenchimento Gradiente:
O indicador utiliza preenchimento de cor entre o TSI e a linha central (0), com gradientes que indicam visualmente a força da tendência. O preenchimento é verde para uma tendência de alta e vermelho para uma tendência de baixa. Esse preenchimento torna a leitura do gráfico mais intuitiva, fornecendo uma visão clara de quando o mercado está em uma forte tendência de alta ou baixa.
Como Usar o Indicador:
Configurações:
Período do TSI: O usuário pode ajustar o período do TSI para controlar a sensibilidade do indicador, podendo torná-lo mais reativo ou mais suave, dependendo da análise desejada.
Período da Média Móvel: A média móvel é configurada para um valor padrão de 3 períodos, mas pode ser ajustada conforme a preferência do trader.
Exibição da Média Móvel: O usuário pode ativar ou desativar a média móvel para um gráfico mais limpo ou uma análise mais detalhada, dependendo da sua estratégia.
Identificação da Tendência:
Quando o TSI está acima de 0 e próximo de 1, e a média móvel do TSI também está subindo, isso indica uma forte tendência de alta.
Quando o TSI está abaixo de 0 e próximo de -1, e a média móvel do TSI está descendo, isso indica uma forte tendência de queda.
Sinais de Entrada/Saída:
Compra (Long): Quando o TSI cruza acima de 0 e a média móvel está subindo, isso sugere que o mercado pode estar entrando em uma tendência de alta forte.
Venda (Short): Quando o TSI cruza abaixo de 0 e a média móvel está descendo, isso sugere que o mercado pode estar entrando em uma tendência de queda forte.
Evitar Operações: Quando o TSI está perto de 0 ou entre -0.5 e 0.5, o mercado não tem uma tendência clara, e as operações podem ser mais arriscadas.
Gestão de Risco:
Utilizando o TSI, traders podem também ajustar seu stop-loss e take-profit de acordo com as mudanças na força da tendência. Se o TSI começa a se aproximar de 0, pode ser um sinal de que a tendência está perdendo força e que a posição deve ser fechada.
Vantagens do Indicador TSI + MM:
Facilidade de Visualização: O preenchimento de cores e as linhas de referência tornam a leitura do mercado mais intuitiva.
Flexibilidade: A capacidade de habilitar ou desabilitar a média móvel do TSI permite uma adaptação à preferência do trader, seja para operações rápidas ou mais suavizadas.
Identificação Clara de Tendências: A combinação do TSI com médias móveis de curto e longo prazo ajuda a confirmar não apenas a tendência, mas também a força dessa tendência, melhorando a tomada de decisão.
Melhoria na Precisão de Entrada/Saída: O uso de dois indicadores complementares ajuda a reduzir sinais falsos e otimizar pontos de entrada e saída.
Conclusão:
O Indicador Trend Strength Index com Média Móvel é uma ferramenta poderosa para traders que buscam identificar não apenas a direção, mas também a força das tendências de mercado. Ao combinar o TSI com uma média móvel ajustável, este indicador proporciona uma análise detalhada e uma visão clara da dinâmica do mercado, ajudando na tomada de decisões mais informadas e precisas.
10EMA Strategy with backtestFellow traders
For this strategy I already published an indicator. Now you can use it as an strategy.
For more info about the strategy see my indicator.
It is still a beta version, if you find any bugs or you wish any changes just let me know and I will improve it.
Momentum Zones [TradersPro]OVERVIEW
The Momentum Zones indicator is designed for momentum stock traders to provide a visible trend structure with actionable price levels. The indicator has been designed for high-growth, bullish stocks on a daily time frame but can be used on any chart and timeframe.
Momentum zones help traders focus on the momentum structure of price, enabling disciplined trading plans with specific entry, exit, and risk management levels.
It is built using CCI values, allowing for fixed trend range calculations. It is most effective when applied to screens of stocks with high RSI, year-to-date (YTD) price gains of 25% or higher, as well as stocks showing growth in both sales and earnings quarter-over-quarter and year-over-year.
CONCEPTS
The indicator defines and colors uptrends (green), downtrends (red), and trends in transition or pausing (yellow).
The indicator can be used for new trend entry or trend continuation entry. New trend entry can be done on the first green bar after a red bar. Trend continuation entries can be done with the first green bar after a yellow bar. The yellow transition zones can be used as price buffers for stop-loss management on new entries.
To see the color changes, users need to be sure to uncheck the candlestick color settings. This can be done by right-clicking the chart, going to Symbols, and unchecking the candle color body, border, and wick boxes.
Remember to check them if the indicator is turned off, or the candles will be blank with no color.
The settings also correspond to the screening function to get a list of stocks entering various momentum zones so you can have a prime list of the stocks meeting any other fundamental criteria you may desire. Traders can then use the indicator for the entry and risk structure of the trading plan.
Fibonacci Retracement Custom - 52 WeeksPlots 52 Week Retracement using its max and min. Dash lines are increments of 25%, dot lines are 1/4 of each range.
Entry/Exit 20 DMA Low/High Enter -> Price closes in green above 20 DMA High
Exit -> Price closed in red below 20 DMA Low
Combined Stochastic Indicators by KJ9-3, 14-3 and 60-10
This script now combines three Stochastic indicators with the specified settings into one chart.
Pour Niki dailyThis indicator allows bullish trend following by visually highlighting :
1/ the trend
2/ impulsive candles
3/ corrective movements
CHANELS: Chanels are created with 3 lines:
UPPER line is the line of the highs
STOPLOSS (dotted line) is a moving average that can be used for STOP LOSS positioning
END OF TREND is a moving average used to show a potential end of current trend
Periods are 20 and 7 for Daily Charts, can be changed to 7 and 3 for Weekly Charts
1. TREND detection
if the background is GREEN: Bullish
if the background is WHITE: Bearish
if the background is ORANGE: Uncertain
3. NEW TREND STARTING
▲ indicates the beginning of a new bullish trend
2. IMPULSIVE CANDLES in light green
can be used to look for a new entry point or for a partial profit in a running bullish trend
3. ALERTS
! indicates a corrective movement with the low close to the STOPLOSS line