MA Deviation Suite [InvestorUnknown]This indicator combines advanced moving average techniques with multiple deviation metrics to offer traders a versatile tool for analyzing market trends and volatility.
 Moving Average Types :
 
 SMA, EMA, HMA, DEMA, FRAMA, VWMA: Standard moving averages with different characteristics for smoothing price data.
 Corrective MA: This method corrects the MA by considering the variance, providing a more responsive average to price changes.
 
 f_cma(float src, simple int length) =>
    ma     = ta.sma(src, length)
    v1      = ta.variance(src, length)
    v2      = math.pow(nz(ma , ma) - ma, 2)
    v3      = v1 == 0 or v2 == 0 ? 1 : v2 / (v1 + v2)
       
    var tolerance = math.pow(10, -5)
    float err   = 1
       
    // Gain Factor
    float kPrev = 1
    float k     = 1
       
    for i = 0 to 5000 by 1
        if err > tolerance
            k := v3 * kPrev * (2 - kPrev)
            err := kPrev - k
            kPrev := k
            kPrev            
    ma      := nz(ma , src) + k * (ma - nz(ma , src)) 
 
 Fisher Least Squares MA: Aims to reduce lag by using a Fisher Transform on residuals.
 
 f_flsma(float src, simple int len) =>
    ma = src
    e = ta.sma(math.abs(src - nz(ma )), len)
    z = ta.sma(src - nz(ma , src), len) / e
    r = (math.exp(2 * z) - 1) / (math.exp(2 * z) + 1)
    a = (bar_index - ta.sma(bar_index, len)) / ta.stdev(bar_index, len) * r
    ma := ta.sma(src, len) + a * ta.stdev(src, len) 
 
 Sine-Weighted MA & Cosine-Weighted MA: These give more weight to middle bars, creating a smoother curve; Cosine weights are shifted for a different focus.
 
 Deviation Metrics :
 
 Average Absolute Deviation (AAD) and Median Absolute Deviation (MAD): AAD calculates the average of absolute deviations from the MA, offering a measure of volatility. MAD uses the median, which can be less sensitive to outliers.
 Standard Deviation (StDev): Measures the dispersion of prices from the mean.
 Average True Range (ATR): Reflects market volatility by considering the day's range.
 Average Deviation (adev): The average of previous deviations.
 
 // Calculate deviations
float aad                           = f_aad(src, dev_len, ma) * dev_mul
float mad                           = f_mad(src, dev_len, ma) * dev_mul
float stdev                         = ta.stdev(src, dev_len)      * dev_mul
float atr                           = ta.atr(dev_len)             * dev_mul
float avg_dev                       = math.avg(aad, mad, stdev, atr)
// Calculated Median with +dev and -dev
float aad_p                         = ma + aad
float aad_m                         = ma - aad
float mad_p                         = ma + mad
float mad_m                         = ma - mad
float stdev_p                       = ma + stdev
float stdev_m                       = ma - stdev
float atr_p                         = ma + atr
float atr_m                         = ma - atr
float adev_p                        = ma + avg_dev
float adev_m                        = ma - avg_dev
// upper and lower
float upper                         = f_max4(aad_p, mad_p, stdev_p, atr_p)
float upper2                        = f_min4(aad_p, mad_p, stdev_p, atr_p)
float lower                         = f_min4(aad_m, mad_m, stdev_m, atr_m)
float lower2                        = f_max4(aad_m, mad_m, stdev_m, atr_m) 
 Determining Trend 
The indicator generates trend signals by assessing where price stands relative to these deviation-based lines. It assigns a trend score by summing individual signals from each deviation measure. For instance, if price crosses above the MAD-based upper line, it contributes a bullish point; crossing below an ATR-based lower line contributes a bearish point.
When the aggregated trend score crosses above zero, it suggests a shift towards a bullish environment; crossing below zero indicates a bearish bias.
 // Define Trend scores
var int aad_t                       = 0
if ta.crossover(src, aad_p)
    aad_t         := 1
if ta.crossunder(src, aad_m)
    aad_t         := -1
var int mad_t                       = 0
if ta.crossover(src, mad_p)
    mad_t         := 1
if ta.crossunder(src, mad_m)
    mad_t         := -1
var int stdev_t                     = 0
if ta.crossover(src, stdev_p)
    stdev_t         := 1
if ta.crossunder(src, stdev_m)
    stdev_t         := -1
var int atr_t                       = 0
if ta.crossover(src, atr_p)
    atr_t         := 1
if ta.crossunder(src, atr_m)
    atr_t         := -1
var int adev_t                      = 0
if ta.crossover(src, adev_p)
    adev_t         := 1
if ta.crossunder(src, adev_m)
    adev_t         := -1
int upper_t                         = src > upper ? 3 : 0
int lower_t                         = src < lower ? 0 : -3
int upper2_t                        = src > upper2 ? 1 : 0
int lower2_t                        = src < lower2 ? 0 : -1
float trend                         = aad_t + mad_t + stdev_t + atr_t + adev_t + upper_t + lower_t + upper2_t + lower2_t
var float sig                       = 0
if ta.crossover(trend, 0)
    sig     := 1
else if ta.crossunder(trend, 0)
    sig     := -1 
 Backtesting and Performance Metrics 
The code integrates with a backtesting library that allows traders to:
 
 Evaluate the strategy historically
 Compare the indicator’s signals with a simple buy-and-hold approach
 Generate performance metrics (e.g., mean returns, Sharpe Ratio, Sortino Ratio) to assess historical effectiveness.
 
  
 Practical Usage and Calibration 
Default settings are not optimized: The given parameters serve as a starting point for demonstration. Users should adjust:
 
 len: Affects how smooth and lagging the moving average is.
 dev_len and dev_mul: Influence the sensitivity of the deviation measures. Larger multipliers widen the bands, potentially reducing false signals but introducing more lag. Smaller multipliers tighten the bands, producing quicker signals but potentially more whipsaws.
 
This flexibility allows the trader to tailor the indicator for various markets (stocks, forex, crypto) and time frames.
 Disclaimer
 
 No guaranteed results: Historical performance does not guarantee future outcomes. Market conditions can vary widely.
 User responsibility: Traders should combine this indicator with other forms of analysis, appropriate risk management, and careful calibration of parameters.
 
Поиск скриптов по запросу "backtesting"
CandleCandle: A Comprehensive Pine Script™ Library for Candlestick Analysis 
 Overview 
The Candle library, developed in Pine Script™, provides traders and developers with a robust toolkit for analyzing candlestick data. By offering easy access to fundamental candlestick components like open, high, low, and close prices, along with advanced derived metrics such as body-to-wick ratios, percentage calculations, and volatility analysis, this library enables detailed insights into market behavior.
This library is ideal for creating custom indicators, trading strategies, and backtesting frameworks, making it a powerful resource for any Pine Script™ developer.
 Key Features 
 1. Core Candlestick Data 
 •    Open : Access the opening price of the current candle.
 •    High : Retrieve the highest price.
 •    Low : Retrieve the lowest price.
 •    Close : Access the closing price.
 2. Candle Metrics 
 •    Full Size : Calculates the total range of the candle (high - low).
 •    Body Size : Computes the size of the candle’s body (open - close).
 •    Wick Size : Provides the combined size of the upper and lower wicks.
 3. Wick and Body Ratios 
 •    Upper Wick Size  and  Lower Wick Size .
 •    Body-to-Wick Ratio  and  Wick-to-Body Ratio .
 4. Percentage Calculations 
 •    Upper Wick Percentage : The proportion of the upper wick size relative to the full candle size.
 •    Lower Wick Percentage : The proportion of the lower wick size relative to the full candle size.
 •    Body Percentage  and  Wick Percentage  relative to the candle’s range.
 5. Candle Direction Analysis 
 •   Determines if a candle is "Bullish" or "Bearish" based on its closing and opening prices.
 6. Price Metrics 
 •    Average Price : The mean of the open, high, low, and close prices.
 •    Midpoint Price : The midpoint between the high and low prices.
 7. Volatility Measurement 
 •   Calculates the standard deviation of the OHLC prices, providing a volatility metric for the current candle.
 Code Architecture 
 Example Functionality 
The library employs a modular structure, exporting various functions that can be used independently or in combination. For instance:
 
// This Pine Script™ code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © DevArjun
//@version=6
indicator("Candle Data", overlay = true)
import DevArjun/Candle/1 as Candle
// Body Size %
bodySize = Candle.BodySize()
// Determining the candle direction
candleDirection = Candle.CandleDirection()
// Calculating the volatility of the current candle
volatility = Candle.Volatility()
// Plotting the metrics (for demonstration)
plot(bodySize, title="Body Size", color=color.blue)
label.new(bar_index, high, candleDirection, style=label.style_circle)
 
 Scalability 
The modularity of the Candle library allows seamless integration into more extensive trading systems. Functions can be mixed and matched to suit specific analytical or strategic needs.
 Use Cases 
 Trading Strategies 
Developers can use the library to create strategies based on candle properties such as:
 •   Identifying long-bodied candles (momentum signals).
 •   Detecting wicks as potential reversal zones.
 •   Filtering trades based on candle ratios.
 Visualization 
Plotting components like body size, wick size, and directional labels helps visualize market behavior and identify patterns.
 Backtesting 
By incorporating volatility and ratio metrics, traders can design and test strategies on historical data, ensuring robust performance before live trading.
 Education 
This library is a great tool for teaching candlestick analysis and how each component contributes to market behavior.
 Portfolio Highlights 
 Project Objective 
To create a Pine Script™ library that simplifies candlestick analysis by providing comprehensive metrics and insights, empowering traders and developers with advanced tools for market analysis.
 Development Challenges and Solutions 
 •    Challenge : Achieving high precision in calculating ratios and percentages.
 •    Solution : Implemented robust mathematical operations and safeguarded against division-by-zero errors.
 •    Challenge : Ensuring modularity and scalability.
 •    Solution : Designed functions as independent modules, allowing flexible integration.
 Impact 
 •    Efficiency : The library reduces the time required to calculate complex candlestick metrics.
 •    Versatility : Supports various trading styles, from scalping to swing trading.
 •    Clarity : Clean code and detailed documentation ensure usability for developers of all levels.
 Conclusion 
The Candle library exemplifies the power of Pine Script™ in simplifying and enhancing candlestick analysis. By including this project in your portfolio, you showcase your expertise in:
 •   Financial data analysis.
 •   Pine Script™ development.
 •   Creating tools that solve real-world trading challenges.
This project demonstrates both technical proficiency and a keen understanding of market analysis, making it an excellent addition to your professional portfolio.
Library   "Candle" 
A comprehensive library to access and analyze the basic components of a candlestick, including open, high, low, close prices, and various derived metrics such as full size, body size, wick sizes, ratios, percentages, and additional analysis metrics.
 Open() 
  Open
@description Returns the opening price of the current candle.
  Returns: float - The opening price of the current candle.
 High() 
  High
@description Returns the highest price of the current candle.
  Returns: float - The highest price of the current candle.
 Low() 
  Low
@description Returns the lowest price of the current candle.
  Returns: float - The lowest price of the current candle.
 Close() 
  Close
@description Returns the closing price of the current candle.
  Returns: float - The closing price of the current candle.
 FullSize() 
  FullSize
@description Returns the full size (range) of the current candle (high - low).
  Returns: float - The full size of the current candle.
 BodySize() 
  BodySize
@description Returns the body size of the current candle (open - close).
  Returns: float - The body size of the current candle.
 WickSize() 
  WickSize
@description Returns the size of the wicks of the current candle (full size - body size).
  Returns: float - The size of the wicks of the current candle.
 UpperWickSize() 
  UpperWickSize
@description Returns the size of the upper wick of the current candle.
  Returns: float - The size of the upper wick of the current candle.
 LowerWickSize() 
  LowerWickSize
@description Returns the size of the lower wick of the current candle.
  Returns: float - The size of the lower wick of the current candle.
 BodyToWickRatio() 
  BodyToWickRatio
@description Returns the ratio of the body size to the wick size of the current candle.
  Returns: float - The body to wick ratio of the current candle.
 UpperWickPercentage() 
  UpperWickPercentage
@description Returns the percentage of the upper wick size relative to the full size of the current candle.
  Returns: float - The percentage of the upper wick size relative to the full size of the current candle.
 LowerWickPercentage() 
  LowerWickPercentage
@description Returns the percentage of the lower wick size relative to the full size of the current candle.
  Returns: float - The percentage of the lower wick size relative to the full size of the current candle.
 WickToBodyRatio() 
  WickToBodyRatio
@description Returns the ratio of the wick size to the body size of the current candle.
  Returns: float - The wick to body ratio of the current candle.
 BodyPercentage() 
  BodyPercentage
@description Returns the percentage of the body size relative to the full size of the current candle.
  Returns: float - The percentage of the body size relative to the full size of the current candle.
 WickPercentage() 
  WickPercentage
@description Returns the percentage of the wick size relative to the full size of the current candle.
  Returns: float - The percentage of the wick size relative to the full size of the current candle.
 CandleDirection() 
  CandleDirection
@description Returns the direction of the current candle.
  Returns: string - "Bullish" if the candle is bullish, "Bearish" if the candle is bearish.
 AveragePrice() 
  AveragePrice
@description Returns the average price of the current candle (mean of open, high, low, and close).
  Returns: float - The average price of the current candle.
 MidpointPrice() 
  MidpointPrice
@description Returns the midpoint price of the current candle (mean of high and low).
  Returns: float - The midpoint price of the current candle.
 Volatility() 
  Volatility
@description Returns the standard deviation of the OHLC prices of the current candle.
  Returns: float - The volatility of the current candle.
Median Deviation Suite [InvestorUnknown]The Median Deviation Suite uses a median-based baseline derived from a Double Exponential Moving Average (DEMA) and layers multiple deviation measures around it. By comparing price to these deviation-based ranges, it attempts to identify trends and potential turning points in the market. The indicator also incorporates several deviation types—Average Absolute Deviation (AAD), Median Absolute Deviation (MAD), Standard Deviation (STDEV), and Average True Range (ATR)—allowing traders to visualize different forms of volatility and dispersion. Users should calibrate the settings to suit their specific trading approach, as the default values are not optimized.
  
 Core Components 
 Median of a DEMA:  
The foundation of the indicator is a Median applied to the 7-day DEMA (Double Exponential Moving Average). DEMA aims to reduce lag compared to simple or exponential moving averages. By then taking a median over median_len periods of the DEMA values, the indicator creates a robust and stable central tendency line.
 float dema = ta.dema(src, 7) 
float median = ta.median(dema, median_len) 
 Multiple Deviation Measures:  
Around this median, the indicator calculates several measures of dispersion:
 
 ATR (Average True Range): A popular volatility measure.
 STDEV (Standard Deviation): Measures the spread of price data from its mean.
 MAD (Median Absolute Deviation): A robust measure of variability less influenced by outliers.
 AAD (Average Absolute Deviation): Similar to MAD, but uses the mean absolute deviation instead of median.
 Average of Deviations (avg_dev): The average of the above four measures (ATR, STDEV, MAD, AAD), providing a combined sense of volatility.
 
Each measure is multiplied by a user-defined multiplier (dev_mul) to scale the width of the bands.
 aad   = f_aad(src, dev_len, median) * dev_mul
mad   = f_mad(src, dev_len, median) * dev_mul
stdev = ta.stdev(src, dev_len) * dev_mul
atr   = ta.atr(dev_len) * dev_mul
avg_dev = math.avg(aad, mad, stdev, atr) 
 Deviation-Based Bands:  
The indicator creates multiple upper and lower lines based on each deviation type. For example, using MAD:
 float mad_p = median + mad // already multiplied by dev_mul
float mad_m = median - mad 
Similar calculations are done for AAD, STDEV, ATR, and the average of these deviations. The indicator then determines the overall upper and lower boundaries by combining these lines:
 float upper  = f_max4(aad_p, mad_p, stdev_p, atr_p)
float lower  = f_min4(aad_m, mad_m, stdev_m, atr_m)
float upper2 = f_min4(aad_p, mad_p, stdev_p, atr_p)
float lower2 = f_max4(aad_m, mad_m, stdev_m, atr_m) 
This creates a layered structure of volatility envelopes. Traders can observe which layers price interacts with to gauge trend strength.
 Determining Trend 
The indicator generates trend signals by assessing where price stands relative to these deviation-based lines. It assigns a trend score by summing individual signals from each deviation measure. For instance, if price crosses above the MAD-based upper line, it contributes a bullish point; crossing below an ATR-based lower line contributes a bearish point.
When the aggregated trend score crosses above zero, it suggests a shift towards a bullish environment; crossing below zero indicates a bearish bias.
 // Define Trend scores
var int aad_t                       = 0
if ta.crossover(src, aad_p)
    aad_t         := 1
if ta.crossunder(src, aad_m)
    aad_t         := -1
var int mad_t                       = 0
if ta.crossover(src, mad_p)
    mad_t         := 1
if ta.crossunder(src, mad_m)
    mad_t         := -1
var int stdev_t                     = 0
if ta.crossover(src, stdev_p)
    stdev_t         := 1
if ta.crossunder(src, stdev_m)
    stdev_t         := -1
var int atr_t                       = 0
if ta.crossover(src, atr_p)
    atr_t         := 1
if ta.crossunder(src, atr_m)
    atr_t         := -1
var int adev_t                      = 0
if ta.crossover(src, adev_p)
    adev_t         := 1
if ta.crossunder(src, adev_m)
    adev_t         := -1
int upper_t                         = src > upper ? 3 : 0
int lower_t                         = src < lower ? 0 : -3
int upper2_t                        = src > upper2 ? 1 : 0
int lower2_t                        = src < lower2 ? 0 : -1
float trend                         = aad_t + mad_t + stdev_t + atr_t + adev_t + upper_t + lower_t + upper2_t + lower2_t
var float sig                       = 0
if ta.crossover(trend, 0)
    sig     := 1
else if ta.crossunder(trend, 0)
    sig     := -1 
 Practical Usage and Calibration 
Default settings are not optimized: The given parameters serve as a starting point for demonstration. Users should adjust:
 
 median_len: Affects how smooth and lagging the median of the DEMA is.
 dev_len and dev_mul: Influence the sensitivity of the deviation measures. Larger multipliers widen the bands, potentially reducing false signals but introducing more lag. Smaller multipliers tighten the bands, producing quicker signals but potentially more whipsaws.
 
This flexibility allows the trader to tailor the indicator for various markets (stocks, forex, crypto) and time frames.
 Backtesting and Performance Metrics 
The code integrates with a backtesting library that allows traders to:
 
 Evaluate the strategy historically
 Compare the indicator’s signals with a simple buy-and-hold approach
 Generate performance metrics (e.g., mean returns, Sharpe Ratio, Sortino Ratio) to assess historical effectiveness.
 
  
 Disclaimer 
 
 No guaranteed results: Historical performance does not guarantee future outcomes. Market conditions can vary widely.
 User responsibility: Traders should combine this indicator with other forms of analysis, appropriate risk management, and careful calibration of parameters.
 
Custom Strategy: ETH Martingale 2.0Strategic characteristics
ETH Little Martin 2.0 is a self-developed trading strategy based on the Martingale strategy, mainly used for trading ETH (Ethereum). The core idea of this strategy is to place orders in the same direction at a fixed price interval, and then use Martin's multiple investment principle to reduce losses, but this is also the main source of losses.
Parameter description:
1 Interval: The minimum spacing for taking profit, stop loss, and opening/closing of orders. Different targets have different spacing. Taking ETH as an example, it is generally recommended to have a spacing of 2% for fluctuations in the target.
2 Base Price: This is the price at which you triggered the first order. Similarly, I am using ETH as an example. If you have other targets, I suggest using the initial value of a price that can be backtesting. The Base Price is only an initial order price and has no impact on subsequent orders.
3 Initial Order Amount: Users can set an initial order amount to control the risk of each transaction. If the stop loss is reached, we will double the amount based on this value. This refers to the value of the position held, not the number of positions held.
4 Loss Multiplier: The strategy will increase the next order amount based on the set multiple after the stop loss, in order to make up for the previous losses through a larger position. Note that after taking profit, it will be reset to 1 times the Initial Order Amount.
5. Long Short Operation: The first order of the strategy is a multiple entry, and in subsequent orders, if the stop loss is reached, a reverse order will be opened. The position value of a one-way order is based on the Loss Multiplier multiple investment, so it is generally recommended that the Loss Multiplier default to 2.
Improvement direction
Although this strategy already has a certain trading logic, there are still some improvement directions that can be considered:
1. Dynamic adjustment of spacing: Currently, the spacing is fixed, and it can be considered to dynamically adjust the spacing based on market volatility to improve the adaptability of the strategy. Try using dynamic spacing, which may be more suitable for the actual market situation.
2. Filtering criteria: Orders and no orders can be optimized separately. The biggest problem with this strategy is that it will result in continuous losses during fluctuations, and eventually increase the investment amount. You can consider filtering out some fluctuations or only focusing on trend trends.
3. Risk management: Add more risk management measures, such as setting a maximum loss limit to avoid huge losses caused by continuous stop loss.
4. Optimize the stop loss multiple: Currently, the stop loss multiple is fixed, and it can be considered to dynamically adjust the multiple according to market conditions to reduce risk.
Overnight Effect High Volatility Crypto (AiBitcoinTrend)👽  Overview of the Strategy 
This strategy leverages the overnight effect in the cryptocurrency market, specifically targeting the two-hour window from 21:00 UTC to 23:00 UTC. The strategy is designed to be applied only during periods of high volatility, which is determined using historical volatility data. This approach, inspired by research from Padyšák and Vojtko (2022), aims to capitalize on statistically significant return patterns observed during these hours.
 Deep Backtesting with a High Volatility Filter 
   
 Deep Backtesting without a High Volatility Filter 
   
👽  How the Strategy Works 
 
 Volatility Calculation: 
Each day at 00:00 UTC, the strategy calculates the 30-day historical volatility of crypto returns (typically Bitcoin). The historical volatility is the standard deviation of the log returns over the past 30 days, representing the market's recent volatility level.
 Median Volatility Benchmark: 
The median of the 30-day historical volatility is calculated over a 365-day period (one year). This median acts as a benchmark to classify each day as either:
👾 High Volatility: When the current 30-day volatility exceeds the median volatility. 
👾 Low Volatility: When the current 30-day volatility is below the median.
 Trading Rule: 
If the day is classified as a High Volatility Day, the strategy executes the following trades:
👾 Buy at 21:00 UTC.
👾 Sell at 23:00 UTC.
 Trade Execution Details: 
The strategy uses a 0.02% fee per trade.
Each trade is executed with 25% of the available capital. This allocation helps manage risk while allowing for compounding returns.
 Rationale: 
The returns during the 22:00 and 23:00 UTC hours have been found to be statistically significant during high volatility periods. The overnight effect is believed to drive this phenomenon due to the asynchronous closing hours of global financial markets. This creates unique trading opportunities in the cryptocurrency market, where exchanges remain open 24/7.
 
👽  Market Context and Global Time Zone Impact 
👾  Why 21:00 to 23:00 UTC? 
 
 During this window, major traditional financial markets are closed:
 NYSE (New York) closes at 21:00 UTC.
 London and European markets are closed during these hours.
 Asian markets (Tokyo, Hong Kong, etc.) open later, leaving this window largely unaffected by traditional trading flows.
 
This global market inactivity creates a period where significant moves can occur in the cryptocurrency market, particularly during high volatility.
👽  Strategy Parameters 
 
 Volatility Period: 30 days. 
The lookback period for calculating historical volatility.
 Median Period: 365 days. 
The lookback period for calculating the median volatility benchmark.
 Entry Time: 21:00 UTC. 
Adjust this to your local time if necessary (e.g., 16:00 in New York, 22:00 in Stockholm).
 Exit Time: 23:00 UTC. 
Adjust this to your local time if necessary (e.g., 18:00 in New York, 00:00 midnight in Stockholm).
 
👽  Benefits of the Strategy 
 
 Seasonality Effect: 
The strategy captures consistent patterns driven by the overnight effect and high volatility periods.
 Risk Reduction: 
Since trades are executed during a specific window and only on high volatility days, the strategy helps mitigate exposure to broader market risk.
 Simplicity and Efficiency: 
The strategy is moderately complex, making it accessible for traders while offering significant returns.
 Global Applicability: 
Suitable for traders worldwide, with clear guidelines on adjusting for local time zones.
 
👽  Considerations 
 
 Market Conditions:  The strategy works best in a high-volatility environment.
 Execution:  Requires precise timing to enter and exit trades at the specified hours.
 Time Zone Adjustments:  Ensure you convert UTC times accurately based on your location to execute trades at the correct local times.
 
 Disclaimer: This information is for entertainment purposes only and does not constitute financial advice. Please consult with a qualified financial advisor before making any investment decisions.
DCA Strategy with Mean Reversion and Bollinger BandDCA Strategy with Mean Reversion and Bollinger Band
The Dollar-Cost Averaging (DCA) Strategy with Mean Reversion and Bollinger Bands is a sophisticated trading strategy that combines the principles of DCA, mean reversion, and technical analysis using Bollinger Bands. This strategy aims to capitalize on market corrections by systematically entering positions during periods of price pullbacks and reversion to the mean.
Key Concepts and Principles
1. Dollar-Cost Averaging (DCA)
DCA is an investment strategy that involves regularly purchasing a fixed dollar amount of an asset, regardless of its price. The idea behind DCA is that by spreading out investments over time, the impact of market volatility is reduced, and investors can avoid making large investments at inopportune times. The strategy reduces the risk of buying all at once during a market high and can smooth out the cost of purchasing assets over time.
In the context of this strategy, the Investment Amount (USD) is set by the user and represents the amount of capital to be invested in each buy order. The strategy executes buy orders whenever the price crosses below the lower Bollinger Band, which suggests a potential market correction or pullback. This is an effective way to average the entry price and avoid the emotional pitfalls of trying to time the market perfectly.
2. Mean Reversion
Mean reversion is a concept that suggests prices will tend to return to their historical average or mean over time. In this strategy, mean reversion is implemented using the Bollinger Bands, which are based on a moving average and standard deviation. The lower band is considered a potential buy signal when the price crosses below it, indicating that the asset has become oversold or underpriced relative to its historical average. This triggers the DCA buy order.
Mean reversion strategies are popular because they exploit the natural tendency of prices to revert to their mean after experiencing extreme deviations, such as during market corrections or panic selling.
3. Bollinger Bands
Bollinger Bands are a technical analysis tool that consists of three lines:
Middle Band: The moving average, usually a 200-period Exponential Moving Average (EMA) in this strategy. This serves as the "mean" or baseline.
Upper Band: The middle band plus a certain number of standard deviations (multiplier). The upper band is used to identify overbought conditions.
Lower Band: The middle band minus a certain number of standard deviations (multiplier). The lower band is used to identify oversold conditions.
In this strategy, the Bollinger Bands are used to identify potential entry points for DCA trades. When the price crosses below the lower band, this is seen as a potential opportunity for mean reversion, suggesting that the asset may be oversold and could reverse back toward the middle band (the EMA). Conversely, when the price crosses above the upper band, it indicates overbought conditions and signals potential market exhaustion.
4. Time-Based Entry and Exit
The strategy has specific entry and exit points defined by time parameters:
Open Date: The date when the strategy begins opening positions.
Close Date: The date when all positions are closed.
This time-bound approach ensures that the strategy is active only during a specified window, which can be useful for testing specific market conditions or focusing on a particular time frame.
5. Position Sizing
Position sizing is determined by the Investment Amount (USD), which is the fixed amount to be invested in each buy order. The quantity of the asset to be purchased is calculated by dividing the investment amount by the current price of the asset (investment_amount / close). This ensures that the amount invested remains constant despite fluctuations in the asset's price.
6. Closing All Positions
The strategy includes an exit rule that closes all positions once the specified close date is reached. This allows for controlled exits and limits the exposure to market fluctuations beyond the strategy's timeframe.
7. Background Color Based on Price Relative to Bollinger Bands
The script uses the background color of the chart to provide visual feedback about the price's relationship with the Bollinger Bands:
Red background indicates the price is above the upper band, signaling overbought conditions.
Green background indicates the price is below the lower band, signaling oversold conditions.
This provides an easy-to-interpret visual cue for traders to assess the current market environment.
Postscript: Configuring Initial Capital for Backtesting
To ensure the backtest results align with the actual investment scenario, users must adjust the Initial Capital in the TradingView strategy properties. This is done by calculating the Initial Capital as the product of the Total Closed Trades and the Investment Amount (USD). For instance:
If the user is investing 100 USD per trade and has 10 closed trades, the Initial Capital should be set to 1,000 USD.
Similarly, if the user is investing 200 USD per trade and has 24 closed trades, the Initial Capital should be set to 4,800 USD.
This adjustment ensures that the backtesting results reflect the actual capital deployed in the strategy and provides an accurate representation of potential gains and losses.
Conclusion
The DCA strategy with Mean Reversion and Bollinger Bands is a systematic approach to investing that leverages the power of regular investments and technical analysis to reduce market timing risks. By combining DCA with the insights offered by Bollinger Bands and mean reversion, this strategy offers a structured way to navigate volatile markets while targeting favorable entry points. The clear entry and exit rules, coupled with time-based constraints, make it a robust and disciplined approach to long-term investing.
Optimal MA FinderIntroduction to the "Optimal MA Finder" Indicator
The "Optimal MA Finder" is a powerful and versatile tool designed to help traders optimize their moving average strategies. This script combines flexibility, precision, and automation to identify the most effective moving average (MA) length for your trading approach. Whether you're aiming to improve your long-only strategy or implement a buy-and-sell methodology, the "Optimal MA Finder" is your go-to solution for enhanced decision-making.
What Does It Do?
The script evaluates a wide range of moving average lengths, from 10 to 500, to determine which one produces the best results based on historical data. By calculating critical metrics such as the total number of trades and the profit factor for each MA length, it identifies the one that maximizes profitability. It supports both simple moving averages (SMA) and exponential moving averages (EMA), allowing you to tailor the analysis to your preferred method.
The logic works by backtesting each MA length against the price data and assessing the performance under two strategies:
 
 Buy & Sell: Includes both long and short trades.
 Long Only: Focuses solely on long positions for more conservative strategies.
 
Once the optimal MA length is identified, the script overlays it on the chart, highlighting periods when the price crosses over or under the optimal MA, helping traders identify potential entry and exit points.
Why Is It Useful?
This indicator stands out for its ability to automate a task that is often labor-intensive and subjective: finding the best MA length. By providing a clear, data-driven answer, it saves traders countless hours of manual testing while significantly enhancing the accuracy of their strategies. For example, instead of guessing whether a 50-period EMA is more effective than a 200-period SMA, the "Optimal MA Finder" will pinpoint the exact length and type of MA that has historically yielded the best results for your chosen strategy.
Key Benefits:
 
 Precision: Identifies the MA length with the highest profit factor for maximum profitability.
 Automation: Conducts thorough backtesting without manual effort.
 Flexibility: Adapts to your preferred MA type (SMA or EMA) and trading strategy (Buy & Sell or Long Only).
 Real-Time Feedback: Provides actionable insights by plotting the optimal MA directly on your chart and highlighting relevant trading periods.
 
Example of Use: Imagine you're trading a volatile stock and want to optimize your long-only strategy. By applying the "Optimal MA Finder," you discover that a 120-period EMA results in the highest profit factor. The indicator plots this EMA on your chart, showing you when to consider entering or exiting positions based on price movements relative to the EMA.
In short, the "Optimal MA Finder" empowers traders by delivering data-driven insights and improving the effectiveness of trading strategies. Its clear logic, combined with robust automation, makes it an invaluable tool for both novice and experienced traders seeking consistent results.
Enhanced Reversal DetectorEnhanced Reversal Detector - Script Description
Overview:
The Enhanced Reversal Detector is a highly refined indicator designed to identify precise trend reversals in financial markets. It improves upon the original reversal detection logic by incorporating additional filters for trend confirmation (using EMA), volume spikes, and candle patterns. These enhancements significantly increase the reliability and accuracy of reversal signals, making it an excellent tool for both short-term and long-term traders.
Key Features
Candle Lookback Logic:
The indicator evaluates historical price action over a user-defined lookback period to detect potential reversal zones.
Bullish reversal conditions are met when price consistently tests lows, and bearish reversal conditions are met when price tests highs.
Trend Confirmation (EMA Filter):
To ensure that reversal signals align with the broader market trend, the indicator incorporates an Exponential Moving Average (EMA) filter.
Bullish signals are only triggered when the price is above the EMA, while bearish signals are only triggered when the price is below the EMA.
Volume Spike Filter:
The indicator checks for significant increases in trading volume to confirm that the reversal is supported by strong market activity.
Volume spikes are calculated as trading volume exceeding a multiple of the 20-bar average volume (default: 1.5x).
Confirmation Period:
Users can define a confirmation window within which reversal signals must be validated.
This reduces false positives and ensures only strong reversals are considered.
Non-Repainting Mode:
Offers a non-repainting option, where signals are based on confirmed conditions from previous bars, ensuring reliability for backtesting.
Visual and Alert Features:
Clear visual markers on the chart indicate bullish (green triangle) and bearish (red triangle) reversal points.
Alert notifications can be enabled for both bullish and bearish reversals, keeping traders informed in real-time.
Inputs
Candle Lookback: Number of candles to evaluate for reversal conditions.
Confirm Within: Number of candles within which a reversal must be validated.
Non-Repainting Mode: Option to enable or disable repainting for signals.
EMA Length: The length of the Exponential Moving Average used for trend confirmation.
Volume Spike Multiplier: Multiplier for identifying significant increases in trading volume.
How It Works
Reversal Detection:
Bullish signals are triggered when:
Price consistently tests recent lows (lookback period).
Price closes above the EMA.
A significant volume spike occurs.
Bearish signals are triggered under opposite conditions (price testing highs, closing below EMA, and volume spike).
Signal Filtering:
Incorporates EMA and volume-based filters to eliminate false positives and focus on high-confidence reversal signals.
Alert Notifications:
Alerts notify users of bullish or bearish reversal opportunities as soon as they are detected.
Use Cases
Scalping and Day Trading:
Ideal for identifying reversals on lower timeframes (e.g., 1-minute or 5-minute charts).
Swing Trading:
Works effectively on higher timeframes (e.g., 1-hour or daily charts) for capturing significant 
trend reversals.
Volatile Markets:
Particularly useful in high-volatility markets like cryptocurrencies or forex.
Customization Tips
Adjust the lookback period to fine-tune the sensitivity of the reversal detection.
Increase the volume spike multiplier for markets with irregular trading volumes to focus on significant moves.
Experiment with the EMA length to align signals with your trading strategy's preferred trend duration.
Conclusion
The Enhanced Reversal Detector combines advanced price action analysis, trend confirmation, and market participation filters to deliver high-accuracy reversal signals. With its customizable settings and robust filtering mechanisms, this indicator is an invaluable tool for identifying profitable trading opportunities while minimizing noise and false signals.
TrigWave Suite [InvestorUnknown]The TrigWave Suite combines Sine-weighted, Cosine-weighted, and Hyperbolic Tangent moving averages (HTMA) with a Directional Movement System (DMS) and a Relative Strength System (RSS).
 Hyperbolic Tangent Moving Average (HTMA) 
 
 The HTMA smooths the price by applying a hyperbolic tangent transformation to the difference between the price and a simple moving average. It also adjusts this value by multiplying it by a standard deviation to create a more stable signal.
 
 // Function to calculate Hyperbolic Tangent
tanh(x) =>
    e_x                 = math.exp(x)
    e_neg_x             = math.exp(-x)
    (e_x - e_neg_x) / (e_x + e_neg_x)
// Function to calculate Hyperbolic Tangent Moving Average
htma(src, len, mul) =>
    tanh_src            = tanh((src - ta.sma(src, len)) * mul) * ta.stdev(src, len) + ta.sma(src, len)
    htma                = ta.sma(tanh_src, len) 
 Sine-Weighted Moving Average (SWMA) 
 
 The SWMA applies sine-based weights to historical prices. This gives more weight to the central data points, making it responsive yet less prone to noise.
 
 // Function to calculate the Sine-Weighted Moving Average
f_Sine_Weighted_MA(series float src, simple int length) =>
    var float  sine_weights = array.new_float(0)
    array.clear(sine_weights)  // Clear the array before recalculating weights
    for i = 0 to length - 1
        weight = math.sin((math.pi * (i + 1)) / length)
        array.push(sine_weights, weight)
    // Normalize the weights
    sum_weights = array.sum(sine_weights)
    for i = 0 to length - 1
        norm_weight = array.get(sine_weights, i) / sum_weights
        array.set(sine_weights, i, norm_weight)
    // Calculate Sine-Weighted Moving Average
    swma = 0.0
    if bar_index >= length
        for i = 0 to length - 1
            swma := swma + array.get(sine_weights, i) * src 
    swma 
 Cosine-Weighted Moving Average (CWMA) 
 
 The CWMA uses cosine-based weights for data points, which produces a more stable trend-following behavior, especially in low-volatility markets.
 
 f_Cosine_Weighted_MA(series float src, simple int length) =>
    var float  cosine_weights = array.new_float(0)
    array.clear(cosine_weights)  // Clear the array before recalculating weights
    for i = 0 to length - 1
        weight = math.cos((math.pi * (i + 1)) / length) + 1  // Shift by adding 1
        array.push(cosine_weights, weight)
    // Normalize the weights
    sum_weights = array.sum(cosine_weights)
    for i = 0 to length - 1
        norm_weight = array.get(cosine_weights, i) / sum_weights
        array.set(cosine_weights, i, norm_weight)
    // Calculate Cosine-Weighted Moving Average
    cwma = 0.0
    if bar_index >= length
        for i = 0 to length - 1
            cwma := cwma + array.get(cosine_weights, i) * src 
    cwma 
 Directional Movement System (DMS) 
 
 DMS is used to identify trend direction and strength based on directional movement. It uses ADX to gauge trend strength and combines +DI and -DI for directional bias.
 
 // Function to calculate Directional Movement System
f_DMS(simple int dmi_len, simple int adx_len) =>
    up = ta.change(high)
    down = -ta.change(low)
    plusDM = na(up) ? na : (up > down and up > 0 ? up : 0)
    minusDM = na(down) ? na : (down > up and down > 0 ? down : 0)
    trur = ta.rma(ta.tr, dmi_len)
    plus = fixnan(100 * ta.rma(plusDM, dmi_len) / trur)
    minus = fixnan(100 * ta.rma(minusDM, dmi_len) / trur)
    sum = plus + minus
    adx = 100 * ta.rma(math.abs(plus - minus) / (sum == 0 ? 1 : sum), adx_len)
    dms_up = plus > minus and adx > minus
    dms_down = plus < minus and adx > plus
    dms_neutral = not (dms_up or dms_down)
    signal = dms_up ? 1 : dms_down ? -1 : 0 
 Relative Strength System (RSS) 
 
 RSS employs RSI and an adjustable moving average type (SMA, EMA, or HMA) to evaluate whether the market is in a bullish or bearish state.
 
 // Function to calculate Relative Strength System
f_RSS(rsi_src, rsi_len, ma_type, ma_len) =>
    rsi = ta.rsi(rsi_src, rsi_len)
    ma = switch ma_type
        "SMA" => ta.sma(rsi, ma_len)
        "EMA" => ta.ema(rsi, ma_len)
        "HMA" => ta.hma(rsi, ma_len)
    signal = (rsi > ma and rsi > 50) ? 1 : (rsi < ma and rsi < 50) ? -1 : 0 
 ATR Adjustments 
 
 To minimize false signals, the HTMA, SWMA, and CWMA signals are adjusted with an Average True Range (ATR) filter:
 
 // Calculate ATR adjusted components for HTMA, CWMA and SWMA
float atr                           = ta.atr(atr_len)
float htma_up                       = htma + (atr * atr_mult)
float htma_dn                       = htma - (atr * atr_mult)
float swma_up                       = swma + (atr * atr_mult)
float swma_dn                       = swma - (atr * atr_mult)
float cwma_up                       = cwma + (atr * atr_mult)
float cwma_dn                       = cwma - (atr * atr_mult) 
 
 This adjustment allows for better adaptation to varying market volatility, making the signal more reliable.
 
 Signals and Trend Calculation 
 
 The indicator generates a Trend Signal by aggregating the output from each component. Each component provides a directional signal that is combined to form a unified trend reading. The trend value is then converted into a long (1), short (-1), or neutral (0) state.
 
 Backtesting Mode and Performance Metrics 
 
 The Backtesting Mode includes a performance metrics table that compares the Buy and Hold strategy with the TrigWave Suite strategy. Key statistics like Sharpe Ratio, Sortino Ratio, and Omega Ratio are displayed to help users assess performance. Note that due to labels and plotchar use, automatic scaling may not function ideally in backtest mode.
 
 Alerts and Visualization 
 
 Trend Direction Alerts: Set up alerts for long and short signals
 Color Bars and Gradient Option: Bars are colored based on the trend direction, with an optional gradient for smoother visual feedback.
 
 Important Notes 
 
 Customization: Default settings are experimental and not intended for trading/investing purposes. Users are encouraged to adjust and calibrate the settings to optimize results according to their trading style.
 Backtest Results Disclaimer: Please note that backtest results are not indicative of future performance, and no strategy guarantees success.
Fibonacci ATR Fusion - Strategy [presentTrading]Open-script again! This time is also an ATR-related strategy. Enjoy! :) 
If you have any questions, let me know, and I'll help make this as effective as possible.
█ Introduction and How It Is Different
The Fibonacci ATR Fusion Strategy is an advanced trading approach that uniquely integrates Fibonacci-based weighted averages with the Average True Range (ATR) to identify and capitalize on significant market trends. 
Unlike traditional strategies that rely on single indicators or static parameters, this method combines multiple timeframes and dynamic volatility measurements to enhance precision and adaptability. Additionally, it features a 4-step Take Profit (TP) mechanism, allowing for systematic profit-taking at various levels, which optimizes both risk management and return potential in long and short market positions.
BTCUSD 6hr Performance
  
█ Strategy, How It Works: Detailed Explanation
The Fibonacci ATR Fusion Strategy utilizes a combination of technical indicators and weighted averages to determine optimal entry and exit points. Below is a breakdown of its key components and operational logic.
🔶 1. Enhanced True Range Calculation
The strategy begins by calculating the True Range (TR) to measure market volatility accurately.
 TR = max(High - Low, abs(High - Previous Close), abs(Low - Previous Close)) 
 
  High and Low: Highest and lowest prices of the current trading period.
  Previous Close: Closing price of the preceding trading period.
  max: Selects the largest value among the three calculations to account for gaps and limit movements.
 
🔶 2. Buying Pressure (BP) Calculation
Buying Pressure (BP) quantifies the extent to which buyers are driving the price upwards within a period.
 BP = Close - True Low 
 
  Close: Current period's closing price.
  True Low: The lower boundary determined in the True Range calculation.
 
🔶 3. Ratio Calculation for Different Periods
To assess the strength of buying pressure relative to volatility, the strategy calculates a ratio over various Fibonacci-based timeframes.
 Ratio = 100 * (Sum of BP over n periods) / (Sum of TR over n periods) 
 
  n: Length of the period (e.g., 8, 13, 21, 34, 55).
  Sum of BP: Cumulative Buying Pressure over n periods.
  Sum of TR: Cumulative True Range over n periods.
 
This ratio normalizes buying pressure, making it comparable across different timeframes.
🔶 4. Weighted Average Calculation
The strategy employs a weighted average of ratios from multiple Fibonacci-based periods to smooth out signals and enhance trend detection.
 Weighted Avg = (w1 * Ratio_p1 + w2 * Ratio_p2 + w3 * Ratio_p3 + w4 * Ratio_p4 + Ratio_p5) / (w1 + w2 + w3 + w4 + 1) 
 
  w1, w2, w3, w4: Weights assigned to each ratio period.
  Ratio_p1 to Ratio_p5: Ratios calculated for periods p1 to p5 (e.g., 8, 13, 21, 34, 55).
 
This weighted approach emphasizes shorter periods more heavily, capturing recent market dynamics while still considering longer-term trends.
🔶 5. Simple Moving Average (SMA) of Weighted Average
To further smooth the weighted average and reduce noise, a Simple Moving Average (SMA) is applied.
 Weighted Avg SMA = SMA(Weighted Avg, m) 
- m: SMA period (e.g., 3).
This smoothed line serves as the primary signal generator for trade entries and exits.
🔶 6. Trading Condition Thresholds
The strategy defines specific threshold values to determine optimal entry and exit points based on crossovers and crossunders of the SMA.
 Long Condition = Crossover(Weighted Avg SMA, Long Entry Threshold)
Short Condition = Crossunder(Weighted Avg SMA, Short Entry Threshold)
Long Exit = Crossunder(Weighted Avg SMA, Long Exit Threshold)
Short Exit = Crossover(Weighted Avg SMA, Short Exit Threshold) 
 
  Long Entry Threshold (T_LE): Level at which a long position is triggered.
  Short Entry Threshold (T_SE): Level at which a short position is triggered.
  Long Exit Threshold (T_LX): Level at which a long position is exited.
  Short Exit Threshold (T_SX): Level at which a short position is exited.
 
These conditions ensure that trades are only executed when clear trends are identified, enhancing the strategy's reliability.
Previous local performance
  
🔶 7. ATR-Based Take Profit Mechanism
When enabled, the strategy employs a 4-step Take Profit system to systematically secure profits as the trade moves in the desired direction.
 TP Price_1 Long = Entry Price + (TP1ATR * ATR Value)
TP Price_2 Long = Entry Price + (TP2ATR * ATR Value)
TP Price_3 Long = Entry Price + (TP3ATR * ATR Value)
TP Price_1 Short = Entry Price - (TP1ATR * ATR Value)
TP Price_2 Short = Entry Price - (TP2ATR * ATR Value)
TP Price_3 Short = Entry Price - (TP3ATR * ATR Value) 
- ATR Value: Calculated using ATR over a specified period (e.g., 14).
- TPxATR: User-defined multipliers for each take profit level.
- TPx_percent: Percentage of the position to exit at each TP level.
This multi-tiered exit strategy allows for partial position closures, optimizing profit capture while maintaining exposure to potential further gains.
█ Trade Direction
The Fibonacci ATR Fusion Strategy is designed to operate in both long and short market conditions, providing flexibility to traders in varying market environments.
 
  Long Trades: Initiated when the SMA of the weighted average crosses above the Long Entry Threshold (T_LE), indicating strong upward momentum.
  Short Trades: Initiated when the SMA of the weighted average crosses below the Short Entry Threshold (T_SE), signaling robust downward momentum.
 
Additionally, the strategy can be configured to trade exclusively in one direction—Long, Short, or Both—based on the trader’s preference and market analysis.
█ Usage
Implementing the Fibonacci ATR Fusion Strategy involves several steps to ensure it aligns with your trading objectives and market conditions.
1. Configure Strategy Parameters:
   - Trading Direction: Choose between Long, Short, or Both based on your market outlook.
   - Trading Condition Thresholds: Set the Long Entry, Short Entry, Long Exit, and Short Exit thresholds to define when to enter and exit trades.
2. Set Take Profit Levels (if enabled):
   - ATR Multipliers: Define how many ATRs away from the entry price each take profit level is set.
   - Take Profit Percentages: Allocate what percentage of the position to close at each TP level.
3. Apply to Desired Chart:
   - Add the strategy to the chart of the asset you wish to trade.
   - Observe the plotted Fibonacci ATR and SMA Fibonacci ATR indicators for visual confirmation.
4. Monitor and Adjust:
   - Regularly review the strategy’s performance through backtesting.
   - Adjust the input parameters based on historical performance and changing market dynamics.
5. Risk Management:
   - Ensure that the sum of take profit percentages does not exceed 100% to avoid over-closing positions.
   - Utilize the ATR-based TP levels to adapt to varying market volatilities, maintaining a balanced risk-reward ratio.
█ Default Settings
Understanding the default settings is crucial for optimizing the Fibonacci ATR Fusion Strategy's performance. Here's a precise and simple overview of the key parameters and their effects:
🔶 Key Parameters and Their Effects
1. Trading Direction (`tradingDirection`)
   - Default: Both
   - Effect: Determines whether the strategy takes both long and short positions or restricts to one direction. Selecting Both allows maximum flexibility, while Long or Short can be used for directional bias.
2. Trading Condition Thresholds
 
 Long Entry (long_entry_threshold = 58.0): Higher values reduce false positives but may miss trades.
 Short Entry (short_entry_threshold = 42.0): Lower values capture early short trends but may increase false signals.
 Long Exit (long_exit_threshold = 42.0): Exits long positions early, securing profits but potentially cutting trends short.
 Short Exit (short_exit_threshold = 58.0): Delays short exits to capture favorable movements, avoiding premature exits.
 
3. Take Profit Configuration (`useTakeProfit` = false)
   - Effect: When enabled, the strategy employs a 4-step TP mechanism to secure profits at multiple levels. By default, it is disabled to allow users to opt-in based on their trading style.
4. ATR-Based Take Profit Multipliers
TP1 (tp1ATR = 3.0): Sets the first TP at 3 ATRs for initial profit capture.
TP2 (tp2ATR = 8.0): Targets larger trends, though less likely to be reached.
TP3 (tp3ATR = 14.0): Optimizes for extreme price moves, seldom triggered.
5. Take Profit Percentages
TP Level 1 (tp1_percent = 12%): Secures 12% at the first TP.
TP Level 2 (tp2_percent = 12%): Exits another 12% at the second TP.
TP Level 3 (tp3_percent = 12%): Closes an additional 12% at the third TP.
6. Weighted Average Parameters
 
 Ratio Periods: Fibonacci-based intervals (8, 13, 21, 34, 55) balance responsiveness.
 Weights: Emphasizes recent data for timely responses to market trends.
 SMA Period (weighted_avg_sma_period = 3): Smoothens data with minimal lag, balancing noise reduction and responsiveness.
 
7. ATR Period (`atrPeriod` = 14)
Effect: Sets the ATR calculation length, impacting TP sensitivity to volatility.
🔶 Impact on Performance
- Sensitivity and Responsiveness:
  - Shorter Ratio Periods and Higher Weights: Make the weighted average more responsive to recent price changes, allowing quicker trade entries and exits but increasing the likelihood of false signals.
  - Longer Ratio Periods and Lower Weights: Provide smoother signals with fewer false positives but may delay trade entries, potentially missing out on significant price moves.
- Profit Taking:
  - ATR Multipliers: Higher multipliers set take profit levels further away, targeting larger price movements but reducing the probability of reaching these levels.
  - Fixed Percentages: Allocating equal percentages at each TP level ensures consistent profit realization and risk management, preventing overexposure.
- Trade Direction Control:
  - Selecting Specific Directions: Restricting trades to Long or Short can align the strategy with market trends or personal biases, potentially enhancing performance in trending markets.
- Risk Management:
  - Take Profit Percentages: Dividing the position into smaller percentages at multiple TP levels helps lock in profits progressively, reducing risk and allowing the remaining position to ride further trends.
- Market Adaptability:
  - Weighted Averages and ATR: By combining multiple timeframes and adjusting to volatility, the strategy adapts to different market conditions, maintaining effectiveness across various asset classes and timeframes.
---
If you want to know more about ATR, can also check "SuperATR 7-Step Profit". 
Enjoy trading.
DMI Delta by 0xjcfOverview 
This indicator integrates the Directional Movement Index (DMI), Average Directional Index (ADX), and volume analysis into an Oscillator designed to help traders identify divergence-based trading signals. Unlike typical volume or momentum indicators, this combination provides insight into directional momentum and volume intensity, allowing traders to make well-informed decisions based on multiple facets of market behavior.
 Purpose and How Components Work Together 
By combining DMI and ADX with volume analysis, this indicator helps traders detect when momentum diverges from price action—a common precursor to potential reversals or significant moves. The ADX filter enhances this by distinguishing trending from range-bound conditions, while volume analysis highlights moments of extreme sentiment, such as solid buying or selling. Together, these elements provide traders with a comprehensive view of market strength, directional bias, and volume surges, which help filter out weaker signals.
 Key Features 
 
 DMI Delta and Oscillator: The DMI indicator measures directional movement by comparing DI+ and DI- values. This difference (DMI Delta) is calculated and displayed as a histogram, visualizing changes in directional bias. When combined with ADX filtering, this histogram helps traders gauge the strength of momentum and spot directional shifts early. For instance, a rising histogram in a bearish price trend might signal a potential bullish reversal.
 Volume Analysis with Extremes: Volume is monitored to reveal when market participation is unusually high, using a customizable multiplier to highlight significant volume spikes. These extreme levels are color-coded directly on the histogram, providing visual cues on whether buying or selling interest is particularly strong. Volume analysis adds depth to the directional insights from DMI, allowing traders to differentiate between regular and powerful moves.
 ADX Trending Filter: The ADX component filters trends by measuring the overall strength of a price move, with a default threshold of 25. When ADX is above this level, it suggests that the market is trending strongly, making the DMI Delta readings more reliable. Below this threshold, the market is likely range-bound, cautioning traders that signals might not have as much follow-through.
 
 Using the Indicator in Divergence Strategies 
This indicator excels in divergence strategies by highlighting moments when price action diverges from directional momentum. Here’s how it aids in decision-making:
 
 Bullish Divergence: If the price is falling to new lows while the DMI Delta histogram rises, it can indicate weakening bearish momentum and signal a potential price reversal to the upside.
 Bearish Divergence: Conversely, if prices are climbing but the DMI Delta histogram falls, it may point to waning bullish momentum, suggesting a bearish reversal.
 
 Visual Cues and Customization 
The color-coded output enhances usability:
 
 Bright Green/Red: Extreme volume with strong bullish or bearish signals, often at points of high potential for trend continuation or reversal.
 Green/Red Shades: These shades reflect trending conditions (bullish or bearish) based on ADX, factoring in volume. Green signals a bullish trend, and red is a bearish trend.
 Blue/Orange Shades: Indicates non-trending or weaker conditions, suggesting a more cautious approach in range-bound markets.
 
 Customizable for Diverse Trading Styles 
This indicator allows users to adjust settings like the ADX threshold and volume multiplier to optimize performance for various timeframes and strategies. Whether a trader prefers swing trading or intraday scalping, these parameters enable fine-tuning to enhance signal reliability across different market contexts.
 Practical Usage Tips 
 
 Entry and Exit Signals: Use this indicator in conjunction with price action. Divergences between the price and DMI Delta histogram can reinforce entry or exit decisions.
 Adjust Thresholds: Based on backtesting, customize the ADX Trending Threshold and Volume Multiplier to ensure optimal performance on different timeframes or trading styles.
 
 In summary, this indicator is tailored for traders seeking a multi-dimensional approach to market analysis. It blends momentum, trend strength, and volume insights to support divergence-based strategies, helping traders confidently make informed decisions. Remember to validate signals through backtesting and use it alongside price action for the best results.
Equilibrium Candles + Pattern [Honestcowboy]The Equilibrium Candles is a very simple trend continuation or reversal strategy depending on your settings.
 How an Equilibrium Candle is created: 
 
 We calculate the equilibrium by measuring the mid point between highest and lowest point over X amount of bars back.
 This now is the opening price for each bar and will be considered a green bar if price closes above equilibrium.
 Bars get shaded by checking if regular candle close is higher than open etc. So you still see what the normal candles are doing.
 
 
Why are they useful? 
The equilibrium is calculated the same as Baseline in Ichimoku Cloud. Which provides a point where price is very likely to retrace to. This script visualises the distance between close and equilibrium using candles. To provide a clear visual of how price relates to this equilibrium point.
This also makes it more straightforward to develop strategies based on this simple concept and makes the trader purely focus on this relationship and not think of any Ichimoku Cloud theories.
Script uses a very simple pattern to enter trades:
  
 
 It will count how many candles have been one directional (above or below equilibrium)
 Based on user input after X candles (7 by default) script shows we are in a trend (bg colors)
 On the first pullback (candle closes on other side of equilibrium) it will look to enter a trade.
 Places a stop order at the high of the candle if bullish trend or reverse if bearish trend.
 If based on user input after X opposite candles (2 by default) order is not filled will cancel it and look for a new trend.
 
 Use Reverse Logic: 
There is a use reverse logic in the settings which on default is turned on. It will turn long orders into short orders making the stop orders become limit orders. It will use the normal long SL as target for the short. And TP as stop for the short. This to provide a means to reverse equity curve in case your pair is mean reverting by nature instead of trending.
 ATR Calculation: 
Averaged ATR, which is using ta.percentile_nearest_rank of 60% of a normal ATR (14 period) over the last 200 bars. This in simple words finds a value slightly above the mean ATR value over that period.
 Big Candle Exit Logic: 
Using Averaged ATR the script will check if a candle closes X times that ATR from the equilibrium point. This is then considered an overextension and all trades are closed.
This is also based on user input.
 Simple trade management logic: 
 
 Checks if the user has selected to use TP and SL, or/and big candle exit.
 Places a TP and SL based on averaged ATR at a multiplier based on user Input.
 Closes trade if there is a Big Candle Exit or an opposite direction signal from indicator.
 
 Script can be fully automated to MT5 
There are risk settings in % and symbol settings provided at the bottom of the indicator. The script will send alert to MT5 broker trying to mimic the execution that happens on tradingview. There are always delays when using a bridge to MT5 broker and there could be errors so be mindful of that. This script sends alerts in format so they can be read by tradingview.to which is a bridge between the platforms. 
Use the all alert function calls feature when setting up alerts and make sure you provide the right webhook if you want to use this approach.
There is also a simple buy and sell alert feature if you don't want to fully automate but still get alerts. These are available in the dropdown when creating an alert.
Almost every setting in this indicator has a tooltip added to it. So if any setting is not clear hover over the (?) icon on the right of the setting.
The backtest uses a 4% exposure per trade and a 10 point slippage. I did not include a commission cause I'm not personaly aware what the commissions are on most forex brokers. I'm only aware of minimal slippage to use in a backtest. Trading conditions vary per broker you use so always pay close attention to trading costs on your own broker. Use a full automation at your own risk and discretion and do proper backtesting.
DSL Strategy [DailyPanda]
 Overview 
The  DSL Strategy  by  DailyPanda  is a trading strategy that synergistically combines the idea from indicators to create a more robust and reliable trading tool. By integrating these indicators, the strategy enhances signal accuracy and provides traders with a comprehensive view of market trends and momentum shifts. This combination allows for better entry and exit points, improved risk management, and adaptability to various market conditions.
Combining ideas from indicators adds value by:
   Enhancing Signal Confirmation : The strategy requires alignment between trend  and momentum before generating trade signals, reducing false entries.
 Improving Accuracy : By integrating price action with momentum analysis, the strategy captures more reliable trading opportunities.
 Providing Comprehensive Market Insight : The combination offers a better perspective on the market, considering both the direction (trend) and the strength (momentum) of price movements.  
 How the Components Work Together 
1. Trend Identification with DSL Indicator
   Dynamic Signal Lines : Calculates upper and lower DSL lines based on a moving average (SMA) and dynamic thresholds derived from recent highs and lows with a specified offset. These lines adapt to market conditions, providing real-time trend insights.
 ATR-Based Bands : Adds bands around the DSL lines using the Average True Range (ATR) multiplied by a width factor. These bands account for market volatility and help identify potential stop-loss levels.
 Trend Confirmation : The relationship between the price, DSL lines, and bands determines the current trend. For example, if the price consistently stays above the upper DSL line, it indicates a bullish trend.  
2. Momentum Analysis
   RSI Calculation : Computes the RSI over a specified period to measure the speed and change of price movements.
 Zero-Lag EMA (ZLEMA) : Applies a ZLEMA to the RSI to minimize lag and produce a more responsive oscillator.
 DSL Application on Oscillator : Implements the DSL concept on the oscillator by calculating dynamic upper and lower levels. This helps identify overbought or oversold conditions more accurately.
 Signal Generation : Detects crossovers between the oscillator and its DSL lines. A crossover above the lower DSL line signals potential bullish momentum, while a crossover below the upper DSL line signals potential bearish momentum.  
3. Integrated Signal Filtering
   Confluence Requirement : A trade signal is generated only when both the DSL indicator and oscillator agree. For instance, a long entry requires both an uptrend confirmation from the DSL indicator and a bullish momentum signal from the oscillator.
 Risk Management Integration : The strategy uses the DSL indicator's bands for setting stop-loss levels and calculates take-profit levels based on a user-defined risk-reward ratio. This ensures that every trade has a predefined risk management plan.  
--------------------------------------------------------------------------------------------
 Originality and Value Added to the Community 
 
 Unique Synergy : While both indicators are available individually, this strategy is original in how it combines them to enhance their strengths and mitigate their weaknesses, offering a novel approach not present in existing scripts.
 Enhanced Reliability : By requiring confirmation from both trend and momentum indicators, the strategy reduces false signals and increases the likelihood of successful trades.
 Versatility : The customizable parameters allow traders to adapt the strategy to different instruments, timeframes, and trading styles, making it a valuable tool for a wide range of trading scenarios.
 Educational Contribution : The script demonstrates an effective method of combining indicators for improved trading performance, providing insights that other traders can learn from and apply to their own strategies.
 
--------------------------------------------------------------------------------------------
 How to Use the Strategy 
 Adding the Strategy to Your Chart 
Apply the  DSL Strategy   to your desired trading instrument and timeframe on TradingView.
--------------------------------------------------------------------------------------------
 Configuring Parameters 
 DSL Indicator Settings :
 
 Length (len) : Adjusts the sensitivity of the DSL lines (default is 34).
 Offset : Determines the look-back period for threshold calculations (default is 30).
 Bands Width (width) : Changes the distance of the ATR-based bands from the DSL lines (default is 1).
 DSL-BELUGA Oscillator Settings :
 Beluga Length (len_beluga) : Sets the period for the RSI calculation in the oscillator (default is 10).
 DSL Lines Mode (dsl_mode) : Chooses between "Fast" (more responsive) and "Slow" (smoother) modes for the oscillator's DSL lines.
 Risk Management :
 Risk Reward (risk_reward) : Defines your desired risk-reward ratio for calculating take-profit levels (default is 1.5).
 
--------------------------------------------------------------------------------------------
 Interpreting Signals 
 Long Entry Conditions :
 
 Trend Confirmation : Price is above the upper DSL line and the upper DSL band (dsl_up1 > dsl_dn).
 Price Behavior : The last three candles have both their opens and closes above the upper DSL line.
 Momentum Signal : The DSL-BELUGA oscillator crosses above its lower DSL line (up_signal), indicating bullish momentum.
 
 Short Entry Conditions :
 
 Trend Confirmation : Price is below the lower DSL line and the lower DSL band (dsl_dn < dsl_up1).
 Price Behavior : The last three candles have both their opens and closes below the lower DSL band.
 Momentum Signal : The DSL-BELUGA oscillator crosses below its upper DSL line (dn_signal), indicating bearish momentum.
 
 Exit Conditions :
 
 Stop-Loss : Automatically set at the DSL indicator's band level (upper band for longs, lower band for shorts).
 Take-Profit : Calculated based on the risk-reward ratio and the initial risk determined by the stop-loss distance.
 
 Visual Aids 
 
 Signal Arrows : Upward green arrows for long entries and downward blue arrows for short entries appear on the chart when conditions are met.
 Stop-Loss and Take-Profit Lines : Red and green lines display the calculated stop-loss and take-profit levels for active trades.
 Background Highlighting : The chart background subtly changes color to indicate when a signal has been generated.
 
 Backtesting and Optimization 
Use TradingView's strategy tester to backtest the strategy over historical data.
Adjust parameters to optimize performance for different instruments or market conditions.
Regularly review backtesting results to ensure the strategy remains effective.
Multi Fibonacci Supertrend with Signals【FIbonacciFlux】Multi Fibonacci Supertrend with Signals (MFSS) 
 Overview 
The  Multi Fibonacci Supertrend with Signals (MFSS)  is an advanced technical analysis tool that combines  multiple Supertrend indicators  using  Fibonacci ratios  to identify trend directions and potential trading opportunities.
 Key Features 
 1. Fibonacci-Based Supertrend Levels 
 
*  Factor 1 (Weak) : 0.618 -  The golden ratio 
*  Factor 2 (Medium) : 1.618 -  The Fibonacci ratio 
*  Factor 3 (Strong) : 2.618 -  The extension ratio 
 
 2. Visual Components 
 
*  Multi-layered Trend Lines 
 
*  Different line weights  for easy identification
*  Progressive transparency  from Factor 1 to Factor 3
*  Color-coded  trend directions (Green for bullish, Red for bearish)
 
*  Dynamic Fill Areas 
 
* Gradient fills between price and trend lines
* Visual representation of trend strength
* Automatic color adjustment based on trend direction
 
*  Signal Indicators 
 
* Clear BUY/SELL labels on chart
* Position-adaptive signal placement
* High-visibility color scheme
 
 
 3. Signal Generation Logic 
The system generates signals based on two key conditions:
 
*  Primary Condition :
 
*  BUY : Price crossunder Supertrend2 (Factor 1.618)
*  SELL : Price crossover Supertrend2 (Factor 1.618)
 
*  Confirmation Filter :
 
* Signals only trigger when Supertrend3 confirms the trend direction
* Reduces false signals in volatile markets
 
 
 Technical Details 
 Input Parameters 
 
*  ATR Period : 10 (default)
 
* Customizable for different market conditions
* Affects sensitivity of all Supertrend levels
 
*  Factor Settings :
 
* All factors are customizable
* Default values based on Fibonacci sequence
* Minimum value: 0.01
* Step size: 0.01
 
 
 Alert System 
 
*  Built-in alert conditions 
*  Customizable alert messages 
*  Real-time notification support 
 
 Use Cases 
 
*  Trend Trading 
 
* Identify strong trend directions
* Filter out weak signals
* Confirm trend continuations
 
*  Risk Management 
 
* Multiple trend levels for stop-loss placement
* Clear entry and exit signals
* Trend strength visualization
 
*  Market Analysis 
 
* Multi-timeframe analysis capability
* Trend strength assessment
* Market structure identification
 
 
 Benefits 
 
*  Reliability 
 
* Based on proven Supertrend algorithm
* Enhanced with Fibonacci mathematics
* Multiple confirmation levels
 
*  Clarity 
 
* Clear visual signals
* Easy-to-interpret interface
* Reduced noise in signal generation
 
*  Flexibility 
 
* Customizable parameters
* Adaptable to different markets
* Suitable for various trading styles
 
 
 Performance Considerations 
 
*  Optimized code structure 
*  Efficient calculation methods 
*  Minimal resource usage 
 
 Installation and Usage 
 Setup 
 
* Add indicator to chart
* Adjust parameters if needed
* Enable alerts as required
 
 Best Practices 
 
* Use with other confirmation tools
* Adjust factors based on market volatility
* Consider timeframe appropriateness
 
 Backtesting Results and Strategy Performance 
 This indicator is specifically designed for pullback trading with optimized risk-reward ratios in trend-following strategies. Below are the detailed backtesting results from our proprietary strategy implementation: 
 BTCUSDT Performance (Binance) 
 
* Test Period:  Approximately 7 years 
* Risk-Reward Ratio:  2:1 
* Take Profit:  8% 
* Stop Loss:  4% 
 
 Key Metrics (BTCUSDT): 
 
*  Net Profit:   +2,579% 
*  Total Trades:  551
*  Win Rate:  44.8%
*  Profit Factor:  1.278
*  Maximum Drawdown:  42.86%
 
 ETHUSD Performance (Binance) 
 
* Risk-Reward Ratio:  4.33:1 
* Take Profit:  13% 
* Stop Loss:  3% 
 
 Key Metrics (ETHUSD): 
 
*  Net Profit:   +8,563% 
*  Total Trades:  581
*  Win Rate:  32%
*  Profit Factor:  1.32
*  Maximum Drawdown:  55%
 
 Strategy Highlights: 
 
* Optimized for  pullback trading  in strong trends
* Focus on  high risk-reward ratios 
* Proven effectiveness in major cryptocurrency pairs
* Consistent performance across different market conditions
* Robust profit factor despite moderate win rates
 
 Note: These results are from our proprietary strategy implementation and should be used as reference only. Individual results may vary based on market conditions and implementation. 
 Important Considerations: 
 
* The strategy demonstrates strong profitability despite lower win rates, emphasizing the importance of proper risk-reward ratios
* Higher drawdowns are compensated by significant overall returns
* The system shows adaptability across different cryptocurrencies with consistent profit factors
* Results suggest optimal performance in volatile crypto markets
 
 Real Trading Examples 
 BTCUSDT 4-Hour Chart Analysis 
 
 Example of pullback strategy implementation on Bitcoin, showing clear trend definition and entry points 
 ETHUSDT 4-Hour Chart Analysis 
 
 Ethereum chart demonstrating effective signal generation during strong trends 
 BTCUSDT Detailed Signal Example (15-Minute Scalping) 
 
 Close-up view of signal generation and trend confirmation process on 15-minute timeframe, demonstrating the indicator's effectiveness for scalping operations 
 Chart Analysis Notes: 
* Green and red zones clearly indicate trend direction
* Multiple timeframe confirmation visible through different Supertrend levels
* Clear entry signals during pullbacks in established trends
* Precise stop-loss placement opportunities below support levels
 Implementation Guidelines: 
* Wait for main trend confirmation from Factor 3 (2.618)
* Enter trades on pullbacks to Factor 2 (1.618)
* Use Factor 1 (0.618) for fine-tuning entry points
* Place stops below the relevant Supertrend level
 Footnotes: 
* Charts provided are from Binance exchange, using both 4-hour and 15-minute timeframes
* Trading view screenshots captured during actual market conditions
* Indicators shown: Multi Fibonacci Supertrend with all three factors
* Time period: Recent market activity showing various market conditions
 Important Notice: 
 These charts are for educational purposes only. Past performance does not guarantee future results. Always conduct your own analysis and risk management. 
 Disclaimer 
 This indicator is for informational purposes only. Past performance is not indicative of future results. Always conduct proper risk management and due diligence. 
 License 
 Open source under MIT License 
 Author's Note 
 Contributions and suggestions for improvement are welcome. Please feel free to fork and enhance.
ICT Master Suite [Trading IQ]Hello Traders!
We’re excited to introduce the ICT Master Suite by TradingIQ, a new tool designed to bring together several ICT concepts and strategies in one place.
 The Purpose Behind the ICT Master Suite 
There are a few challenges traders often face when using ICT-related indicators:
  
 Many available indicators focus on one or two ICT methods, which can limit traders who apply a broader range of ICT related techniques on their charts. 
 There aren't many indicators for ICT strategy models, and we couldn't find ICT indicators that allow for testing the strategy models and setting alerts. 
 Many ICT related concepts exist in the public domain as indicators, not strategies! This makes it difficult to verify that the ICT concept has some utility in the market you're trading and if it's worth trading - it's difficult to know if it's working!
 Some users might not have enough chart space to apply numerous ICT related indicators, which can be restrictive for those wanting to use multiple ICT techniques simultaneously. 
 
The ICT Master Suite is designed to offer a comprehensive option for traders who want to apply a variety of ICT methods. By combining several ICT techniques and strategy models into one indicator, it helps users maximize their chart space while accessing multiple tools in a single slot. 
Additionally, the ICT Master Suite was developed as a  strategy . This means users can backtest various ICT strategy models - including deep backtesting. A primary goal of this indicator is to let traders decide for themselves what markets to trade ICT concepts in and give them the capability to figure out if the strategy models are worth trading!
 What Makes the ICT Master Suite Different 
There are many ICT-related indicators available on TradingView, each offering valuable insights. What the ICT Master Suite aims to do is bring together a wider selection of these techniques into one tool. This includes both key ICT methods and strategy models, allowing traders to test and activate strategies all within one indicator.
 Features 
The ICT Master Suite offers:
Multiple ICT strategy models, including the 2022 Strategy Model and Unicorn Model, which can be built, tested, and used for live trading.
Calculation and display of key price areas like Breaker Blocks, Rejection Blocks, Order Blocks, Fair Value Gaps, Equal Levels, and more.
The ability to set alerts based on these ICT strategies and key price areas.
A comprehensive, yet practical, all-inclusive ICT indicator for traders.
 
 Customizable Timeframe - Calculate ICT concepts on off-chart timeframes
 Unicorn Strategy Model
 2022 Strategy Model 
 Liquidity Raid Strategy Model
 OTE (Optimal Trade Entry) Strategy Model 
 Silver Bullet Strategy Model 
 Order blocks
 Breaker blocks 
 Rejection blocks 
 FVG 
 Strong highs and lows 
 Displacements 
 Liquidity sweeps 
 Power of 3
 ICT Macros
 HTF previous bar high and low
 Break of Structure indications
 Market Structure Shift indications
 Equal highs and lows
 Swings highs and swing lows
 Fibonacci TPs and SLs
 Swing level TPs and SLs
 Previous day high and low TPs and SLs
 And much more! An ongoing project!
 
 How To Use 
Many traders will already be familiar with the ICT related concepts listed above, and will find using the ICT Master Suite quite intuitive!
Despite this, let's go over the features of the tool in-depth and how to use the tool!
  
The image above shows the ICT Master Suite with almost all techniques activated.
 ICT 2022 Strategy Model 
The ICT Master suite provides the ability to test, set alerts for, and live trade the ICT 2022 Strategy Model. 
  
The image above shows an example of a long position being entered following a complete setup for the 2022 ICT model.
A liquidity sweep occurs prior to an upside breakout. During the upside breakout the model looks for the FVG that is nearest 50% of the setup range. A limit order is placed at this FVG for entry. 
The target entry percentage for the range is customizable in the settings. For instance, you can select to enter at an FVG nearest 33% of the range, 20%, 66%, etc.
The profit target for the model generally uses the highest high of the range (100%) for longs and the lowest low of the range (100%) for shorts. Stop losses are generally set at 0% of the range. 
  
The image above shows the short model in action!
Whether you decide to follow the 2022 model diligently or not, you can still set alerts when the entry condition is met.
 ICT Unicorn Model 
  
The image above shows an example of a long position being entered following a complete setup for the ICT Unicorn model.
A lower swing low followed by a higher swing high precedes the overlap of an FVG and breaker block formed during the sequence. 
During the upside breakout the model looks for an FVG and breaker block that formed during the sequence and overlap each other. A limit order is placed at the nearest overlap point to current price.
The profit target for this example trade is set at the swing high and the stop loss at the swing low. However, both the profit target and stop loss for this model are configurable in the settings.
For Longs, the selectable profit targets are:
 
 Swing High
 Fib -0.5 
 Fib -1
 Fib -2 
 
For Longs, the selectable stop losses are:
 
 Swing Low
 Bottom of FVG or breaker block
 
  
The image above shows the short version of the Unicorn Model in action!
For Shorts, the selectable profit targets are:
 
 Swing Low
 Fib -0.5 
 Fib -1
 Fib -2 
 
For Shorts, the selectable stop losses are:
 
 Swing High
 Top of FVG or breaker block
 
  
The image above shows the profit target and stop loss options in the settings for the Unicorn Model. 
 Optimal Trade Entry (OTE) Model 
  
The image above shows an example of a long position being entered following a complete setup for the OTE model.
Price retraces either 0.62, 0.705, or 0.79 of an upside move and a trade is entered.
The profit target for this example trade is set at the -0.5 fib level. This is also adjustable in the settings. 
For Longs, the selectable profit targets are:
 
 Swing High
 Fib -0.5 
 Fib -1
 Fib -2 
 
  
The image above shows the short version of the OTE Model in action!
For Shorts, the selectable profit targets are:
 
 Swing Low
 Fib -0.5 
 Fib -1
 Fib -2 
 
 Liquidity Raid Model 
  
The image above shows an example of a long position being entered following a complete setup for the Liquidity Raid Modell.
The user must define the session in the settings (for this example it is 13:30-16:00 NY time).
During the session, the indicator will calculate the session high and session low. Following a “raid” of either the session high or session low (after the session has completed) the script will look for an entry at a recently formed breaker block.
If the session high is raided the script will look for short entries at a bearish breaker block. If the session low is raided the script will look for long entries at a bullish breaker block.
For Longs, the profit target options are:
 
 Swing high
 User inputted Lib level
 
For Longs, the stop loss options are:
 
 Swing low 
 User inputted Lib level
 Breaker block bottom
 
  
The image above shows the short version of the Liquidity Raid Model in action!
For Shorts, the profit target options are:
 
 Swing Low
 User inputted Lib level
 
For Shorts, the stop loss options are:
 
 Swing High
 User inputted Lib level
 Breaker block top
 
 Silver Bullet Model 
  
The image above shows an example of a long position being entered following a complete setup for the Silver Bullet Modell.
During the session, the indicator will determine the higher timeframe bias. If the higher timeframe bias is bullish the strategy will look to enter long at an FVG that forms during the session. If the higher timeframe bias is bearish the indicator will look to enter short at an FVG that forms during the session.
For Longs, the profit target options are:
 
 Nearest Swing High Above Entry
 Previous Day High
 
For Longs, the stop loss options are:
 
 Nearest Swing Low
 Previous Day Low
 
  
The image above shows the short version of the Silver Bullet Model in action!
For Shorts, the profit target options are:
 
 Nearest Swing Low Below Entry
 Previous Day Low
 
For Shorts, the stop loss options are:
 
 Nearest Swing High
 Previous Day High
 
 Order blocks 
  
The image above shows indicator identifying and labeling order blocks.
The color of the order blocks, and how many should be shown, are configurable in the settings!
 Breaker Blocks 
  
The image above shows indicator identifying and labeling order blocks.
The color of the breaker blocks, and how many should be shown, are configurable in the settings!
 Rejection Blocks 
  
The image above shows indicator identifying and labeling rejection blocks.
The color of the rejection blocks, and how many should be shown, are configurable in the settings!
 Fair Value Gaps 
  
The image above shows indicator identifying and labeling fair value gaps.
The color of the fair value gaps, and how many should be shown, are configurable in the settings!
Additionally, you can select to only show fair values gaps that form after a liquidity sweep. Doing so reduces "noisy" FVGs and focuses on identifying FVGs that form after a significant trading event. 
  
The image above shows the feature enabled. A fair value gap that occurred after a liquidity sweep is shown.
 Market Structure 
  
The image above shows the ICT Master Suite calculating market structure shots and break of structures!
The color of MSS and BoS, and whether they should be displayed, are configurable in the settings.
 Displacements 
  
  
The images above show indicator identifying and labeling displacements.
The color of the displacements, and how many should be shown, are configurable in the settings!
 Equal Price Points 
  
The image above shows the indicator identifying and labeling equal highs and equal lows.
The color of the equal levels, and how many should be shown, are configurable in the settings!
 Previous Custom TF High/Low 
  
The image above shows the ICT Master Suite calculating the high and low price for a user-defined timeframe. In this case the previous day’s high and low are calculated.
  
To illustrate the customizable timeframe function, the image above shows the indicator calculating the previous 4 hour high and low. 
 Liquidity Sweeps 
  
The image above shows the indicator identifying a liquidity sweep prior to an upside breakout.
  
The image above shows the indicator identifying a liquidity sweep prior to a downside breakout.
The color and aggressiveness of liquidity sweep identification are adjustable in the settings!
 Power Of Three 
  
The image above shows the indicator calculating Po3 for two user-defined higher timeframes!
 Macros 
  
The image above shows the ICT Master Suite identifying the ICT macros!
ICT Macros are only displayable on the 5 minute timeframe or less.
 Strategy Performance Table 
In addition to a full-fledged TradingView backtest for any of the ICT strategy models the indicator offers, a quick-and-easy strategy table exists for the indicator!
  
The image above shows the strategy performance table in action.
Keep in mind that, because the ICT Master Suite is a strategy script, you can perform fully automatic backtests, deep backtests, easily add commission and portfolio balance and look at pertinent metrics for the ICT strategies you are testing!
 Lite Mode 
Traders who want the cleanest chart possible can toggle on “Lite Mode”!
  
In Lite Mode, any neon or “glow” like effects are removed and key levels are marked as strict border boxes. You can also select to remove box borders if that’s what you prefer!
 Settings Used For Backtest 
For the displayed backtest, a starting balance of $1000 USD was used. A commission of 0.02%, slippage of 2 ticks, a verify price for limit orders of 2 ticks, and 5% of capital investment per order.
A commission of 0.02% was used due to the backtested asset being a perpetual future contract for a crypto currency. The highest commission (lowest-tier VIP) for maker orders on many exchanges is 0.02%. All entered positions take place as maker orders and so do profit target exits. Stop orders exist as stop-market orders.
A slippage of 2 ticks was used to simulate more realistic stop-market orders. A verify limit order settings of 2 ticks was also used. Even though BTCUSDT.P on Binance is liquid, we just want the backtest to be on the safe side. Additionally, the backtest traded 100+ trades over the period. The higher the sample size the better; however, this example test can serve as a starting point for traders interested in ICT concepts.
 Community Assistance And Feedback 
Given the complexity and idiosyncratic applications of ICT concepts amongst its proponents, the ICT Master Suite’s built-in strategies and level identification methods might not align with everyone's interpretation. 
That said, the best we can do is precisely define ICT strategy rules and concepts to a repeatable process, test, and apply them! Whether or not an ICT strategy is trading precisely how you would trade it, seeing the model in action, taking trades, and with performance statistics is immensely helpful in assessing predictive utility.
If you think we missed something, you notice a bug, have an idea for strategy model improvement, please let us know! The ICT Master Suite is an ongoing project that will, ideally, be shaped by the community.
A big thank you to the @PineCoders for their Time Library!
Thank you!
RSI Weighted Trend System I [InvestorUnknown]The  RSI Weighted Trend System I  is an experimental indicator designed to combine both  slow-moving trend indicators  for stable trend identification and  fast-moving indicators  to capture potential major turning points in the market. The novelty of this system lies in the dynamic weighting mechanism, where  fast indicators receive weight based on the current Relative Strength Index (RSI)  value, thus providing a flexible tool for traders seeking to adapt their strategies to varying market conditions.
 Dynamic RSI-Based Weighting System 
 
 The core of the indicator is the dynamic weighting of fast indicators based on the value of the RSI. In essence, the higher the absolute value of the RSI (whether positive or negative), the higher the weight assigned to the fast indicators. This enables the system to capture rapid price movements around potential turning points.
 
Users can choose between a threshold-based or continuous weight system:
 
 Threshold-Based Weighting: Fast indicators are activated only when the absolute RSI value exceeds a user-defined threshold. Below this threshold, fast indicators receive no weight.
 Continuous Weighting: By setting the weight threshold to zero, the fast indicators always receive some weight, although this can result in more false signals in ranging markets.
 
 // Calculate weight for Fast Indicators based on RSI (Slow Indicator weight is kept to 1 for simplicity)
f_RSI_Weight_System(series float rsi, simple float weight_thre) =>
    float fast_weight   = na
    float slow_weight   = na
    if weight_thre > 0
        if math.abs(rsi) <= weight_thre
            fast_weight := 0
            slow_weight := 1
        else
            fast_weight := 0 + math.sqrt(math.abs(rsi))
            slow_weight := 1
    else
        fast_weight     := 0 + math.sqrt(math.abs(rsi))
        slow_weight     := 1
     
  
 Slow and Fast Indicators 
Slow Indicators are designed to identify stable trends, remaining constant in weight. These include:
 
 DMI (Directional Movement Index) For Loop
 CCI (Commodity Channel Index) For Loop
 Aroon For Loop
 
Fast Indicators are more responsive and designed to spot rapid trend shifts:
 
 ZLEMA (Zero-Lag Exponential Moving Average) For Loop
 IIRF (Infinite Impulse Response Filter) For Loop
 
Each of these indicators is calculated using a for-loop method to generate a moving average, which captures the trend of a given length range.
 RSI Normalization 
 
 To facilitate the weighting system, the RSI is normalized from its usual 0-100 range to a -1 to 1 range. This allows for easy scaling when calculating weights and helps the system adjust to rapidly changing market conditions.
 
 // Normalize RSI (1 to -1)
f_RSI(series float rsi_src, simple int rsi_len, simple string rsi_wb, simple string ma_type, simple int ma_len) =>
    output = switch rsi_wb
        "RAW RSI"       => ta.rsi(rsi_src, rsi_len)
        "RSI MA"        => ma_type == "EMA" ? (ta.ema(ta.rsi(rsi_src, rsi_len), ma_len)) : (ta.sma(ta.rsi(rsi_src, rsi_len), ma_len)) 
 Signal Calculation 
 
 The final trading signal is a weighted average of both the slow and fast indicators, depending on the calculated weights from the RSI. This ensures a balanced approach, where slow indicators maintain overall trend guidance, while fast indicators provide timely entries and exits.
 
 // Calculate Signal (as weighted average)
sig = math.round(((DMI*slow_w) + (CCI*slow_w) + (Aroon*slow_w) + (ZLEMA*fast_w) + (IIRF*fast_w)) / (3*slow_w + 2*fast_w), 2) 
 Backtest Mode and Performance Metrics 
This version of the RSI Weighted Trend System includes a comprehensive backtesting mode, allowing users to evaluate the performance of their selected settings against a Buy & Hold strategy. The backtesting includes:
 
 Equity calculation based on the signals generated by the indicator.
 Performance metrics table comparing Buy & Hold strategy metrics with the system’s signals, including: Mean, positive, and negative return percentages, Standard deviations (of all, positive and negative returns), Sharpe Ratio, Sortino Ratio, and Omega Ratio
 
 f_PerformanceMetrics(series float base, int Lookback, simple float startDate, bool Annualize = true) =>
    // Initialize variables for positive and negative returns
    pos_sum = 0.0
    neg_sum = 0.0
    pos_count = 0
    neg_count = 0
    returns_sum = 0.0
    returns_squared_sum = 0.0
    pos_returns_squared_sum = 0.0
    neg_returns_squared_sum = 0.0
    // Loop through the past 'Lookback' bars to calculate sums and counts
    if (time >= startDate)
        for i = 0 to Lookback - 1
            r = (base  - base ) / base 
            returns_sum += r
            returns_squared_sum += r * r
            if r > 0
                pos_sum += r
                pos_count += 1
                pos_returns_squared_sum += r * r
            if r < 0
                neg_sum += r
                neg_count += 1
                neg_returns_squared_sum += r * r
    float   export_array = array.new_float(12)
    // Calculate means
    mean_all = math.round((returns_sum / Lookback) * 100, 2)
    mean_pos = math.round((pos_count != 0 ? pos_sum / pos_count : na) * 100, 2)
    mean_neg = math.round((neg_count != 0 ? neg_sum / neg_count : na) * 100, 2)
    // Calculate standard deviations
    stddev_all = math.round((math.sqrt((returns_squared_sum - (returns_sum * returns_sum) / Lookback) / Lookback)) * 100, 2)
    stddev_pos = math.round((pos_count != 0 ? math.sqrt((pos_returns_squared_sum - (pos_sum * pos_sum) / pos_count) / pos_count) : na) * 100, 2)
    stddev_neg = math.round((neg_count != 0 ? math.sqrt((neg_returns_squared_sum - (neg_sum * neg_sum) / neg_count) / neg_count) : na) * 100, 2)
    // Calculate probabilities
    prob_pos = math.round((pos_count / Lookback) * 100, 2)
    prob_neg = math.round((neg_count / Lookback) * 100, 2)
    prob_neu = math.round(((Lookback - pos_count - neg_count) / Lookback) * 100, 2)
    // Calculate ratios
    sharpe_ratio = math.round(mean_all / stddev_all * (Annualize ? math.sqrt(Lookback) : 1), 2)
    sortino_ratio = math.round(mean_all / stddev_neg * (Annualize ? math.sqrt(Lookback) : 1), 2)
    omega_ratio = math.round(pos_sum / math.abs(neg_sum), 2)
    // Set values in the array
    array.set(export_array, 0, mean_all),       array.set(export_array, 1, mean_pos),           array.set(export_array, 2, mean_neg),
    array.set(export_array, 3, stddev_all),     array.set(export_array, 4, stddev_pos),         array.set(export_array, 5, stddev_neg),
    array.set(export_array, 6, prob_pos),       array.set(export_array, 7, prob_neu),           array.set(export_array, 8, prob_neg),
    array.set(export_array, 9, sharpe_ratio),   array.set(export_array, 10, sortino_ratio),     array.set(export_array, 11, omega_ratio)
    // Export the array
    export_array 
The metrics help traders assess the effectiveness of their strategy over time and can be used to optimize their settings.
  
 Calibration Mode 
 
 A calibration mode is included to assist users in tuning the indicator to their specific needs. In this mode, traders can focus on a specific indicator (e.g., DMI, CCI, Aroon, ZLEMA, IIRF, or RSI) and fine-tune it without interference from other signals.
 The calibration plot visualizes the chosen indicator's performance against a zero line, making it easy to see how changes in the indicator’s settings affect its trend detection.
 
 Customization and Default Settings 
 
 Important Note: The default settings provided are not optimized for any particular market or asset. They serve as a starting point for experimentation. Traders are encouraged to calibrate the system to suit their own trading strategies and preferences.
 The indicator allows deep customization, from selecting which indicators to use, adjusting the lengths of each indicator, smoothing parameters, and the RSI weight system.
 
 Alerts 
Traders can set alerts for both long and short signals when the indicator flips, allowing for automated monitoring of potential trading opportunities.
Candle Range Theory | Flux Charts💎 GENERAL OVERVIEW 
Introducing our new Candle Range Theory Indicator! This powerful tool offers a strategy built around the Candle Range Theory, which analyzes market movements through the relative size and structure of price candles. For more information about the process, check the "HOW DOES IT WORK" section.
  
Features of the new Candle Range Theory Indicator :
 
  Implementation of the Candle Range Theory
  FVG & Order Block Entry Methods
  2 Different TP / SL Methods
  Customizable Execution Settings
  Customizable Backtesting Dashboard
  Alerts for Buy, Sell, TP & SL Signals
 
📌 HOW DOES IT WORK ? 
The Candle Range Theory (CRT) indicator operates by identifying significant price movements through the relative size and structure of candlesticks. A key part of the strategy is determining large candles based on their range compared to the Average True Range (ATR) in a higher timeframe. Once identified, a breakout of either the high wick or the low wick of the large candle is required. This breakout is considered a liquidity grab. After that, the indicator waits for confirmation through Fair Value Gaps (FVGs) or Order Blocks (OBs). The confirmation structure must be the opposite direction of the breakout, for example if the high wick is broken, a bearish FVG is required for the short entry. After a confirmation signal is received, the indicator will trigger entry points based on your chosen entry method (FVG or OB), and exit points will be calculated using either a dynamic ATR-based TP/SL method or fixed percentages. Alerts for Buy, Sell, Take-Proft, and Stop-Loss are available.
  
🚩 UNIQUENESS 
This indicator stands out because it combines two highly effective entry methods: Fair Value Gaps (FVGs) and Order Blocks (OBs). You can choose between these strategies depending on market conditions. Additionally, the dynamic TP/SL system uses the ticker's volatility to automatically calculate stop-loss and take-profit targets. The backtesting dashboard provides metrics about the performance of the indicator. You can use it to tune the settings for best use in the current tiker. The Candle Range Theory approach offers more flexibility compared to traditional indicators, allowing for better customization and control based on your risk tolerance.
  
⚙️ SETTINGS 
1. General Configuration
Higher Timeframe: Customize the higher timeframe for analysis. Recommended combinations include M15 -> H4, H4 -> Daily, Daily -> Weekly, and Weekly -> Monthly.
HTF Candle Size: Define the size of the higher timeframe candles as Big, Normal, or Small to filter valid setups based on their range relative to ATR.
Entry Mode: Choose between FVGs and Order Blocks for your entry triggers.
Require Retracement: Enable this option if you want a retracement to the FVG or OB for entry confirmation.
Show HTF Candle Lines: Toggle to display the higher timeframe candle lines for better visual clarity.
2. Fair Value Gaps
FVG Sensitivity: You may select between Low, Normal, High or Extreme FVG detection sensitivity. This will essentially determine the size of the spotted FVGs, with lower sensitivities resulting in spotting bigger FVGs, and higher sensitivities resulting in spotting all sizes of FVGs.
3. Order Blocks
Swing Length: Swing length is used when finding order block formations. Smaller values will result in finding smaller order blocks.
4. TP / SL
TP / SL Method:
a) Dynamic: The TP / SL zones will be auto-determined by the algorithm based on the Average True Range (ATR) of the current ticker.
b) Fixed : You can adjust the exact TP / SL ratios from the settings below. 
Dynamic Risk: The risk you're willing to take if "Dynamic" TP / SL Method is selected. Higher risk usually means a better winrate at the cost of losing more if the strategy fails. This setting is has a crucial effect on the performance of the indicator, as different tickers may have different volatility so the indicator may have increased performance when this setting is correctly adjusted.
CAPE / Shiller PE RatioThe CAPE (Cyclically Adjusted Price-to-Earnings) or Shiller PE ratio is a popular valuation measure used by investors to assess whether a stock or index is over or undervalued relative to its historical earnings. Unlike the traditional P/E ratio, the CAPE ratio smooths earnings over ten years, adjusting for inflation and providing a more stable and long-term view of valuation.
This indicator lets you quickly calculate and visualize the CAPE ratio for any stock on TradingView, helping you make informed decisions about the sustainability of current price levels. With its clear presentation and intuitive setup, you can compare historical CAPE levels and identify potential opportunities for long-term investments or avoid overvalued markets.
 Advantages of the CAPE Ratio: 
 
 Long-Term Focus : Smooth earnings over ten years, reducing the impact of short-term volatility.
 Inflation-Adjusted : Provides a more precise, inflation-adjusted valuation measure over time.
 Historical Comparison : Allows for benchmarking against long-term historical averages.
 Market Sentiment Indicator : Can highlight overvalued or undervalued markets for long-term investors.
 Reduces Noise : Filters out short-term earnings fluctuations, offering a more stable view.
 
 Disadvantages of the CAPE Ratio: 
 
 Ignores Recent Earnings : Misses short-term earnings changes, which can affect current valuations.
 Outdated Data : Relies on old earnings data that may not reflect recent company performance.
 Less Effective for Growth Stocks : May undervalue high-growth stocks focused on future earnings.
 Sector Limitations : Works best for broad markets, less so for fast-changing industries.
 Debated Predictive Power : It’s unreliable for timing short-term market movements.
 
In short, the CAPE ratio is excellent for long-term valuation but has limitations for short-term or growth-focused investing.
 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.
MACD Enhanced Strategy MTF with Stop Loss [LTB]Test strategy for MACD 
This strategy, named "MACD Enhanced Strategy MTF with Stop Loss  ," is a modified Moving Average Convergence Divergence (MACD) strategy with enhancements such as multi-timeframe (MTF) analysis, custom scoring, and a dynamic stop loss mechanism. Let’s break down how to effectively use it:
Key Elements of the Strategy
MACD Indicator with Modifications:
The strategy uses MACD, a well-known momentum indicator, with customizable parameters:
fastLength, slowLength, and signalLength represent the standard MACD settings.
Instead of relying solely on MACD crossovers, it introduces scoring parameters for histogram direction (histside), indicator direction (indiside), and signal cross (crossscore). This allows for a more nuanced decision-making process when determining buy and sell signals.
Multi-Timeframe Analysis (MTF):
The strategy compares the current timeframe's MACD score with that of a higher timeframe (HTF). It dynamically selects the higher timeframe based on the current timeframe. For example, if the current chart period is 1, it will select 5 as the higher timeframe.
This MTF approach aims to align trades with broader trends, filtering out false signals that could be present when analyzing only a single timeframe.
Scoring System:
A custom scoring system (count() function) is used to evaluate buy and sell signals. This includes calculations based on the direction and momentum of MACD (indi) and the histogram. The score is used to determine the strength of signals.
Positive scores indicate bullish sentiment, while negative scores indicate bearish sentiment.
This scoring mechanism aims to reduce the influence of noise and provide more reliable entries.
Entry Conditions:
Long Condition: When the Result value (a combination of MTF and current MACD analysis) changes and becomes positive, a long entry is triggered.
Short Condition: When the Result changes and becomes negative, a short entry is initiated.
Stop Loss Mechanism:
The countstop() function calculates dynamic stop loss values for both long and short trades. It is based on the Average True Range (ATR) multiplied by a factor (Mult), providing adaptive stop loss levels depending on market volatility.
The stop loss is plotted on the chart to show potential risk levels for open trades, with the line appearing only if shotsl is enabled.
How to Use the Strategy
To properly use the strategy, follow these steps:
Parameter Optimization:
Adjust the input parameters such as fastLength, slowLength, and signalLength to tune the MACD indicator to the specific asset you’re trading. The values provided are typical defaults, but optimizing these values based on backtesting can help improve performance.
Customize the scoring parameters (crossscore, indiside, histside) to balance how much weight you want to put on the direction, histogram, and cross events of the MACD indicator.
Select Appropriate Timeframes:
This strategy employs a multi-timeframe (MTF) approach, so it's important to understand how the higher timeframe (HTF) is selected based on the current timeframe. For instance, if you are trading on a 5-minute chart, the higher timeframe will be 15 minutes, which helps filter out lower timeframe noise.
Ensure you understand the relationship between the timeframe you’re using and the HTF it automatically selects. The strategy’s effectiveness can vary depending on how these timeframes align with the asset’s overall volatility.
Run Backtests:
Always backtest the strategy over historical data to determine its reliability for the asset and timeframes you’re interested in. Note that the MTF approach may require substantial data to capture how different timeframes interact.
Use the backtest results to adjust the scoring parameters or the Stop Loss Factor (Mult) for better risk management.
Stop Loss Usage:
The stop loss is calculated dynamically using ATR, which means that it adjusts with changing volatility. This can be useful to avoid being stopped out too often during periods of increased volatility.
The shotsl parameter can be set to true to visualize the stop loss line on the chart. This helps to monitor the protection level and make better decisions regarding holding or closing a trade manually.
Entry Signals and Trade Execution:
Look for changes in the Result value to determine entry points. For a long position, the Result needs to become positive, and for a short position, it must be negative.
Note that the strategy's entries are more conservative because it waits for the Result to confirm the direction using multiple factors, which helps filter out false breakouts.
Risk Management:
The adaptive stop loss mechanism reduces the risk by basing the stop level on market volatility. However, you must still consider additional risk management practices such as position sizing and profit targets.
Given the scoring mechanism, it might not enter trades frequently, which means using this strategy may result in fewer but potentially more accurate trades. It’s important to be patient and not force trades that don’t align with the calculated results.
Real-Time Monitoring:
Make sure to monitor trades actively. Since the strategy recalculates the score on each bar, real-time changes in the Result value could provide exit opportunities even if the stop loss isn't triggered.
 Summary 
The "MACD Enhanced Strategy MTF with Stop Loss  " is a sophisticated version of the MACD strategy, enhanced with multi-timeframe analysis and adaptive stop loss. Properly using it involves optimizing MACD and scoring parameters, selecting suitable timeframes, and actively managing entries and exits based on a combination of scoring and volatility-based stop losses. Always conduct thorough backtesting before applying it in a live environment to ensure the strategy performs well on the asset you're trading.
Inflation-Adjusted Price IndicatorThis indicator allows traders to adjust historical prices for inflation using customizable CPI data. The script computes the adjusted price by selecting a reference date, the original price, and the CPI source (US CPI or custom input) and plots it as a line on the chart. Additionally, a table summarizes the adjusted price values and average and total inflation rates. 
While the indicator serves as a standalone tool to understand inflation's impact on prices, it is a supportive element in more advanced trading strategies requiring accurate analysis of inflation-adjusted data. 
 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.
RSI 30-50-70 moving averageDescription:
The RSI 30-50-70 Moving Average indicator plots three distinct moving averages based on different RSI ranges (30%, 50%, and 70%). Each moving average corresponds to different market conditions and provides potential entry and exit signals. Here's how it works:
• RSI_30 Range (25%-35%): The moving average of closing prices when the RSI is between 25% and 35%, representing potential oversold conditions.
• RSI_50 Range (45%-55%): The moving average of closing prices when the RSI is between 45% and 55%, providing a balanced perspective for trend-following strategies.
• RSI_70 Range (65%-75%): The moving average of closing prices when the RSI is between 65% and 75%, representing potential overbought conditions.
This indicator offers flexibility, as users can adjust key parameters such as RSI ranges, periods, and time frames to fine-tune the signals for their trading strategies.
How it Works:
Like traditional moving averages, the RSI 30-50-70 Moving Averages can highlight dynamic levels of support and resistance. They offer additional insight by focusing on specific RSI ranges, providing early signals for trend reversals or continuation. The default settings can be used across various assets but should be optimized via backtesting.
Default Settings:
• RSI_30: 25% to 35% (Oversold Zone, yellow line)
• RSI_50: 45% to 55% (Neutral/Trend Zone, green line)
• RSI_70: 65% to 75% (Overbought Zone, red line)
• RSI Period: 14
Buy Conditions:
• Use the 5- or 15-minute time frame.
• Wait for the price to move below the RSI_30 line, indicating potential oversold conditions.
• Enter a buy order when the price closes above the RSI_30 line, signaling a recovery from the oversold zone.
• For a more conservative approach, use the RSI_50 line as the buy signal to confirm a trend reversal.
• Important: Before entering, ensure that the RSI_30 moving average has flattened or started to level off, signaling that the oversold momentum has slowed.
Sell Conditions:
• Use the 5- or 15-minute time frame.
• Wait for the price to close above the RSI_70 line, indicating potential overbought conditions.
• Enter a sell order when the price closes below the RSI_70 line, signaling a decline from the overbought zone.
• Important: Similar to buying, wait for the RSI_70 moving average to flatten or level off before selling, indicating the overbought conditions are stalling.
Key Features:
1. Dynamic Range Customization: The indicator allows users to modify the RSI ranges and periods, tailoring the moving averages to fit different market conditions or asset classes.
2. Trend-Following and Reversal Signals: The RSI 30-50-70 moving averages provide both reversal and trend-following signals, making it a versatile tool for short-term traders.
3. Visual Representation of Market Strength: By plotting moving averages based on RSI levels, traders can visually interpret the market’s strength and potential turning points.
4. Risk Management: The built-in flexibility allows traders to choose lower-risk entries by adjusting which RSI level (e.g., RSI_30 vs. RSI_50) they rely on for signals.
Practical Use:
Different assets respond uniquely to RSI-based moving averages, so it's recommended to backtest and adjust ranges for specific instruments. For example, volatile assets may require wider RSI ranges, while more stable assets could benefit from tighter ranges.
Checking for Buy conditions:
1st: Wait for current price to go below the RSI_30 (yellow line)
2nd: Wait and observe for bullish divergence
3rd: RSI_30 has flattened indicating potential gain of momentum after a bullish divergence.
4th: Enter a buy order when the price closed above the RSI_30, preferably when a green candle appeared.
Big 5 Checklist | XEONEDIAThe  Big 5 Checklist | XEONEDIA  indicator is a powerful trading tool designed to help traders prepare their trading decisions in a structured and effective manner. The indicator encompasses five key areas:
   Strategy Documentation :
✅ Ensure that the trading strategy is clearly defined and documented.
✅ Conduct backtesting.
✅ Perform demo testing with an 80% success rate.
✅ Analyze trading results.
✅ Regularly refine the strategy.
 Risk Management :
✅ Minimize financial losses and ensure responsible trading.
✅ Set a risk limit of 1-2%.
✅ Use stop-loss orders.
✅ Ensure a risk-reward ratio of at least 2:1.
✅ Adjust position sizes.
 Technical Analysis :
✅ Evaluate charts and indicators to identify trading opportunities.
✅ Identify support and resistance levels.
✅ Use technical indicators (e.g., RSI).
✅ Set entry and exit points.
✅ Establish alerts for specific market conditions.
 Market Conditions :
✅ Consider external factors that may influence trading.
✅ Monitor the economic calendar.
✅ Apply fundamental analysis.
✅ Observe market volatility.
✅ Analyze global trends.
 Psychological Management :
✅ Control emotions and mindset during trading.
✅ Adhere to the trading plan.
✅ Manage emotions while trading.
✅ Set realistic expectations.
✅ Take regular mental breaks.  
 Mastercheck 
The Mastercheck provides a digital checklist where traders can track their progress live. Users can make their own notes and view their checklist on any TradingView device, ensuring they stay informed about their trading readiness and can make adjustments in real-time. ✅
Overall, the  Big 5 Checklist | XEONEDIA  indicator helps minimize risks and maximize the chances of successful trades by promoting systematic and comprehensive trading preparation.
Hyperbolic Tangent Volatility Stop [InvestorUnknown]The Hyperbolic Tangent Volatility Stop (HTVS) is an advanced technical analysis tool that combines the smoothing capabilities of the Hyperbolic Tangent Moving Average (HTMA) with a volatility-based stop mechanism. This indicator is designed to identify trends and reversals while accounting for market volatility.
 Hyperbolic Tangent Moving Average (HTMA): 
 
 The HTMA is at the heart of the HTVS. This custom moving average uses a hyperbolic tangent transformation to smooth out price fluctuations, focusing on significant trends while ignoring minor noise. The transformation reduces the sensitivity to sharp price movements, providing a clearer view of the underlying market direction.
 The hyperbolic tangent function (tanh) is commonly used in mathematical fields like calculus, machine learning and signal processing due to its properties of “squashing” inputs into a range between -1 and 1. The function provides a non-linear transformation that can reduce the impact of extreme values while retaining a certain level of smoothness.
 
  
 tanh(x) =>
    e_x                 = math.exp(x)
    e_neg_x             = math.exp(-x)
    (e_x - e_neg_x) / (e_x + e_neg_x) 
The HTMA is calculated by applying a non-linear transformation to the difference between the source price and its simple moving average, then adjusting it using the standard deviation of the price data. The result is a moving average that better tracks the real market direction.
 htma(src, len, mul) =>
    tanh_src            = tanh((src - ta.sma(src, len)) * mul) * ta.stdev(src, len) + ta.sma(src, len)
    htma                = ta.sma(tanh_src, len) 
 Important Note:  The Hyperbolic Tangent function becomes less accurate with very high prices. For assets priced above 100,000, the results may deteriorate, and for prices exceeding 1 million, the function may stop functioning properly. Therefore, this indicator is better suited for assets with lower prices or lower price ratios.
 Volatility Stop (VolStop): 
 
 HTVS employs a Volatility Stop mechanism based on the Average True Range (ATR). This stop dynamically adjusts based on market volatility, ensuring that the indicator adapts to changing conditions and avoids false signals in choppy markets.
 The VolStop follows the price, with a higher ATR pushing the stop farther away to avoid premature exits during volatile periods. Conversely, when volatility is low, the stop tightens to lock in profits as the trend progresses.
 The ATR Length and ATR Multiplier are customizable, allowing traders to control how tightly or loosely the stop follows the price.
 
 pine_volStop(src, atrlen, atrfactor) =>
    if not na(src)
        var max         = src
        var min         = src
        var uptrend     = true
        var float stop  = na
        atrM            = nz(ta.atr(atrlen) * atrfactor, ta.tr)
        max             := math.max(max, src)
        min             := math.min(min, src)
        stop            := nz(uptrend ? math.max(stop, max - atrM) : math.min(stop, min + atrM), src)
        uptrend         := src - stop >= 0.0
        if uptrend      != nz(uptrend , true)
            max         := src
            min         := src
            stop        := uptrend ? max - atrM : min + atrM
         
 Backtest Mode: 
 
 HTVS includes a built-in backtest mode, allowing traders to evaluate the indicator's performance on historical data. In backtest mode, it calculates the cumulative equity curve and compares it to a simple buy and hold strategy.
 Backtesting features can be adjusted to focus on specific signal types, such as Long Only, Short Only, or Long & Short.
 
  
 
 An optional Buy and Hold Equity plot provides insight into how the indicator performs relative to simply holding the asset over time.
 
  
The indicator includes a Hints Table, which provides useful recommendations on how to best display the indicator for different use cases. For example, when using the overlay mode, it suggests displaying the indicator in the same pane as price action, while backtest mode is recommended to be used in a separate pane for better clarity.
The Hyperbolic Tangent Volatility Stop offers traders a balanced approach to trend-following, using the robustness of the HTMA for smoothing and the adaptability of the Volatility Stop to avoid whipsaw trades during volatile periods. With its backtesting features and alert system, this indicator provides a comprehensive toolkit for active traders.






















